From 713bdb4bd96e4959ffe748e88f53ed5d400133a1 Mon Sep 17 00:00:00 2001 From: Michael Date: Thu, 8 Mar 2018 19:47:18 +0000 Subject: [PATCH 001/112] Improved reshare behaviour for DFRN posts --- src/Protocol/Diaspora.php | 43 ++++++++++++++++----------------------- 1 file changed, 17 insertions(+), 26 deletions(-) diff --git a/src/Protocol/Diaspora.php b/src/Protocol/Diaspora.php index 0055f8d9b..c3a485e91 100644 --- a/src/Protocol/Diaspora.php +++ b/src/Protocol/Diaspora.php @@ -2642,7 +2642,7 @@ class Diaspora * * @return array The fetched item */ - private static function originalItem($guid, $orig_author, $author) + public static function originalItem($guid, $orig_author) { // Do we already have this item? $r = q( @@ -2736,7 +2736,7 @@ class Diaspora return true; } - $original_item = self::originalItem($root_guid, $root_author, $author); + $original_item = self::originalItem($root_guid, $root_author); if (!$original_item) { return false; } @@ -3451,24 +3451,21 @@ class Diaspora // Skip if it isn't a pure repeated messages // Does it start with a share? if ((strpos($body, "[share") > 0) && $complete) { - return(false); + return false; } // Does it end with a share? if (strlen($body) > (strrpos($body, "[/share]") + 8)) { - return(false); + return false; } $attributes = preg_replace("/\[share(.*?)\]\s?(.*?)\s?\[\/share\]\s?/ism", "$1", $body); // Skip if there is no shared message in there if ($body == $attributes) { - return(false); + return false; } // If we don't do the complete check we quit here - if (!$complete) { - return true; - } $guid = ""; preg_match("/guid='(.*?)'/ism", $attributes, $matches); @@ -3481,7 +3478,7 @@ class Diaspora $guid = $matches[1]; } - if ($guid != "") { + if (($guid != "") && $complete) { $r = q( "SELECT `contact-id` FROM `item` WHERE `guid` = '%s' AND `network` IN ('%s', '%s') LIMIT 1", dbesc($guid), @@ -3492,7 +3489,7 @@ class Diaspora $ret= []; $ret["root_handle"] = self::handleFromContact($r[0]["contact-id"]); $ret["root_guid"] = $guid; - return($ret); + return $ret; } } @@ -3509,28 +3506,22 @@ class Diaspora $ret= []; - $ret["root_handle"] = preg_replace("=https?://(.*)/u/(.*)=ism", "$2@$1", $profile); - if (($ret["root_handle"] == $profile) || ($ret["root_handle"] == "")) { - return(false); + if ($profile != "") { + if (Contact::getIdForURL($profile)) { + $author = Contact::getDetailsByURL($profile); + $ret["root_handle"] = $author['addr']; + } } - $link = ""; - preg_match("/link='(.*?)'/ism", $attributes, $matches); - if ($matches[1] != "") { - $link = $matches[1]; + if (!empty($guid)) { + $ret["root_guid"] = $guid; } - preg_match('/link="(.*?)"/ism', $attributes, $matches); - if ($matches[1] != "") { - $link = $matches[1]; + if (empty($ret) && !$complete) { + return true; } - $ret["root_guid"] = preg_replace("=https?://(.*)/posts/(.*)=ism", "$2", $link); - if (($ret["root_guid"] == $link) || (trim($ret["root_guid"]) == "")) { - return(false); - } - - return($ret); + return $ret; } /** From b798ad126adf93758ad44ea6eab8397c3032114a Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Sat, 7 Apr 2018 02:42:42 -0400 Subject: [PATCH 002/112] Hide posts from recently ignored or unfollowed contact in mod/network --- mod/network.php | 3 +++ 1 file changed, 3 insertions(+) diff --git a/mod/network.php b/mod/network.php index 4ab773bd3..af4195cbc 100644 --- a/mod/network.php +++ b/mod/network.php @@ -771,6 +771,7 @@ function networkThreadedView(App $a, $update, $parent) FROM `item` $sql_post_table STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < 2 OR `contact`.`readonly`)) WHERE `item`.`uid` = %d AND `item`.`visible` AND NOT `item`.`deleted` AND NOT `item`.`moderated` AND $sql_extra4 $sql_extra3 $sql_extra $sql_range $sql_nets @@ -783,6 +784,7 @@ function networkThreadedView(App $a, $update, $parent) STRAIGHT_JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) STRAIGHT_JOIN `item` ON `item`.`id` = `thread`.`iid` + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < 2 OR `contact`.`readonly`)) WHERE `thread`.`uid` = %d AND `thread`.`visible` AND NOT `thread`.`deleted` AND NOT `thread`.`moderated` $sql_extra2 $sql_extra3 $sql_range $sql_extra $sql_nets @@ -827,6 +829,7 @@ function networkThreadedView(App $a, $update, $parent) (SELECT SUBSTR(`term`, 2) FROM `search` WHERE `uid` = ? AND `term` LIKE '#%') AND `otype` = ? AND `type` = ? AND `uid` = 0) AS `term` ON `item`.`id` = `term`.`oid` STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`author-id` + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < 2 OR `contact`.`readonly`)) WHERE `item`.`uid` = 0 AND `item`.$ordering < ? AND `item`.$ordering > ? AND NOT `contact`.`hidden` AND NOT `contact`.`blocked`" . $sql_tag_nets, local_user(), TERM_OBJ_POST, TERM_HASHTAG, $top_limit, $bottom_limit); From c8b0520144a36bd0b7c188cf7f5a0b55400cddc3 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Sat, 7 Apr 2018 08:09:13 -0400 Subject: [PATCH 003/112] Use CONTACT_IS_SHARING constant instead of `rel` value --- mod/network.php | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/mod/network.php b/mod/network.php index af4195cbc..613ad8603 100644 --- a/mod/network.php +++ b/mod/network.php @@ -771,11 +771,12 @@ function networkThreadedView(App $a, $update, $parent) FROM `item` $sql_post_table STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < 2 OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < %d OR `contact`.`readonly`)) WHERE `item`.`uid` = %d AND `item`.`visible` AND NOT `item`.`deleted` AND NOT `item`.`moderated` AND $sql_extra4 $sql_extra3 $sql_extra $sql_range $sql_nets ORDER BY `order_date` DESC LIMIT 100", + intval(CONTACT_IS_SHARING), intval(local_user()) ); } else { @@ -784,11 +785,12 @@ function networkThreadedView(App $a, $update, $parent) STRAIGHT_JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) STRAIGHT_JOIN `item` ON `item`.`id` = `thread`.`iid` - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < 2 OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < %d OR `contact`.`readonly`)) WHERE `thread`.`uid` = %d AND `thread`.`visible` AND NOT `thread`.`deleted` AND NOT `thread`.`moderated` $sql_extra2 $sql_extra3 $sql_range $sql_extra $sql_nets ORDER BY `order_date` DESC $pager_sql", + intval(CONTACT_IS_SHARING), intval(local_user()) ); } @@ -829,10 +831,10 @@ function networkThreadedView(App $a, $update, $parent) (SELECT SUBSTR(`term`, 2) FROM `search` WHERE `uid` = ? AND `term` LIKE '#%') AND `otype` = ? AND `type` = ? AND `uid` = 0) AS `term` ON `item`.`id` = `term`.`oid` STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`author-id` - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < 2 OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < ? OR `contact`.`readonly`)) WHERE `item`.`uid` = 0 AND `item`.$ordering < ? AND `item`.$ordering > ? AND NOT `contact`.`hidden` AND NOT `contact`.`blocked`" . $sql_tag_nets, - local_user(), TERM_OBJ_POST, TERM_HASHTAG, $top_limit, $bottom_limit); + local_user(), TERM_OBJ_POST, TERM_HASHTAG, intval(CONTACT_IS_SHARING), $top_limit, $bottom_limit); $data = dba::inArray($items); From 129f6806f6c77622b295f08e03ebb3a4fbecc7d8 Mon Sep 17 00:00:00 2001 From: Alexandre Alapetite Date: Sun, 8 Apr 2018 12:28:04 +0200 Subject: [PATCH 004/112] Fix update password rehash Fixes https://github.com/friendica/friendica/issues/4743 The logic for updating password was wrong: https://github.com/friendica/friendica/commit/b0a764b14c2f2798f7eb223e58d47530f80609c1#diff-1466bb1a0a37fe9f7cf52eda8f3b431aR150 --- src/Model/User.php | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/src/Model/User.php b/src/Model/User.php index 4ae43c3e1..abf4d1d3e 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -127,18 +127,18 @@ class User { $user = self::getAuthenticationInfo($user_info); - if ($user['legacy_password']) { - if (password_verify(self::hashPasswordLegacy($password), $user['password'])) { - self::updatePassword($user['uid'], $password); - - return $user['uid']; - } - } elseif (password_verify($password, $user['password'])) { + if (password_verify($password, $user['password'])) { if (password_needs_rehash($user['password'], PASSWORD_DEFAULT)) { self::updatePassword($user['uid'], $password); } return $user['uid']; + } elseif (!empty($user['legacy_password']) || strpos($user['password'], '$') === false) { + if (self::hashPasswordLegacy($password) === $user['password']) { + self::updatePassword($user['uid'], $password); + + return $user['uid']; + } } throw new Exception(L10n::t('Login failed')); From cb26cd6d5d5d1a34baf0ce48afd9bbb971b9b4e6 Mon Sep 17 00:00:00 2001 From: Alexandre Alapetite Date: Sun, 8 Apr 2018 14:42:18 +0200 Subject: [PATCH 005/112] Remove legacy_password test --- src/Model/User.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Model/User.php b/src/Model/User.php index abf4d1d3e..ef495a45c 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -133,7 +133,7 @@ class User } return $user['uid']; - } elseif (!empty($user['legacy_password']) || strpos($user['password'], '$') === false) { + } elseif (strpos($user['password'], '$') === false) { if (self::hashPasswordLegacy($password) === $user['password']) { self::updatePassword($user['uid'], $password); From 82f1f2f00e4493c3d1d4ff1df9161cc0957defee Mon Sep 17 00:00:00 2001 From: Alexandre Alapetite Date: Sun, 8 Apr 2018 14:53:12 +0200 Subject: [PATCH 006/112] Remove SQL column legacy_password --- database.sql | 1 - src/Database/DBStructure.php | 1 - src/Model/User.php | 6 ++---- src/Util/ExAuth.php | 2 +- update.php | 7 ++----- 5 files changed, 5 insertions(+), 12 deletions(-) diff --git a/database.sql b/database.sql index aa87247db..c4b93e287 100644 --- a/database.sql +++ b/database.sql @@ -1019,7 +1019,6 @@ CREATE TABLE IF NOT EXISTS `user` ( `guid` varchar(64) NOT NULL DEFAULT '' COMMENT '', `username` varchar(255) NOT NULL DEFAULT '' COMMENT '', `password` varchar(255) NOT NULL DEFAULT '' COMMENT '', - `legacy_password` boolean NOT NULL DEFAULT '0' COMMENT 'Is the password hash double-hashed?', `nickname` varchar(255) NOT NULL DEFAULT '' COMMENT '', `email` varchar(255) NOT NULL DEFAULT '' COMMENT '', `openid` varchar(255) NOT NULL DEFAULT '' COMMENT '', diff --git a/src/Database/DBStructure.php b/src/Database/DBStructure.php index 67c8d7b8a..275d9562b 100644 --- a/src/Database/DBStructure.php +++ b/src/Database/DBStructure.php @@ -1726,7 +1726,6 @@ class DBStructure "guid" => ["type" => "varchar(64)", "not null" => "1", "default" => "", "comment" => ""], "username" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], "password" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], - "legacy_password" => ["type" => "boolean", "not null" => "1", "default" => "0", "comment" => "Is the password hash double-hashed?"], "nickname" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], "email" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], "openid" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], diff --git a/src/Model/User.php b/src/Model/User.php index ef495a45c..6178906aa 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -170,13 +170,12 @@ class User if (!isset($user['uid']) || !isset($user['password']) - || !isset($user['legacy_password']) ) { throw new Exception(L10n::t('Not enough information to authenticate')); } } elseif (is_int($user_info) || is_string($user_info)) { if (is_int($user_info)) { - $user = dba::selectFirst('user', ['uid', 'password', 'legacy_password'], + $user = dba::selectFirst('user', ['uid', 'password'], [ 'uid' => $user_info, 'blocked' => 0, @@ -186,7 +185,7 @@ class User ] ); } else { - $user = dba::fetch_first('SELECT `uid`, `password`, `legacy_password` + $user = dba::fetch_first('SELECT `uid`, `password` FROM `user` WHERE (`email` = ? OR `username` = ? OR `nickname` = ?) AND `blocked` = 0 @@ -277,7 +276,6 @@ class User 'password' => $pasword_hashed, 'pwdreset' => null, 'pwdreset_time' => null, - 'legacy_password' => false ]; return dba::update('user', $fields, ['uid' => $uid]); } diff --git a/src/Util/ExAuth.php b/src/Util/ExAuth.php index d4436e32a..cdf663b42 100644 --- a/src/Util/ExAuth.php +++ b/src/Util/ExAuth.php @@ -226,7 +226,7 @@ class ExAuth if ($a->get_hostname() == $aCommand[2]) { $this->writeLog(LOG_INFO, 'internal auth for ' . $sUser . '@' . $aCommand[2]); - $aUser = dba::selectFirst('user', ['uid', 'password', 'legacy_password'], ['nickname' => $sUser]); + $aUser = dba::selectFirst('user', ['uid', 'password'], ['nickname' => $sUser]); if (DBM::is_result($aUser)) { $uid = $aUser['uid']; $success = User::authenticate($aUser, $aCommand[3]); diff --git a/update.php b/update.php index bc14b3a29..0cbc0302f 100644 --- a/update.php +++ b/update.php @@ -149,12 +149,9 @@ function update_1203() { } function update_1244() { - // Sets legacy_password for all legacy hashes - dba::update('user', ['legacy_password' => true], ['SUBSTR(password, 1, 4) != "$2y$"']); - // All legacy hashes are re-hashed using the new secure hashing function - $stmt = dba::select('user', ['uid', 'password'], ['legacy_password' => true]); - while($user = dba::fetch($stmt)) { + $stmt = dba::select('user', ['uid', 'password'], ['password NOT LIKE "$%"']); + while ($user = dba::fetch($stmt)) { dba::update('user', ['password' => User::hashPassword($user['password'])], ['uid' => $user['uid']]); } From b28fd98acd2754a11d8e8438684d29cad7f55be6 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Sun, 8 Apr 2018 09:59:43 -0400 Subject: [PATCH 007/112] Replaced < comparison with IN for contact.rel in mod/network --- mod/network.php | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/mod/network.php b/mod/network.php index 613ad8603..940787240 100644 --- a/mod/network.php +++ b/mod/network.php @@ -771,12 +771,12 @@ function networkThreadedView(App $a, $update, $parent) FROM `item` $sql_post_table STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < %d OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` IN (0, %d) OR `contact`.`readonly`)) WHERE `item`.`uid` = %d AND `item`.`visible` AND NOT `item`.`deleted` AND NOT `item`.`moderated` AND $sql_extra4 $sql_extra3 $sql_extra $sql_range $sql_nets ORDER BY `order_date` DESC LIMIT 100", - intval(CONTACT_IS_SHARING), + intval(CONTACT_IS_FOLLOWER), intval(local_user()) ); } else { @@ -785,12 +785,12 @@ function networkThreadedView(App $a, $update, $parent) STRAIGHT_JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) STRAIGHT_JOIN `item` ON `item`.`id` = `thread`.`iid` - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < %d OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` IN (0, %d) OR `contact`.`readonly`)) WHERE `thread`.`uid` = %d AND `thread`.`visible` AND NOT `thread`.`deleted` AND NOT `thread`.`moderated` $sql_extra2 $sql_extra3 $sql_range $sql_extra $sql_nets ORDER BY `order_date` DESC $pager_sql", - intval(CONTACT_IS_SHARING), + intval(CONTACT_IS_FOLLOWER), intval(local_user()) ); } @@ -831,10 +831,10 @@ function networkThreadedView(App $a, $update, $parent) (SELECT SUBSTR(`term`, 2) FROM `search` WHERE `uid` = ? AND `term` LIKE '#%') AND `otype` = ? AND `type` = ? AND `uid` = 0) AS `term` ON `item`.`id` = `term`.`oid` STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`author-id` - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` < ? OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` IN (0, %d) OR `contact`.`readonly`)) WHERE `item`.`uid` = 0 AND `item`.$ordering < ? AND `item`.$ordering > ? AND NOT `contact`.`hidden` AND NOT `contact`.`blocked`" . $sql_tag_nets, - local_user(), TERM_OBJ_POST, TERM_HASHTAG, intval(CONTACT_IS_SHARING), $top_limit, $bottom_limit); + local_user(), TERM_OBJ_POST, TERM_HASHTAG, intval(CONTACT_IS_FOLLOWER), $top_limit, $bottom_limit); $data = dba::inArray($items); From e860cdf6a8769c8441ed3dba33f192898c78ab40 Mon Sep 17 00:00:00 2001 From: Alexandre Alapetite Date: Sun, 8 Apr 2018 16:02:25 +0200 Subject: [PATCH 008/112] Swap if / elseif https://github.com/friendica/friendica/pull/4782#discussion_r179947984 --- src/Model/User.php | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/src/Model/User.php b/src/Model/User.php index 6178906aa..27f7ff66f 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -127,18 +127,18 @@ class User { $user = self::getAuthenticationInfo($user_info); - if (password_verify($password, $user['password'])) { - if (password_needs_rehash($user['password'], PASSWORD_DEFAULT)) { - self::updatePassword($user['uid'], $password); - } - - return $user['uid']; - } elseif (strpos($user['password'], '$') === false) { + if (strpos($user['password'], '$') === false) { if (self::hashPasswordLegacy($password) === $user['password']) { self::updatePassword($user['uid'], $password); return $user['uid']; } + } elseif (password_verify($password, $user['password'])) { + if (password_needs_rehash($user['password'], PASSWORD_DEFAULT)) { + self::updatePassword($user['uid'], $password); + } + + return $user['uid']; } throw new Exception(L10n::t('Login failed')); From 5c2b54009e0d1ef8b283fbf8b6937f00a253ae61 Mon Sep 17 00:00:00 2001 From: Michael Date: Sun, 8 Apr 2018 19:17:50 +0000 Subject: [PATCH 009/112] The magic link is added at more places --- mod/dirfind.php | 2 +- src/Model/Profile.php | 25 +++++++++++++++++++++++++ 2 files changed, 26 insertions(+), 1 deletion(-) diff --git a/mod/dirfind.php b/mod/dirfind.php index a5b26a919..14ceb6dae 100644 --- a/mod/dirfind.php +++ b/mod/dirfind.php @@ -223,7 +223,7 @@ function dirfind_content(App $a, $prefix = "") { $entry = [ 'alt_text' => $alt_text, - 'url' => Profile::zrl($jj->url), + 'url' => Profile::magicLink($jj->url), 'itemurl' => $itemurl, 'name' => htmlentities($jj->name), 'thumb' => proxy_url($jj->photo, false, PROXY_SIZE_THUMB), diff --git a/src/Model/Profile.php b/src/Model/Profile.php index e493d82d5..ec53d064d 100644 --- a/src/Model/Profile.php +++ b/src/Model/Profile.php @@ -500,6 +500,8 @@ class Profile $p['photo'] = proxy_url($p['photo'], false, PROXY_SIZE_SMALL); } + $p['url'] = self::magicLink($p['url']); + $tpl = get_markup_template('profile_vcard.tpl'); $o .= replace_macros($tpl, [ '$profile' => $p, @@ -1005,6 +1007,29 @@ class Profile } } + /** + * @brief Returns a magic link to authenticate remote visitors + * + * @param string $contact_url The address of the contact profile + * @param integer $uid The user id, "local_user" is the default + * + * @return string with "redir" link + */ + public static function magicLink($contact_url, $uid = -1) + { + if ($uid == -1) { + $uid = local_user(); + } + $condition = ['pending' => false, 'uid' => $uid, + 'nurl' => normalise_link($contact_url), + 'network' => NETWORK_DFRN, 'self' => false]; + $contact = dba::selectFirst('contact', ['id'], $condition); + if (DBM::is_result($contact)) { + return System::baseUrl() . '/redir/' . $contact['id']; + } + return self::zrl($contact_url); + } + public static function zrl($s, $force = false) { if (!strlen($s)) { From 7563adcc7df0a3a6a7b4d3865f7293abd4211c1a Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Sun, 8 Apr 2018 20:47:16 -0400 Subject: [PATCH 010/112] Use positive form for relationship check in mod/network --- mod/network.php | 16 ++++++++++------ 1 file changed, 10 insertions(+), 6 deletions(-) diff --git a/mod/network.php b/mod/network.php index 940787240..c8a21aecb 100644 --- a/mod/network.php +++ b/mod/network.php @@ -771,12 +771,13 @@ function networkThreadedView(App $a, $update, $parent) FROM `item` $sql_post_table STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` IN (0, %d) OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR `contact`.`rel` IN (%d, %d) AND NOT `contact`.`readonly`) WHERE `item`.`uid` = %d AND `item`.`visible` AND NOT `item`.`deleted` AND NOT `item`.`moderated` AND $sql_extra4 $sql_extra3 $sql_extra $sql_range $sql_nets ORDER BY `order_date` DESC LIMIT 100", - intval(CONTACT_IS_FOLLOWER), + intval(CONTACT_IS_SHARING), + intval(CONTACT_IS_FRIEND), intval(local_user()) ); } else { @@ -785,12 +786,13 @@ function networkThreadedView(App $a, $update, $parent) STRAIGHT_JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) STRAIGHT_JOIN `item` ON `item`.`id` = `thread`.`iid` - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` IN (0, %d) OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR `contact`.`rel` IN (%d, %d) AND NOT `contact`.`readonly`) WHERE `thread`.`uid` = %d AND `thread`.`visible` AND NOT `thread`.`deleted` AND NOT `thread`.`moderated` $sql_extra2 $sql_extra3 $sql_range $sql_extra $sql_nets ORDER BY `order_date` DESC $pager_sql", - intval(CONTACT_IS_FOLLOWER), + intval(CONTACT_IS_SHARING), + intval(CONTACT_IS_FRIEND), intval(local_user()) ); } @@ -831,10 +833,12 @@ function networkThreadedView(App $a, $update, $parent) (SELECT SUBSTR(`term`, 2) FROM `search` WHERE `uid` = ? AND `term` LIKE '#%') AND `otype` = ? AND `type` = ? AND `uid` = 0) AS `term` ON `item`.`id` = `term`.`oid` STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`author-id` - AND (`item`.`parent-uri` != `item`.`uri` OR NOT (`contact`.`rel` IN (0, %d) OR `contact`.`readonly`)) + AND (`item`.`parent-uri` != `item`.`uri` OR `contact`.`rel` IN (?, ?) AND NOT `contact`.`readonly`) WHERE `item`.`uid` = 0 AND `item`.$ordering < ? AND `item`.$ordering > ? AND NOT `contact`.`hidden` AND NOT `contact`.`blocked`" . $sql_tag_nets, - local_user(), TERM_OBJ_POST, TERM_HASHTAG, intval(CONTACT_IS_FOLLOWER), $top_limit, $bottom_limit); + local_user(), TERM_OBJ_POST, TERM_HASHTAG, + intval(CONTACT_IS_SHARING), intval(CONTACT_IS_FRIEND), + $top_limit, $bottom_limit); $data = dba::inArray($items); From 105f3ca7479c20e118b47b3ec03f8c1b3ff8656f Mon Sep 17 00:00:00 2001 From: Michael Date: Mon, 9 Apr 2018 05:53:23 +0000 Subject: [PATCH 011/112] Relay: Avoid empty tags / Always use the "relay account" --- mod/_well_known.php | 8 ++++++-- src/Protocol/Diaspora.php | 26 +++++++++++++------------- 2 files changed, 19 insertions(+), 15 deletions(-) diff --git a/mod/_well_known.php b/mod/_well_known.php index 25289171f..c5bee3fda 100644 --- a/mod/_well_known.php +++ b/mod/_well_known.php @@ -46,8 +46,10 @@ function wk_social_relay() $server_tags = Config::get('system', 'relay_server_tags'); $tagitems = explode(",", $server_tags); + /// @todo Check if it was better to use "strtolower" on the tags foreach ($tagitems AS $tag) { - $tags[trim($tag, "# ")] = trim($tag, "# "); + $tag = trim($tag, "# "); + $tags[$tag] = $tag; } if (Config::get('system', 'relay_user_tags')) { @@ -62,7 +64,9 @@ function wk_social_relay() $taglist = []; foreach ($tags AS $tag) { - $taglist[] = $tag; + if (!empty($tag)) { + $taglist[] = $tag; + } } $relay = [ diff --git a/src/Protocol/Diaspora.php b/src/Protocol/Diaspora.php index 75e382075..79e7c0963 100644 --- a/src/Protocol/Diaspora.php +++ b/src/Protocol/Diaspora.php @@ -123,30 +123,30 @@ class Diaspora { $batch = $server_url . '/receive/public'; - $fields = ['batch', 'id', 'name', 'network', 'nick', - 'url', 'archive', 'blocked', 'contact-type']; - // Fetch the first unarchived, unblocked account + $fields = ['batch', 'id', 'name', 'network', 'archive', 'blocked']; + + // Fetch the relay contact $condition = ['uid' => 0, 'network' => NETWORK_DIASPORA, 'batch' => $batch, - 'archive' => false, 'blocked' => false]; + 'contact-type' => ACCOUNT_TYPE_RELAY]; $contact = dba::selectFirst('contact', $fields, $condition); - // If there is nothing found, we check if there is already a relay account + // If there is nothing found, we check if there is some unmarked relay + // This code segment can be removed before the release 2018-05 if (!DBM::is_result($contact)) { $condition = ['uid' => 0, 'network' => NETWORK_DIASPORA, 'batch' => $batch, - 'contact-type' => ACCOUNT_TYPE_RELAY]; + 'name' => 'relay', 'nick' => 'relay', 'url' => $server_url]; $contact = dba::selectFirst('contact', $fields, $condition); + + if (DBM::is_result($contact)) { + // Mark the relay account as a relay account + $fields = ['contact-type' => ACCOUNT_TYPE_RELAY]; + dba::update('contact', $fields, ['id' => $contact['id']]); + } } if (DBM::is_result($contact)) { if ($contact['archive'] || $contact['blocked']) { return false; } - - // Mark relay accounts as a relay, if this hadn't been the case before - if (($contact['url'] == $server_url) && ($contact['nick'] == 'relay') && - ($contact['name'] == 'relay') && ($contact['contact-type'] != ACCOUNT_TYPE_RELAY)) { - $fields = ['contact-type' => ACCOUNT_TYPE_RELAY]; - dba::update('contact', $fields, ['id' => $contact['id']]); - } return $contact; } else { $fields = ['uid' => 0, 'created' => DateTimeFormat::utcNow(), From ca3325bcbbf16effc970d79e99662dd96c667c4b Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 9 Apr 2018 10:17:25 +0200 Subject: [PATCH 012/112] updated translations --- view/lang/en-gb/messages.po | 9100 +++++++++++------------ view/lang/en-gb/strings.php | 1527 ++-- view/lang/fi-fi/messages.po | 3003 ++++---- view/lang/fi-fi/strings.php | 705 +- view/lang/pl/messages.po | 36 +- view/lang/pl/strings.php | 34 +- view/lang/ru/messages.po | 13296 ++++++++++++++++++---------------- view/lang/ru/strings.php | 3927 +++++----- 8 files changed, 16319 insertions(+), 15309 deletions(-) diff --git a/view/lang/en-gb/messages.po b/view/lang/en-gb/messages.po index 0e67f49aa..d7608cd4d 100644 --- a/view/lang/en-gb/messages.po +++ b/view/lang/en-gb/messages.po @@ -4,13 +4,14 @@ # # Translators: # Andy H3 , 2017-2018 +# Kris, 2018 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-03-05 16:37+0100\n" -"PO-Revision-Date: 2018-03-06 03:51+0000\n" -"Last-Translator: Andy H3 \n" +"POT-Creation-Date: 2018-04-06 16:58+0200\n" +"PO-Revision-Date: 2018-04-08 17:48+0000\n" +"Last-Translator: Kris\n" "Language-Team: English (United Kingdom) (http://www.transifex.com/Friendica/friendica/language/en_GB/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -36,254 +37,288 @@ msgid "" "form has been opened for too long (>3 hours) before submitting it." msgstr "The form security token was incorrect. This probably happened because the form has not been submitted within 3 hours." -#: include/enotify.php:33 +#: include/dba.php:57 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Cannot locate DNS info for database server '%s'" + +#: include/api.php:1199 +#, php-format +msgid "Daily posting limit of %d post reached. The post was rejected." +msgid_plural "Daily posting limit of %d posts reached. The post was rejected." +msgstr[0] "Daily posting limit of %d post reached. The post was rejected." +msgstr[1] "Daily posting limit of %d posts are reached. This post was rejected." + +#: include/api.php:1223 +#, php-format +msgid "Weekly posting limit of %d post reached. The post was rejected." +msgid_plural "" +"Weekly posting limit of %d posts reached. The post was rejected." +msgstr[0] "Weekly posting limit of %d post reached. The post was rejected." +msgstr[1] "Weekly posting limit of %d posts are reached. This post was rejected." + +#: include/api.php:1247 +#, php-format +msgid "Monthly posting limit of %d post reached. The post was rejected." +msgstr "Monthly posting limit of %d posts are reached. The post was rejected." + +#: include/api.php:4400 mod/photos.php:88 mod/photos.php:194 +#: mod/photos.php:722 mod/photos.php:1149 mod/photos.php:1166 +#: mod/photos.php:1684 mod/profile_photo.php:85 mod/profile_photo.php:93 +#: mod/profile_photo.php:101 mod/profile_photo.php:211 +#: mod/profile_photo.php:302 mod/profile_photo.php:312 src/Model/User.php:539 +#: src/Model/User.php:547 src/Model/User.php:555 +msgid "Profile Photos" +msgstr "Profile photos" + +#: include/enotify.php:31 msgid "Friendica Notification" msgstr "Friendica notification" -#: include/enotify.php:36 +#: include/enotify.php:34 msgid "Thank You," msgstr "Thank you" -#: include/enotify.php:39 +#: include/enotify.php:37 #, php-format msgid "%s Administrator" msgstr "%s Administrator" -#: include/enotify.php:41 +#: include/enotify.php:39 #, php-format msgid "%1$s, %2$s Administrator" msgstr "%1$s, %2$s Administrator" -#: include/enotify.php:52 src/Worker/Delivery.php:403 +#: include/enotify.php:50 src/Worker/Delivery.php:404 msgid "noreply" msgstr "noreply" -#: include/enotify.php:100 +#: include/enotify.php:98 #, php-format msgid "[Friendica:Notify] New mail received at %s" msgstr "[Friendica:Notify] New mail received at %s" -#: include/enotify.php:102 +#: include/enotify.php:100 #, php-format msgid "%1$s sent you a new private message at %2$s." msgstr "%1$s sent you a new private message at %2$s." -#: include/enotify.php:103 +#: include/enotify.php:101 msgid "a private message" msgstr "a private message" -#: include/enotify.php:103 +#: include/enotify.php:101 #, php-format msgid "%1$s sent you %2$s." msgstr "%1$s sent you %2$s." -#: include/enotify.php:105 +#: include/enotify.php:103 #, php-format msgid "Please visit %s to view and/or reply to your private messages." msgstr "Please visit %s to view or reply to your private messages." -#: include/enotify.php:143 +#: include/enotify.php:141 #, php-format msgid "%1$s commented on [url=%2$s]a %3$s[/url]" msgstr "%1$s commented on [url=%2$s]a %3$s[/url]" -#: include/enotify.php:151 +#: include/enotify.php:149 #, php-format msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" msgstr "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -#: include/enotify.php:161 +#: include/enotify.php:159 #, php-format msgid "%1$s commented on [url=%2$s]your %3$s[/url]" msgstr "%1$s commented on [url=%2$s]your %3$s[/url]" -#: include/enotify.php:173 +#: include/enotify.php:171 #, php-format msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" msgstr "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -#: include/enotify.php:175 +#: include/enotify.php:173 #, php-format msgid "%s commented on an item/conversation you have been following." msgstr "%s commented on an item/conversation you have been following." -#: include/enotify.php:178 include/enotify.php:193 include/enotify.php:208 -#: include/enotify.php:223 include/enotify.php:242 include/enotify.php:257 +#: include/enotify.php:176 include/enotify.php:191 include/enotify.php:206 +#: include/enotify.php:221 include/enotify.php:240 include/enotify.php:255 #, php-format msgid "Please visit %s to view and/or reply to the conversation." msgstr "Please visit %s to view or reply to the conversation." -#: include/enotify.php:185 +#: include/enotify.php:183 #, php-format msgid "[Friendica:Notify] %s posted to your profile wall" msgstr "[Friendica:Notify] %s posted to your profile wall" -#: include/enotify.php:187 +#: include/enotify.php:185 #, php-format msgid "%1$s posted to your profile wall at %2$s" msgstr "%1$s posted to your profile wall at %2$s" -#: include/enotify.php:188 +#: include/enotify.php:186 #, php-format msgid "%1$s posted to [url=%2$s]your wall[/url]" msgstr "%1$s posted to [url=%2$s]your wall[/url]" -#: include/enotify.php:200 +#: include/enotify.php:198 #, php-format msgid "[Friendica:Notify] %s tagged you" msgstr "[Friendica:Notify] %s tagged you" -#: include/enotify.php:202 +#: include/enotify.php:200 #, php-format msgid "%1$s tagged you at %2$s" msgstr "%1$s tagged you at %2$s" -#: include/enotify.php:203 +#: include/enotify.php:201 #, php-format msgid "%1$s [url=%2$s]tagged you[/url]." msgstr "%1$s [url=%2$s]tagged you[/url]." -#: include/enotify.php:215 +#: include/enotify.php:213 #, php-format msgid "[Friendica:Notify] %s shared a new post" msgstr "[Friendica:Notify] %s shared a new post" -#: include/enotify.php:217 +#: include/enotify.php:215 #, php-format msgid "%1$s shared a new post at %2$s" msgstr "%1$s shared a new post at %2$s" -#: include/enotify.php:218 +#: include/enotify.php:216 #, php-format msgid "%1$s [url=%2$s]shared a post[/url]." msgstr "%1$s [url=%2$s]shared a post[/url]." -#: include/enotify.php:230 +#: include/enotify.php:228 #, php-format msgid "[Friendica:Notify] %1$s poked you" msgstr "[Friendica:Notify] %1$s poked you" -#: include/enotify.php:232 +#: include/enotify.php:230 #, php-format msgid "%1$s poked you at %2$s" msgstr "%1$s poked you at %2$s" -#: include/enotify.php:233 +#: include/enotify.php:231 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." msgstr "%1$s [url=%2$s]poked you[/url]." -#: include/enotify.php:249 +#: include/enotify.php:247 #, php-format msgid "[Friendica:Notify] %s tagged your post" msgstr "[Friendica:Notify] %s tagged your post" -#: include/enotify.php:251 +#: include/enotify.php:249 #, php-format msgid "%1$s tagged your post at %2$s" msgstr "%1$s tagged your post at %2$s" -#: include/enotify.php:252 +#: include/enotify.php:250 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" msgstr "%1$s tagged [url=%2$s]your post[/url]" -#: include/enotify.php:264 +#: include/enotify.php:262 msgid "[Friendica:Notify] Introduction received" msgstr "[Friendica:Notify] Introduction received" -#: include/enotify.php:266 +#: include/enotify.php:264 #, php-format msgid "You've received an introduction from '%1$s' at %2$s" msgstr "You've received an introduction from '%1$s' at %2$s" -#: include/enotify.php:267 +#: include/enotify.php:265 #, php-format msgid "You've received [url=%1$s]an introduction[/url] from %2$s." msgstr "You've received [url=%1$s]an introduction[/url] from %2$s." -#: include/enotify.php:272 include/enotify.php:318 +#: include/enotify.php:270 include/enotify.php:316 #, php-format msgid "You may visit their profile at %s" msgstr "You may visit their profile at %s" -#: include/enotify.php:274 +#: include/enotify.php:272 #, php-format msgid "Please visit %s to approve or reject the introduction." msgstr "Please visit %s to approve or reject the introduction." -#: include/enotify.php:282 +#: include/enotify.php:280 msgid "[Friendica:Notify] A new person is sharing with you" msgstr "[Friendica:Notify] A new person is sharing with you" -#: include/enotify.php:284 include/enotify.php:285 +#: include/enotify.php:282 include/enotify.php:283 #, php-format msgid "%1$s is sharing with you at %2$s" msgstr "%1$s is sharing with you at %2$s" -#: include/enotify.php:292 +#: include/enotify.php:290 msgid "[Friendica:Notify] You have a new follower" msgstr "[Friendica:Notify] You have a new follower" -#: include/enotify.php:294 include/enotify.php:295 +#: include/enotify.php:292 include/enotify.php:293 #, php-format msgid "You have a new follower at %2$s : %1$s" msgstr "You have a new follower at %2$s : %1$s" -#: include/enotify.php:307 +#: include/enotify.php:305 msgid "[Friendica:Notify] Friend suggestion received" msgstr "[Friendica:Notify] Friend suggestion received" -#: include/enotify.php:309 +#: include/enotify.php:307 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" msgstr "You've received a friend suggestion from '%1$s' at %2$s" -#: include/enotify.php:310 +#: include/enotify.php:308 #, php-format msgid "" "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." msgstr "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -#: include/enotify.php:316 +#: include/enotify.php:314 msgid "Name:" msgstr "Name:" -#: include/enotify.php:317 +#: include/enotify.php:315 msgid "Photo:" msgstr "Photo:" -#: include/enotify.php:320 +#: include/enotify.php:318 #, php-format msgid "Please visit %s to approve or reject the suggestion." msgstr "Please visit %s to approve or reject the suggestion." -#: include/enotify.php:328 include/enotify.php:343 +#: include/enotify.php:326 include/enotify.php:341 msgid "[Friendica:Notify] Connection accepted" msgstr "[Friendica:Notify] Connection accepted" -#: include/enotify.php:330 include/enotify.php:345 +#: include/enotify.php:328 include/enotify.php:343 #, php-format msgid "'%1$s' has accepted your connection request at %2$s" msgstr "'%1$s' has accepted your connection request at %2$s" -#: include/enotify.php:331 include/enotify.php:346 +#: include/enotify.php:329 include/enotify.php:344 #, php-format msgid "%2$s has accepted your [url=%1$s]connection request[/url]." msgstr "%2$s has accepted your [url=%1$s]connection request[/url]." -#: include/enotify.php:336 +#: include/enotify.php:334 msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." msgstr "You are now mutual friends and may exchange status updates, photos, and email without restriction." -#: include/enotify.php:338 +#: include/enotify.php:336 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Please visit %s if you wish to make any changes to this relationship." -#: include/enotify.php:351 +#: include/enotify.php:349 #, php-format msgid "" "'%1$s' has chosen to accept you a fan, which restricts some forms of " @@ -292,291 +327,45 @@ msgid "" "automatically." msgstr "'%1$s' has chosen to accept you as fan. This restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically." -#: include/enotify.php:353 +#: include/enotify.php:351 #, php-format msgid "" "'%1$s' may choose to extend this into a two-way or more permissive " "relationship in the future." msgstr "'%1$s' may choose to extend this into a two-way or more permissive relationship in the future." -#: include/enotify.php:355 +#: include/enotify.php:353 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Please visit %s if you wish to make any changes to this relationship." -#: include/enotify.php:365 +#: include/enotify.php:363 msgid "[Friendica System:Notify] registration request" msgstr "[Friendica:Notify] registration request" -#: include/enotify.php:367 +#: include/enotify.php:365 #, php-format msgid "You've received a registration request from '%1$s' at %2$s" msgstr "You've received a registration request from '%1$s' at %2$s." -#: include/enotify.php:368 +#: include/enotify.php:366 #, php-format msgid "You've received a [url=%1$s]registration request[/url] from %2$s." msgstr "You've received a [url=%1$s]registration request[/url] from %2$s." -#: include/enotify.php:373 +#: include/enotify.php:371 #, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s(" -msgstr "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s(" +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "" -#: include/enotify.php:379 +#: include/enotify.php:377 #, php-format msgid "Please visit %s to approve or reject the request." msgstr "Please visit %s to approve or reject the request." -#: include/event.php:26 include/event.php:914 include/bb2diaspora.php:238 -#: mod/localtime.php:19 -msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" - -#: include/event.php:45 include/event.php:62 include/event.php:471 -#: include/event.php:992 include/bb2diaspora.php:245 -msgid "Starts:" -msgstr "Starts:" - -#: include/event.php:48 include/event.php:68 include/event.php:472 -#: include/event.php:996 include/bb2diaspora.php:251 -msgid "Finishes:" -msgstr "Finishes:" - -#: include/event.php:52 include/event.php:77 include/event.php:473 -#: include/event.php:1010 include/bb2diaspora.php:258 -#: mod/notifications.php:247 mod/contacts.php:651 mod/directory.php:149 -#: mod/events.php:521 src/Model/Profile.php:417 -msgid "Location:" -msgstr "Location:" - -#: include/event.php:420 -msgid "all-day" -msgstr "All-day" - -#: include/event.php:422 include/text.php:1111 -msgid "Sun" -msgstr "Sun" - -#: include/event.php:423 include/text.php:1111 -msgid "Mon" -msgstr "Mon" - -#: include/event.php:424 include/text.php:1111 -msgid "Tue" -msgstr "Tue" - -#: include/event.php:425 include/text.php:1111 -msgid "Wed" -msgstr "Wed" - -#: include/event.php:426 include/text.php:1111 -msgid "Thu" -msgstr "Thu" - -#: include/event.php:427 include/text.php:1111 -msgid "Fri" -msgstr "Fri" - -#: include/event.php:428 include/text.php:1111 -msgid "Sat" -msgstr "Sat" - -#: include/event.php:430 include/text.php:1093 mod/settings.php:945 -msgid "Sunday" -msgstr "Sunday" - -#: include/event.php:431 include/text.php:1093 mod/settings.php:945 -msgid "Monday" -msgstr "Monday" - -#: include/event.php:432 include/text.php:1093 -msgid "Tuesday" -msgstr "Tuesday" - -#: include/event.php:433 include/text.php:1093 -msgid "Wednesday" -msgstr "Wednesday" - -#: include/event.php:434 include/text.php:1093 -msgid "Thursday" -msgstr "Thursday" - -#: include/event.php:435 include/text.php:1093 -msgid "Friday" -msgstr "Friday" - -#: include/event.php:436 include/text.php:1093 -msgid "Saturday" -msgstr "Saturday" - -#: include/event.php:438 include/text.php:1114 -msgid "Jan" -msgstr "Jan" - -#: include/event.php:439 include/text.php:1114 -msgid "Feb" -msgstr "Feb" - -#: include/event.php:440 include/text.php:1114 -msgid "Mar" -msgstr "Mar" - -#: include/event.php:441 include/text.php:1114 -msgid "Apr" -msgstr "Apr" - -#: include/event.php:442 include/event.php:455 include/text.php:1097 -#: include/text.php:1114 -msgid "May" -msgstr "May" - -#: include/event.php:443 -msgid "Jun" -msgstr "Jun" - -#: include/event.php:444 include/text.php:1114 -msgid "Jul" -msgstr "Jul" - -#: include/event.php:445 include/text.php:1114 -msgid "Aug" -msgstr "Aug" - -#: include/event.php:446 -msgid "Sept" -msgstr "Sep" - -#: include/event.php:447 include/text.php:1114 -msgid "Oct" -msgstr "Oct" - -#: include/event.php:448 include/text.php:1114 -msgid "Nov" -msgstr "Nov" - -#: include/event.php:449 include/text.php:1114 -msgid "Dec" -msgstr "Dec" - -#: include/event.php:451 include/text.php:1097 -msgid "January" -msgstr "January" - -#: include/event.php:452 include/text.php:1097 -msgid "February" -msgstr "February" - -#: include/event.php:453 include/text.php:1097 -msgid "March" -msgstr "March" - -#: include/event.php:454 include/text.php:1097 -msgid "April" -msgstr "April" - -#: include/event.php:456 include/text.php:1097 -msgid "June" -msgstr "June" - -#: include/event.php:457 include/text.php:1097 -msgid "July" -msgstr "July" - -#: include/event.php:458 include/text.php:1097 -msgid "August" -msgstr "August" - -#: include/event.php:459 include/text.php:1097 -msgid "September" -msgstr "September" - -#: include/event.php:460 include/text.php:1097 -msgid "October" -msgstr "October" - -#: include/event.php:461 include/text.php:1097 -msgid "November" -msgstr "November" - -#: include/event.php:462 include/text.php:1097 -msgid "December" -msgstr "December" - -#: include/event.php:464 mod/cal.php:280 mod/events.php:401 -msgid "today" -msgstr "today" - -#: include/event.php:465 mod/cal.php:281 mod/events.php:402 -#: src/Util/Temporal.php:304 -msgid "month" -msgstr "month" - -#: include/event.php:466 mod/cal.php:282 mod/events.php:403 -#: src/Util/Temporal.php:305 -msgid "week" -msgstr "week" - -#: include/event.php:467 mod/cal.php:283 mod/events.php:404 -#: src/Util/Temporal.php:306 -msgid "day" -msgstr "day" - -#: include/event.php:469 -msgid "No events to display" -msgstr "No events to display" - -#: include/event.php:583 -msgid "l, F j" -msgstr "l, F j" - -#: include/event.php:607 -msgid "Edit event" -msgstr "Edit event" - -#: include/event.php:608 -msgid "Duplicate event" -msgstr "Duplicate event" - -#: include/event.php:609 -msgid "Delete event" -msgstr "Delete event" - -#: include/event.php:636 include/text.php:1508 include/text.php:1515 -msgid "link to source" -msgstr "Link to source" - -#: include/event.php:896 -msgid "Export" -msgstr "Export" - -#: include/event.php:897 -msgid "Export calendar as ical" -msgstr "Export calendar as ical" - -#: include/event.php:898 -msgid "Export calendar as csv" -msgstr "Export calendar as csv" - -#: include/event.php:915 -msgid "D g:i A" -msgstr "D g:i A" - -#: include/event.php:916 -msgid "g:i A" -msgstr "g:i A" - -#: include/event.php:1011 include/event.php:1013 -msgid "Show map" -msgstr "Show map" - -#: include/event.php:1012 -msgid "Hide map" -msgstr "Hide map" - #: include/items.php:342 mod/notice.php:22 mod/viewsrc.php:21 -#: mod/admin.php:269 mod/admin.php:1762 mod/admin.php:2010 mod/display.php:70 -#: mod/display.php:247 mod/display.php:349 +#: mod/display.php:72 mod/display.php:252 mod/display.php:354 +#: mod/admin.php:276 mod/admin.php:1854 mod/admin.php:2102 msgid "Item not found." msgstr "Item not found." @@ -585,44 +374,44 @@ msgid "Do you really want to delete this item?" msgstr "Do you really want to delete this item?" #: include/items.php:384 mod/api.php:110 mod/suggest.php:38 -#: mod/profiles.php:649 mod/profiles.php:652 mod/profiles.php:674 -#: mod/contacts.php:464 mod/dfrn_request.php:653 mod/follow.php:148 -#: mod/register.php:237 mod/message.php:138 mod/settings.php:1109 -#: mod/settings.php:1115 mod/settings.php:1122 mod/settings.php:1126 -#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 -#: mod/settings.php:1142 mod/settings.php:1162 mod/settings.php:1163 -#: mod/settings.php:1164 mod/settings.php:1165 mod/settings.php:1166 +#: mod/dfrn_request.php:653 mod/message.php:138 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:639 mod/profiles.php:661 +#: mod/contacts.php:472 mod/register.php:237 mod/settings.php:1105 +#: mod/settings.php:1111 mod/settings.php:1118 mod/settings.php:1122 +#: mod/settings.php:1126 mod/settings.php:1130 mod/settings.php:1134 +#: mod/settings.php:1138 mod/settings.php:1158 mod/settings.php:1159 +#: mod/settings.php:1160 mod/settings.php:1161 mod/settings.php:1162 msgid "Yes" msgstr "Yes" -#: include/items.php:387 include/conversation.php:1373 mod/fbrowser.php:103 -#: mod/fbrowser.php:134 mod/suggest.php:41 mod/unfollow.php:117 -#: mod/contacts.php:467 mod/dfrn_request.php:663 mod/follow.php:159 -#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:151 mod/message.php:141 -#: mod/photos.php:248 mod/photos.php:324 mod/settings.php:680 -#: mod/settings.php:706 mod/videos.php:148 +#: include/items.php:387 include/conversation.php:1378 mod/fbrowser.php:103 +#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 +#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 +#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 +#: mod/unfollow.php:117 mod/follow.php:161 mod/contacts.php:475 +#: mod/settings.php:676 mod/settings.php:702 msgid "Cancel" msgstr "Cancel" #: include/items.php:401 mod/allfriends.php:21 mod/api.php:35 mod/api.php:40 #: mod/attach.php:38 mod/common.php:26 mod/crepair.php:98 mod/nogroup.php:28 -#: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/unfollow.php:15 -#: mod/unfollow.php:57 mod/unfollow.php:90 mod/uimport.php:28 -#: mod/dirfind.php:24 mod/notifications.php:73 mod/ostatus_subscribe.php:16 -#: mod/cal.php:304 mod/dfrn_confirm.php:68 mod/invite.php:20 -#: mod/invite.php:106 mod/manage.php:131 mod/profiles.php:181 -#: mod/profiles.php:619 mod/wall_attach.php:74 mod/wall_attach.php:77 -#: mod/contacts.php:378 mod/delegate.php:24 mod/delegate.php:38 -#: mod/follow.php:16 mod/follow.php:53 mod/follow.php:116 mod/poke.php:150 -#: mod/profile_photo.php:29 mod/profile_photo.php:188 -#: mod/profile_photo.php:199 mod/profile_photo.php:212 mod/regmod.php:108 -#: mod/viewcontacts.php:57 mod/wall_upload.php:103 mod/wall_upload.php:106 +#: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/uimport.php:28 +#: mod/notifications.php:73 mod/dfrn_confirm.php:68 mod/invite.php:20 +#: mod/invite.php:106 mod/wall_attach.php:74 mod/wall_attach.php:77 +#: mod/manage.php:131 mod/regmod.php:108 mod/viewcontacts.php:57 #: mod/wallmessage.php:16 mod/wallmessage.php:40 mod/wallmessage.php:79 -#: mod/wallmessage.php:103 mod/item.php:160 mod/register.php:53 -#: mod/editpost.php:20 mod/events.php:195 mod/fsuggest.php:81 mod/group.php:26 -#: mod/message.php:59 mod/message.php:104 mod/network.php:32 mod/notes.php:30 -#: mod/photos.php:174 mod/photos.php:1051 mod/settings.php:41 -#: mod/settings.php:140 mod/settings.php:669 index.php:413 +#: mod/wallmessage.php:103 mod/poke.php:150 mod/wall_upload.php:103 +#: mod/wall_upload.php:106 mod/editpost.php:18 mod/fsuggest.php:80 +#: mod/group.php:26 mod/item.php:160 mod/message.php:59 mod/message.php:104 +#: mod/network.php:32 mod/notes.php:30 mod/photos.php:174 mod/photos.php:1051 +#: mod/delegate.php:25 mod/delegate.php:43 mod/delegate.php:54 +#: mod/dirfind.php:25 mod/ostatus_subscribe.php:16 mod/unfollow.php:15 +#: mod/unfollow.php:57 mod/unfollow.php:90 mod/cal.php:304 mod/events.php:194 +#: mod/profile_photo.php:30 mod/profile_photo.php:176 +#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/follow.php:17 +#: mod/follow.php:54 mod/follow.php:118 mod/profiles.php:182 +#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 +#: mod/settings.php:42 mod/settings.php:141 mod/settings.php:665 index.php:416 msgid "Permission denied." msgstr "Permission denied." @@ -630,12 +419,452 @@ msgstr "Permission denied." msgid "Archives" msgstr "Archives" -#: include/items.php:477 view/theme/vier/theme.php:259 -#: src/Content/ForumManager.php:130 src/Content/Widget.php:312 -#: src/Object/Post.php:422 src/App.php:514 +#: include/items.php:477 src/Content/ForumManager.php:130 +#: src/Content/Widget.php:312 src/Object/Post.php:430 src/App.php:512 +#: view/theme/vier/theme.php:259 msgid "show more" msgstr "Show more..." +#: include/conversation.php:144 include/conversation.php:282 +#: include/text.php:1774 src/Model/Item.php:1795 +msgid "event" +msgstr "event" + +#: include/conversation.php:147 include/conversation.php:157 +#: include/conversation.php:285 include/conversation.php:294 +#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 +#: src/Protocol/Diaspora.php:2010 +msgid "status" +msgstr "status" + +#: include/conversation.php:152 include/conversation.php:290 +#: include/text.php:1776 mod/subthread.php:97 mod/tagger.php:72 +#: src/Model/Item.php:1793 +msgid "photo" +msgstr "photo" + +#: include/conversation.php:164 src/Model/Item.php:1666 +#: src/Protocol/Diaspora.php:2006 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s likes %2$s's %3$s" + +#: include/conversation.php:167 src/Model/Item.php:1671 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s doesn't like %2$s's %3$s" + +#: include/conversation.php:170 +#, php-format +msgid "%1$s attends %2$s's %3$s" +msgstr "%1$s goes to %2$s's %3$s" + +#: include/conversation.php:173 +#, php-format +msgid "%1$s doesn't attend %2$s's %3$s" +msgstr "%1$s doesn't go %2$s's %3$s" + +#: include/conversation.php:176 +#, php-format +msgid "%1$s attends maybe %2$s's %3$s" +msgstr "%1$s might go to %2$s's %3$s" + +#: include/conversation.php:209 mod/dfrn_confirm.php:431 +#: src/Protocol/Diaspora.php:2481 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s is now friends with %2$s" + +#: include/conversation.php:250 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s poked %2$s" + +#: include/conversation.php:304 mod/tagger.php:110 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s tagged %2$s's %3$s with %4$s" + +#: include/conversation.php:331 +msgid "post/item" +msgstr "Post/Item" + +#: include/conversation.php:332 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s marked %2$s's %3$s as favourite" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 +msgid "Likes" +msgstr "Likes" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 +msgid "Dislikes" +msgstr "Dislikes" + +#: include/conversation.php:606 include/conversation.php:1687 +#: mod/photos.php:1502 +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "Attending" +msgstr[1] "Attending" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Not attending" +msgstr "Not attending" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Might attend" +msgstr "Might attend" + +#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 +msgid "Select" +msgstr "Select" + +#: include/conversation.php:745 mod/photos.php:1570 mod/contacts.php:830 +#: mod/contacts.php:1035 mod/admin.php:1798 mod/settings.php:738 +#: src/Object/Post.php:179 +msgid "Delete" +msgstr "Delete" + +#: include/conversation.php:783 src/Object/Post.php:363 +#: src/Object/Post.php:364 +#, php-format +msgid "View %s's profile @ %s" +msgstr "View %s's profile @ %s" + +#: include/conversation.php:795 src/Object/Post.php:351 +msgid "Categories:" +msgstr "Categories:" + +#: include/conversation.php:796 src/Object/Post.php:352 +msgid "Filed under:" +msgstr "Filed under:" + +#: include/conversation.php:803 src/Object/Post.php:377 +#, php-format +msgid "%s from %s" +msgstr "%s from %s" + +#: include/conversation.php:818 +msgid "View in context" +msgstr "View in context" + +#: include/conversation.php:820 include/conversation.php:1360 +#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 +#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:402 +msgid "Please wait" +msgstr "Please wait" + +#: include/conversation.php:891 +msgid "remove" +msgstr "Remove" + +#: include/conversation.php:895 +msgid "Delete Selected Items" +msgstr "Delete selected items" + +#: include/conversation.php:1065 view/theme/frio/theme.php:352 +msgid "Follow Thread" +msgstr "Follow thread" + +#: include/conversation.php:1066 src/Model/Contact.php:640 +msgid "View Status" +msgstr "View status" + +#: include/conversation.php:1067 include/conversation.php:1083 +#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 +#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 +#: src/Model/Contact.php:593 src/Model/Contact.php:641 +msgid "View Profile" +msgstr "View profile" + +#: include/conversation.php:1068 src/Model/Contact.php:642 +msgid "View Photos" +msgstr "View photos" + +#: include/conversation.php:1069 src/Model/Contact.php:643 +msgid "Network Posts" +msgstr "Network posts" + +#: include/conversation.php:1070 src/Model/Contact.php:644 +msgid "View Contact" +msgstr "View contact" + +#: include/conversation.php:1071 src/Model/Contact.php:646 +msgid "Send PM" +msgstr "Send PM" + +#: include/conversation.php:1075 src/Model/Contact.php:647 +msgid "Poke" +msgstr "Poke" + +#: include/conversation.php:1080 mod/allfriends.php:74 mod/suggest.php:83 +#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 +#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 +msgid "Connect/Follow" +msgstr "Connect/Follow" + +#: include/conversation.php:1199 +#, php-format +msgid "%s likes this." +msgstr "%s likes this." + +#: include/conversation.php:1202 +#, php-format +msgid "%s doesn't like this." +msgstr "%s doesn't like this." + +#: include/conversation.php:1205 +#, php-format +msgid "%s attends." +msgstr "%s attends." + +#: include/conversation.php:1208 +#, php-format +msgid "%s doesn't attend." +msgstr "%s doesn't attend." + +#: include/conversation.php:1211 +#, php-format +msgid "%s attends maybe." +msgstr "%s may attend." + +#: include/conversation.php:1222 +msgid "and" +msgstr "and" + +#: include/conversation.php:1228 +#, php-format +msgid "and %d other people" +msgstr "and %d other people" + +#: include/conversation.php:1237 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d people like this" + +#: include/conversation.php:1238 +#, php-format +msgid "%s like this." +msgstr "%s like this." + +#: include/conversation.php:1241 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d people don't like this" + +#: include/conversation.php:1242 +#, php-format +msgid "%s don't like this." +msgstr "%s don't like this." + +#: include/conversation.php:1245 +#, php-format +msgid "%2$d people attend" +msgstr "%2$d people attend" + +#: include/conversation.php:1246 +#, php-format +msgid "%s attend." +msgstr "%s attend." + +#: include/conversation.php:1249 +#, php-format +msgid "%2$d people don't attend" +msgstr "%2$d people don't attend" + +#: include/conversation.php:1250 +#, php-format +msgid "%s don't attend." +msgstr "%s don't attend." + +#: include/conversation.php:1253 +#, php-format +msgid "%2$d people attend maybe" +msgstr "%2$d people attend maybe" + +#: include/conversation.php:1254 +#, php-format +msgid "%s attend maybe." +msgstr "%s may be attending." + +#: include/conversation.php:1284 include/conversation.php:1300 +msgid "Visible to everybody" +msgstr "Visible to everybody" + +#: include/conversation.php:1285 include/conversation.php:1301 +#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 +#: mod/message.php:207 mod/message.php:343 mod/message.php:350 +msgid "Please enter a link URL:" +msgstr "Please enter a link URL:" + +#: include/conversation.php:1286 include/conversation.php:1302 +msgid "Please enter a video link/URL:" +msgstr "Please enter a video link/URL:" + +#: include/conversation.php:1287 include/conversation.php:1303 +msgid "Please enter an audio link/URL:" +msgstr "Please enter an audio link/URL:" + +#: include/conversation.php:1288 include/conversation.php:1304 +msgid "Tag term:" +msgstr "Tag term:" + +#: include/conversation.php:1289 include/conversation.php:1305 +#: mod/filer.php:34 +msgid "Save to Folder:" +msgstr "Save to folder:" + +#: include/conversation.php:1290 include/conversation.php:1306 +msgid "Where are you right now?" +msgstr "Where are you right now?" + +#: include/conversation.php:1291 +msgid "Delete item(s)?" +msgstr "Delete item(s)?" + +#: include/conversation.php:1338 +msgid "New Post" +msgstr "" + +#: include/conversation.php:1341 +msgid "Share" +msgstr "Share" + +#: include/conversation.php:1342 mod/wallmessage.php:143 mod/editpost.php:111 +#: mod/message.php:262 mod/message.php:430 +msgid "Upload photo" +msgstr "Upload photo" + +#: include/conversation.php:1343 mod/editpost.php:112 +msgid "upload photo" +msgstr "upload photo" + +#: include/conversation.php:1344 mod/editpost.php:113 +msgid "Attach file" +msgstr "Attach file" + +#: include/conversation.php:1345 mod/editpost.php:114 +msgid "attach file" +msgstr "attach file" + +#: include/conversation.php:1346 mod/wallmessage.php:144 mod/editpost.php:115 +#: mod/message.php:263 mod/message.php:431 +msgid "Insert web link" +msgstr "Insert web link" + +#: include/conversation.php:1347 mod/editpost.php:116 +msgid "web link" +msgstr "web link" + +#: include/conversation.php:1348 mod/editpost.php:117 +msgid "Insert video link" +msgstr "Insert video link" + +#: include/conversation.php:1349 mod/editpost.php:118 +msgid "video link" +msgstr "video link" + +#: include/conversation.php:1350 mod/editpost.php:119 +msgid "Insert audio link" +msgstr "Insert audio link" + +#: include/conversation.php:1351 mod/editpost.php:120 +msgid "audio link" +msgstr "audio link" + +#: include/conversation.php:1352 mod/editpost.php:121 +msgid "Set your location" +msgstr "Set your location" + +#: include/conversation.php:1353 mod/editpost.php:122 +msgid "set location" +msgstr "set location" + +#: include/conversation.php:1354 mod/editpost.php:123 +msgid "Clear browser location" +msgstr "Clear browser location" + +#: include/conversation.php:1355 mod/editpost.php:124 +msgid "clear location" +msgstr "clear location" + +#: include/conversation.php:1357 mod/editpost.php:138 +msgid "Set title" +msgstr "Set title" + +#: include/conversation.php:1359 mod/editpost.php:140 +msgid "Categories (comma-separated list)" +msgstr "Categories (comma-separated list)" + +#: include/conversation.php:1361 mod/editpost.php:126 +msgid "Permission settings" +msgstr "Permission settings" + +#: include/conversation.php:1362 mod/editpost.php:155 +msgid "permissions" +msgstr "permissions" + +#: include/conversation.php:1370 mod/editpost.php:135 +msgid "Public post" +msgstr "Public post" + +#: include/conversation.php:1374 mod/editpost.php:146 mod/photos.php:1492 +#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 +#: src/Object/Post.php:805 +msgid "Preview" +msgstr "Preview" + +#: include/conversation.php:1383 +msgid "Post to Groups" +msgstr "Post to groups" + +#: include/conversation.php:1384 +msgid "Post to Contacts" +msgstr "Post to contacts" + +#: include/conversation.php:1385 +msgid "Private post" +msgstr "Private post" + +#: include/conversation.php:1390 mod/editpost.php:153 +#: src/Model/Profile.php:342 +msgid "Message" +msgstr "Message" + +#: include/conversation.php:1391 mod/editpost.php:154 +msgid "Browser" +msgstr "Browser" + +#: include/conversation.php:1658 +msgid "View all" +msgstr "View all" + +#: include/conversation.php:1681 +msgid "Like" +msgid_plural "Likes" +msgstr[0] "Like" +msgstr[1] "Likes" + +#: include/conversation.php:1684 +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "Dislike" +msgstr[1] "Dislikes" + +#: include/conversation.php:1690 +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "Not attending" +msgstr[1] "Not attending" + +#: include/conversation.php:1693 src/Content/ContactSelector.php:125 +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "Undecided" +msgstr[1] "Undecided" + #: include/text.php:302 msgid "newer" msgstr "Later posts" @@ -683,8 +912,8 @@ msgstr[1] "%d contacts" msgid "View Contacts" msgstr "View contacts" -#: include/text.php:1010 mod/filer.php:35 mod/editpost.php:112 -#: mod/notes.php:68 +#: include/text.php:1010 mod/filer.php:35 mod/editpost.php:110 +#: mod/notes.php:67 msgid "Save" msgstr "Save" @@ -709,15 +938,15 @@ msgstr "Full text" msgid "Tags" msgstr "Tags" -#: include/text.php:1027 mod/contacts.php:805 mod/contacts.php:866 -#: mod/viewcontacts.php:131 view/theme/frio/theme.php:270 -#: src/Content/Nav.php:147 src/Content/Nav.php:212 src/Model/Profile.php:957 -#: src/Model/Profile.php:960 +#: include/text.php:1027 mod/viewcontacts.php:131 mod/contacts.php:814 +#: mod/contacts.php:875 src/Content/Nav.php:147 src/Content/Nav.php:212 +#: src/Model/Profile.php:957 src/Model/Profile.php:960 +#: view/theme/frio/theme.php:270 msgid "Contacts" msgstr "Contacts" -#: include/text.php:1030 view/theme/vier/theme.php:254 -#: src/Content/ForumManager.php:125 src/Content/Nav.php:151 +#: include/text.php:1030 src/Content/ForumManager.php:125 +#: src/Content/Nav.php:151 view/theme/vier/theme.php:254 msgid "Forums" msgstr "Forums" @@ -769,566 +998,204 @@ msgstr "rebuff" msgid "rebuffed" msgstr "rebuffed" +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:379 +msgid "Monday" +msgstr "Monday" + +#: include/text.php:1093 src/Model/Event.php:380 +msgid "Tuesday" +msgstr "Tuesday" + +#: include/text.php:1093 src/Model/Event.php:381 +msgid "Wednesday" +msgstr "Wednesday" + +#: include/text.php:1093 src/Model/Event.php:382 +msgid "Thursday" +msgstr "Thursday" + +#: include/text.php:1093 src/Model/Event.php:383 +msgid "Friday" +msgstr "Friday" + +#: include/text.php:1093 src/Model/Event.php:384 +msgid "Saturday" +msgstr "Saturday" + +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:378 +msgid "Sunday" +msgstr "Sunday" + +#: include/text.php:1097 src/Model/Event.php:399 +msgid "January" +msgstr "January" + +#: include/text.php:1097 src/Model/Event.php:400 +msgid "February" +msgstr "February" + +#: include/text.php:1097 src/Model/Event.php:401 +msgid "March" +msgstr "March" + +#: include/text.php:1097 src/Model/Event.php:402 +msgid "April" +msgstr "April" + +#: include/text.php:1097 include/text.php:1114 src/Model/Event.php:390 +#: src/Model/Event.php:403 +msgid "May" +msgstr "May" + +#: include/text.php:1097 src/Model/Event.php:404 +msgid "June" +msgstr "June" + +#: include/text.php:1097 src/Model/Event.php:405 +msgid "July" +msgstr "July" + +#: include/text.php:1097 src/Model/Event.php:406 +msgid "August" +msgstr "August" + +#: include/text.php:1097 src/Model/Event.php:407 +msgid "September" +msgstr "September" + +#: include/text.php:1097 src/Model/Event.php:408 +msgid "October" +msgstr "October" + +#: include/text.php:1097 src/Model/Event.php:409 +msgid "November" +msgstr "November" + +#: include/text.php:1097 src/Model/Event.php:410 +msgid "December" +msgstr "December" + +#: include/text.php:1111 src/Model/Event.php:371 +msgid "Mon" +msgstr "Mon" + +#: include/text.php:1111 src/Model/Event.php:372 +msgid "Tue" +msgstr "Tue" + +#: include/text.php:1111 src/Model/Event.php:373 +msgid "Wed" +msgstr "Wed" + +#: include/text.php:1111 src/Model/Event.php:374 +msgid "Thu" +msgstr "Thu" + +#: include/text.php:1111 src/Model/Event.php:375 +msgid "Fri" +msgstr "Fri" + +#: include/text.php:1111 src/Model/Event.php:376 +msgid "Sat" +msgstr "Sat" + +#: include/text.php:1111 src/Model/Event.php:370 +msgid "Sun" +msgstr "Sun" + +#: include/text.php:1114 src/Model/Event.php:386 +msgid "Jan" +msgstr "Jan" + +#: include/text.php:1114 src/Model/Event.php:387 +msgid "Feb" +msgstr "Feb" + +#: include/text.php:1114 src/Model/Event.php:388 +msgid "Mar" +msgstr "Mar" + +#: include/text.php:1114 src/Model/Event.php:389 +msgid "Apr" +msgstr "Apr" + +#: include/text.php:1114 src/Model/Event.php:392 +msgid "Jul" +msgstr "Jul" + +#: include/text.php:1114 src/Model/Event.php:393 +msgid "Aug" +msgstr "Aug" + #: include/text.php:1114 msgid "Sep" msgstr "Sep" -#: include/text.php:1315 mod/videos.php:381 +#: include/text.php:1114 src/Model/Event.php:395 +msgid "Oct" +msgstr "Oct" + +#: include/text.php:1114 src/Model/Event.php:396 +msgid "Nov" +msgstr "Nov" + +#: include/text.php:1114 src/Model/Event.php:397 +msgid "Dec" +msgstr "Dec" + +#: include/text.php:1275 +#, php-format +msgid "Content warning: %s" +msgstr "" + +#: include/text.php:1345 mod/videos.php:380 msgid "View Video" msgstr "View video" -#: include/text.php:1332 +#: include/text.php:1362 msgid "bytes" msgstr "bytes" -#: include/text.php:1367 include/text.php:1378 +#: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" msgstr "Click to open/close" -#: include/text.php:1502 +#: include/text.php:1559 msgid "View on separate page" msgstr "View on separate page" -#: include/text.php:1503 +#: include/text.php:1560 msgid "view on separate page" msgstr "view on separate page" -#: include/text.php:1717 include/conversation.php:146 -#: include/conversation.php:284 src/Model/Item.php:1785 -msgid "event" -msgstr "event" +#: include/text.php:1565 include/text.php:1572 src/Model/Event.php:594 +msgid "link to source" +msgstr "Link to source" -#: include/text.php:1719 include/conversation.php:154 -#: include/conversation.php:292 mod/subthread.php:97 mod/tagger.php:72 -#: src/Model/Item.php:1783 -msgid "photo" -msgstr "photo" - -#: include/text.php:1721 +#: include/text.php:1778 msgid "activity" msgstr "activity" -#: include/text.php:1723 src/Object/Post.php:421 src/Object/Post.php:433 +#: include/text.php:1780 src/Object/Post.php:429 src/Object/Post.php:441 msgid "comment" msgid_plural "comments" msgstr[0] "comment" msgstr[1] "comments" -#: include/text.php:1726 +#: include/text.php:1783 msgid "post" msgstr "post" -#: include/text.php:1883 +#: include/text.php:1940 msgid "Item filed" msgstr "Item filed" -#: include/acl_selectors.php:355 -msgid "Post to Email" -msgstr "Post to email" - -#: include/acl_selectors.php:360 -msgid "Hide your profile details from unknown viewers?" -msgstr "Hide profile details from unknown viewers?" - -#: include/acl_selectors.php:360 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Connectors are disabled since \"%s\" is enabled." - -#: include/acl_selectors.php:366 -msgid "Visible to everybody" -msgstr "Visible to everybody" - -#: include/acl_selectors.php:367 view/theme/vier/config.php:115 -msgid "show" -msgstr "show" - -#: include/acl_selectors.php:368 view/theme/vier/config.php:115 -msgid "don't show" -msgstr "don't show" - -#: include/acl_selectors.php:374 mod/editpost.php:136 -msgid "CC: email addresses" -msgstr "CC: email addresses" - -#: include/acl_selectors.php:375 mod/editpost.php:143 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Example: bob@example.com, mary@example.com" - -#: include/acl_selectors.php:377 mod/events.php:536 mod/photos.php:1098 -#: mod/photos.php:1441 -msgid "Permissions" -msgstr "Permissions" - -#: include/acl_selectors.php:378 -msgid "Close" -msgstr "Close" - -#: include/api.php:1181 -#, php-format -msgid "Daily posting limit of %d post reached. The post was rejected." -msgid_plural "Daily posting limit of %d posts reached. The post was rejected." -msgstr[0] "Daily posting limit of %d post reached. The post was rejected." -msgstr[1] "Daily posting limit of %d posts are reached. This post was rejected." - -#: include/api.php:1205 -#, php-format -msgid "Weekly posting limit of %d post reached. The post was rejected." -msgid_plural "" -"Weekly posting limit of %d posts reached. The post was rejected." -msgstr[0] "Weekly posting limit of %d post reached. The post was rejected." -msgstr[1] "Weekly posting limit of %d posts are reached. This post was rejected." - -#: include/api.php:1229 -#, php-format -msgid "Monthly posting limit of %d post reached. The post was rejected." -msgstr "Monthly posting limit of %d posts are reached. The post was rejected." - -#: include/api.php:4382 mod/profile_photo.php:84 mod/profile_photo.php:92 -#: mod/profile_photo.php:100 mod/profile_photo.php:223 -#: mod/profile_photo.php:317 mod/profile_photo.php:327 mod/photos.php:88 -#: mod/photos.php:194 mod/photos.php:722 mod/photos.php:1149 -#: mod/photos.php:1166 mod/photos.php:1684 src/Model/User.php:526 -#: src/Model/User.php:534 src/Model/User.php:542 -msgid "Profile Photos" -msgstr "Profile photos" - -#: include/conversation.php:149 include/conversation.php:159 -#: include/conversation.php:287 include/conversation.php:296 -#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1783 -#: src/Protocol/Diaspora.php:1946 -msgid "status" -msgstr "status" - -#: include/conversation.php:166 src/Model/Item.php:1656 -#: src/Protocol/Diaspora.php:1942 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s likes %2$s's %3$s" - -#: include/conversation.php:169 src/Model/Item.php:1661 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s doesn't like %2$s's %3$s" - -#: include/conversation.php:172 -#, php-format -msgid "%1$s attends %2$s's %3$s" -msgstr "%1$s goes to %2$s's %3$s" - -#: include/conversation.php:175 -#, php-format -msgid "%1$s doesn't attend %2$s's %3$s" -msgstr "%1$s doesn't go %2$s's %3$s" - -#: include/conversation.php:178 -#, php-format -msgid "%1$s attends maybe %2$s's %3$s" -msgstr "%1$s might go to %2$s's %3$s" - -#: include/conversation.php:211 mod/dfrn_confirm.php:431 -#: src/Protocol/Diaspora.php:2414 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s is now friends with %2$s" - -#: include/conversation.php:252 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s poked %2$s" - -#: include/conversation.php:306 mod/tagger.php:110 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s tagged %2$s's %3$s with %4$s" - -#: include/conversation.php:333 -msgid "post/item" -msgstr "Post/Item" - -#: include/conversation.php:334 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s marked %2$s's %3$s as favourite" - -#: include/conversation.php:607 mod/profiles.php:354 mod/photos.php:1501 -msgid "Likes" -msgstr "Likes" - -#: include/conversation.php:607 mod/profiles.php:358 mod/photos.php:1501 -msgid "Dislikes" -msgstr "Dislikes" - -#: include/conversation.php:608 include/conversation.php:1682 -#: mod/photos.php:1502 -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "Attending" -msgstr[1] "Attending" - -#: include/conversation.php:608 mod/photos.php:1502 -msgid "Not attending" -msgstr "Not attending" - -#: include/conversation.php:608 mod/photos.php:1502 -msgid "Might attend" -msgstr "Might attend" - -#: include/conversation.php:746 mod/photos.php:1569 src/Object/Post.php:177 -msgid "Select" -msgstr "Select" - -#: include/conversation.php:747 mod/contacts.php:821 mod/contacts.php:1019 -#: mod/admin.php:1706 mod/photos.php:1570 mod/settings.php:742 -#: src/Object/Post.php:178 -msgid "Delete" -msgstr "Delete" - -#: include/conversation.php:779 src/Object/Post.php:355 -#: src/Object/Post.php:356 -#, php-format -msgid "View %s's profile @ %s" -msgstr "View %s's profile @ %s" - -#: include/conversation.php:791 src/Object/Post.php:343 -msgid "Categories:" -msgstr "Categories:" - -#: include/conversation.php:792 src/Object/Post.php:344 -msgid "Filed under:" -msgstr "Filed under:" - -#: include/conversation.php:799 src/Object/Post.php:369 -#, php-format -msgid "%s from %s" -msgstr "%s from %s" - -#: include/conversation.php:814 -msgid "View in context" -msgstr "View in context" - -#: include/conversation.php:816 include/conversation.php:1355 -#: mod/wallmessage.php:145 mod/editpost.php:127 mod/message.php:264 -#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:394 -msgid "Please wait" -msgstr "Please wait" - -#: include/conversation.php:887 -msgid "remove" -msgstr "Remove" - -#: include/conversation.php:891 -msgid "Delete Selected Items" -msgstr "Delete selected items" - -#: include/conversation.php:1061 view/theme/frio/theme.php:352 -msgid "Follow Thread" -msgstr "Follow thread" - -#: include/conversation.php:1062 src/Model/Contact.php:554 -msgid "View Status" -msgstr "View status" - -#: include/conversation.php:1063 include/conversation.php:1079 -#: mod/allfriends.php:73 mod/suggest.php:82 mod/dirfind.php:220 -#: mod/match.php:89 mod/directory.php:160 src/Model/Contact.php:497 -#: src/Model/Contact.php:510 src/Model/Contact.php:555 -msgid "View Profile" -msgstr "View profile" - -#: include/conversation.php:1064 src/Model/Contact.php:556 -msgid "View Photos" -msgstr "View photos" - -#: include/conversation.php:1065 src/Model/Contact.php:557 -msgid "Network Posts" -msgstr "Network posts" - -#: include/conversation.php:1066 src/Model/Contact.php:558 -msgid "View Contact" -msgstr "View contact" - -#: include/conversation.php:1067 src/Model/Contact.php:560 -msgid "Send PM" -msgstr "Send PM" - -#: include/conversation.php:1071 src/Model/Contact.php:561 -msgid "Poke" -msgstr "Poke" - -#: include/conversation.php:1076 mod/allfriends.php:74 mod/suggest.php:83 -#: mod/dirfind.php:221 mod/match.php:90 mod/contacts.php:587 -#: mod/follow.php:141 src/Content/Widget.php:61 src/Model/Contact.php:511 -msgid "Connect/Follow" -msgstr "Connect/Follow" - -#: include/conversation.php:1195 -#, php-format -msgid "%s likes this." -msgstr "%s likes this." - -#: include/conversation.php:1198 -#, php-format -msgid "%s doesn't like this." -msgstr "%s doesn't like this." - -#: include/conversation.php:1201 -#, php-format -msgid "%s attends." -msgstr "%s attends." - -#: include/conversation.php:1204 -#, php-format -msgid "%s doesn't attend." -msgstr "%s doesn't attend." - -#: include/conversation.php:1207 -#, php-format -msgid "%s attends maybe." -msgstr "%s may attend." - -#: include/conversation.php:1218 -msgid "and" -msgstr "and" - -#: include/conversation.php:1224 -#, php-format -msgid "and %d other people" -msgstr "and %d other people" - -#: include/conversation.php:1233 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d people like this" - -#: include/conversation.php:1234 -#, php-format -msgid "%s like this." -msgstr "%s like this." - -#: include/conversation.php:1237 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d people don't like this" - -#: include/conversation.php:1238 -#, php-format -msgid "%s don't like this." -msgstr "%s don't like this." - -#: include/conversation.php:1241 -#, php-format -msgid "%2$d people attend" -msgstr "%2$d people attend" - -#: include/conversation.php:1242 -#, php-format -msgid "%s attend." -msgstr "%s attend." - -#: include/conversation.php:1245 -#, php-format -msgid "%2$d people don't attend" -msgstr "%2$d people don't attend" - -#: include/conversation.php:1246 -#, php-format -msgid "%s don't attend." -msgstr "%s don't attend." - -#: include/conversation.php:1249 -#, php-format -msgid "%2$d people attend maybe" -msgstr "%2$d people attend maybe" - -#: include/conversation.php:1250 -#, php-format -msgid "%s attend maybe." -msgstr "%s may be attending." - -#: include/conversation.php:1280 include/conversation.php:1296 -msgid "Visible to everybody" -msgstr "Visible to everybody" - -#: include/conversation.php:1281 include/conversation.php:1297 -#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 -#: mod/message.php:207 mod/message.php:343 mod/message.php:350 -msgid "Please enter a link URL:" -msgstr "Please enter a link URL:" - -#: include/conversation.php:1282 include/conversation.php:1298 -msgid "Please enter a video link/URL:" -msgstr "Please enter a video link/URL:" - -#: include/conversation.php:1283 include/conversation.php:1299 -msgid "Please enter an audio link/URL:" -msgstr "Please enter an audio link/URL:" - -#: include/conversation.php:1284 include/conversation.php:1300 -msgid "Tag term:" -msgstr "Tag term:" - -#: include/conversation.php:1285 include/conversation.php:1301 -#: mod/filer.php:34 -msgid "Save to Folder:" -msgstr "Save to folder:" - -#: include/conversation.php:1286 include/conversation.php:1302 -msgid "Where are you right now?" -msgstr "Where are you right now?" - -#: include/conversation.php:1287 -msgid "Delete item(s)?" -msgstr "Delete item(s)?" - -#: include/conversation.php:1336 -msgid "Share" -msgstr "Share" - -#: include/conversation.php:1337 mod/wallmessage.php:143 mod/editpost.php:113 -#: mod/message.php:262 mod/message.php:430 -msgid "Upload photo" -msgstr "Upload photo" - -#: include/conversation.php:1338 mod/editpost.php:114 -msgid "upload photo" -msgstr "upload photo" - -#: include/conversation.php:1339 mod/editpost.php:115 -msgid "Attach file" -msgstr "Attach file" - -#: include/conversation.php:1340 mod/editpost.php:116 -msgid "attach file" -msgstr "attach file" - -#: include/conversation.php:1341 mod/wallmessage.php:144 mod/editpost.php:117 -#: mod/message.php:263 mod/message.php:431 -msgid "Insert web link" -msgstr "Insert web link" - -#: include/conversation.php:1342 mod/editpost.php:118 -msgid "web link" -msgstr "web link" - -#: include/conversation.php:1343 mod/editpost.php:119 -msgid "Insert video link" -msgstr "Insert video link" - -#: include/conversation.php:1344 mod/editpost.php:120 -msgid "video link" -msgstr "video link" - -#: include/conversation.php:1345 mod/editpost.php:121 -msgid "Insert audio link" -msgstr "Insert audio link" - -#: include/conversation.php:1346 mod/editpost.php:122 -msgid "audio link" -msgstr "audio link" - -#: include/conversation.php:1347 mod/editpost.php:123 -msgid "Set your location" -msgstr "Set your location" - -#: include/conversation.php:1348 mod/editpost.php:124 -msgid "set location" -msgstr "set location" - -#: include/conversation.php:1349 mod/editpost.php:125 -msgid "Clear browser location" -msgstr "Clear browser location" - -#: include/conversation.php:1350 mod/editpost.php:126 -msgid "clear location" -msgstr "clear location" - -#: include/conversation.php:1352 mod/editpost.php:140 -msgid "Set title" -msgstr "Set title" - -#: include/conversation.php:1354 mod/editpost.php:142 -msgid "Categories (comma-separated list)" -msgstr "Categories (comma-separated list)" - -#: include/conversation.php:1356 mod/editpost.php:128 -msgid "Permission settings" -msgstr "Permission settings" - -#: include/conversation.php:1357 mod/editpost.php:157 -msgid "permissions" -msgstr "permissions" - -#: include/conversation.php:1365 mod/editpost.php:137 -msgid "Public post" -msgstr "Public post" - -#: include/conversation.php:1369 mod/editpost.php:148 mod/events.php:531 -#: mod/photos.php:1492 mod/photos.php:1531 mod/photos.php:1604 -#: src/Object/Post.php:797 -msgid "Preview" -msgstr "Preview" - -#: include/conversation.php:1378 -msgid "Post to Groups" -msgstr "Post to groups" - -#: include/conversation.php:1379 -msgid "Post to Contacts" -msgstr "Post to contacts" - -#: include/conversation.php:1380 -msgid "Private post" -msgstr "Private post" - -#: include/conversation.php:1385 mod/editpost.php:155 -#: src/Model/Profile.php:342 -msgid "Message" -msgstr "Message" - -#: include/conversation.php:1386 mod/editpost.php:156 -msgid "Browser" -msgstr "Browser" - -#: include/conversation.php:1653 -msgid "View all" -msgstr "View all" - -#: include/conversation.php:1676 -msgid "Like" -msgid_plural "Likes" -msgstr[0] "Like" -msgstr[1] "Likes" - -#: include/conversation.php:1679 -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "Dislike" -msgstr[1] "Dislikes" - -#: include/conversation.php:1685 -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "Not attending" -msgstr[1] "Not attending" - -#: include/conversation.php:1688 src/Content/ContactSelector.php:125 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "Undecided" -msgstr[1] "Undecided" - -#: include/dba.php:59 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Cannot locate DNS info for database server '%s'" - #: mod/allfriends.php:51 msgid "No friends to display." msgstr "No friends to display." -#: mod/allfriends.php:90 mod/suggest.php:101 mod/dirfind.php:218 -#: mod/match.php:105 src/Content/Widget.php:37 src/Model/Profile.php:297 +#: mod/allfriends.php:90 mod/suggest.php:101 mod/match.php:105 +#: mod/dirfind.php:215 src/Content/Widget.php:37 src/Model/Profile.php:297 msgid "Connect" msgstr "Connect" @@ -1350,17 +1217,17 @@ msgid "" " and/or create new posts for you?" msgstr "Do you want to authorize this application to access your posts and contacts and create new posts for you?" -#: mod/api.php:111 mod/profiles.php:649 mod/profiles.php:653 -#: mod/profiles.php:674 mod/dfrn_request.php:653 mod/follow.php:148 -#: mod/register.php:238 mod/settings.php:1109 mod/settings.php:1115 -#: mod/settings.php:1122 mod/settings.php:1126 mod/settings.php:1130 -#: mod/settings.php:1134 mod/settings.php:1138 mod/settings.php:1142 -#: mod/settings.php:1162 mod/settings.php:1163 mod/settings.php:1164 -#: mod/settings.php:1165 mod/settings.php:1166 +#: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 +#: mod/register.php:238 mod/settings.php:1105 mod/settings.php:1111 +#: mod/settings.php:1118 mod/settings.php:1122 mod/settings.php:1126 +#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 +#: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 +#: mod/settings.php:1161 mod/settings.php:1162 msgid "No" msgstr "No" -#: mod/apps.php:14 index.php:242 +#: mod/apps.php:14 index.php:245 msgid "You must be logged in to use addons. " msgstr "You must be logged in to use addons. " @@ -1384,7 +1251,7 @@ msgstr "Item was not found." msgid "No contacts in common." msgstr "No contacts in common." -#: mod/common.php:140 mod/contacts.php:877 +#: mod/common.php:140 mod/contacts.php:886 msgid "Common Friends" msgstr "Common friends" @@ -1407,8 +1274,8 @@ msgstr "Contact settings applied." msgid "Contact update failed." msgstr "Contact update failed." -#: mod/crepair.php:110 mod/dfrn_confirm.php:131 mod/fsuggest.php:29 -#: mod/fsuggest.php:97 +#: mod/crepair.php:110 mod/dfrn_confirm.php:131 mod/fsuggest.php:30 +#: mod/fsuggest.php:96 msgid "Contact not found." msgstr "Contact not found." @@ -1445,14 +1312,14 @@ msgid "Refetch contact data" msgstr "Re-fetch contact data." #: mod/crepair.php:148 mod/invite.php:150 mod/manage.php:184 -#: mod/profiles.php:685 mod/contacts.php:601 mod/install.php:251 -#: mod/install.php:290 mod/localtime.php:56 mod/poke.php:199 -#: mod/events.php:533 mod/fsuggest.php:116 mod/message.php:265 -#: mod/message.php:432 mod/photos.php:1080 mod/photos.php:1160 -#: mod/photos.php:1445 mod/photos.php:1491 mod/photos.php:1530 -#: mod/photos.php:1603 view/theme/duepuntozero/config.php:71 -#: view/theme/frio/config.php:113 view/theme/quattro/config.php:73 -#: view/theme/vier/config.php:119 src/Object/Post.php:788 +#: mod/localtime.php:56 mod/poke.php:199 mod/fsuggest.php:114 +#: mod/message.php:265 mod/message.php:432 mod/photos.php:1080 +#: mod/photos.php:1160 mod/photos.php:1445 mod/photos.php:1491 +#: mod/photos.php:1530 mod/photos.php:1603 mod/install.php:251 +#: mod/install.php:290 mod/events.php:530 mod/profiles.php:672 +#: mod/contacts.php:610 src/Object/Post.php:796 +#: view/theme/duepuntozero/config.php:71 view/theme/frio/config.php:113 +#: view/theme/quattro/config.php:73 view/theme/vier/config.php:119 msgid "Submit" msgstr "Submit" @@ -1470,9 +1337,9 @@ msgid "" "entries from this contact." msgstr "This will cause Friendica to repost new entries from this contact." -#: mod/crepair.php:158 mod/admin.php:439 mod/admin.php:1689 mod/admin.php:1701 -#: mod/admin.php:1714 mod/admin.php:1730 mod/settings.php:681 -#: mod/settings.php:707 +#: mod/crepair.php:158 mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 +#: mod/admin.php:1806 mod/admin.php:1822 mod/settings.php:677 +#: mod/settings.php:703 msgid "Name" msgstr "Name:" @@ -1508,8 +1375,8 @@ msgstr "Poll/Feed URL:" msgid "New photo from this URL" msgstr "New photo from this URL:" -#: mod/fbrowser.php:34 view/theme/frio/theme.php:261 src/Content/Nav.php:102 -#: src/Model/Profile.php:904 +#: mod/fbrowser.php:34 src/Content/Nav.php:102 src/Model/Profile.php:904 +#: view/theme/frio/theme.php:261 msgid "Photos" msgstr "Photos" @@ -1520,7 +1387,7 @@ msgstr "Photos" msgid "Contact Photos" msgstr "Contact photos" -#: mod/fbrowser.php:105 mod/fbrowser.php:136 mod/profile_photo.php:265 +#: mod/fbrowser.php:105 mod/fbrowser.php:136 mod/profile_photo.php:250 msgid "Upload" msgstr "Upload" @@ -1529,7 +1396,7 @@ msgid "Files" msgstr "Files" #: mod/fetch.php:16 mod/fetch.php:52 mod/fetch.php:65 mod/help.php:60 -#: mod/p.php:21 mod/p.php:48 mod/p.php:57 index.php:289 +#: mod/p.php:21 mod/p.php:48 mod/p.php:57 index.php:292 msgid "Not Found" msgstr "Not found" @@ -1541,11 +1408,11 @@ msgstr "No profile" msgid "Help:" msgstr "Help:" -#: mod/help.php:54 view/theme/vier/theme.php:298 src/Content/Nav.php:134 +#: mod/help.php:54 src/Content/Nav.php:134 view/theme/vier/theme.php:298 msgid "Help" msgstr "Help" -#: mod/help.php:63 index.php:294 +#: mod/help.php:63 index.php:297 msgid "Page not found." msgstr "Page not found" @@ -1597,8 +1464,8 @@ msgid "" " join." msgstr "On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join." -#: mod/newmember.php:19 mod/admin.php:1814 mod/admin.php:2083 -#: mod/settings.php:122 view/theme/frio/theme.php:269 src/Content/Nav.php:206 +#: mod/newmember.php:19 mod/admin.php:1906 mod/admin.php:2175 +#: mod/settings.php:123 src/Content/Nav.php:206 view/theme/frio/theme.php:269 msgid "Settings" msgstr "Settings" @@ -1621,14 +1488,14 @@ msgid "" "potential friends know exactly how to find you." msgstr "Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you." -#: mod/newmember.php:24 mod/contacts.php:662 mod/contacts.php:854 -#: mod/profperm.php:113 view/theme/frio/theme.php:260 src/Content/Nav.php:101 -#: src/Model/Profile.php:730 src/Model/Profile.php:863 -#: src/Model/Profile.php:896 +#: mod/newmember.php:24 mod/profperm.php:113 mod/contacts.php:671 +#: mod/contacts.php:863 src/Content/Nav.php:101 src/Model/Profile.php:730 +#: src/Model/Profile.php:863 src/Model/Profile.php:896 +#: view/theme/frio/theme.php:260 msgid "Profile" msgstr "Profile" -#: mod/newmember.php:26 mod/profiles.php:704 mod/profile_photo.php:264 +#: mod/newmember.php:26 mod/profile_photo.php:249 mod/profiles.php:691 msgid "Upload Profile Photo" msgstr "Upload profile photo" @@ -1711,7 +1578,7 @@ msgid "" "hours." msgstr "On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours." -#: mod/newmember.php:43 src/Model/Group.php:402 +#: mod/newmember.php:43 src/Model/Group.php:401 msgid "Groups" msgstr "Groups" @@ -1751,13 +1618,13 @@ msgid "" " features and resources." msgstr "Our help pages may be consulted for detail on other program features and resources." -#: mod/nogroup.php:42 mod/contacts.php:610 mod/contacts.php:943 -#: mod/viewcontacts.php:112 +#: mod/nogroup.php:42 mod/viewcontacts.php:112 mod/contacts.php:619 +#: mod/contacts.php:959 #, php-format msgid "Visit %s's profile [%s]" msgstr "Visit %s's profile [%s]" -#: mod/nogroup.php:43 mod/contacts.php:944 +#: mod/nogroup.php:43 mod/contacts.php:960 msgid "Edit contact" msgstr "Edit contact" @@ -1777,11 +1644,11 @@ msgstr "Resubscribing to OStatus contacts" msgid "Error" msgstr "Error" -#: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:61 +#: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:64 msgid "Done" msgstr "Done" -#: mod/repair_ostatus.php:54 mod/ostatus_subscribe.php:85 +#: mod/repair_ostatus.php:54 mod/ostatus_subscribe.php:88 msgid "Keep this window open until done." msgstr "Keep this window open until done." @@ -1799,53 +1666,10 @@ msgstr "No suggestions available. If this is a new site, please try again in 24 msgid "Ignore/Hide" msgstr "Ignore/Hide" -#: mod/suggest.php:114 view/theme/vier/theme.php:203 src/Content/Widget.php:64 +#: mod/suggest.php:114 src/Content/Widget.php:64 view/theme/vier/theme.php:203 msgid "Friend Suggestions" msgstr "Friend suggestions" -#: mod/unfollow.php:34 -msgid "Contact wasn't found or can't be unfollowed." -msgstr "Contact wasn't found or can't be unfollowed." - -#: mod/unfollow.php:47 -msgid "Contact unfollowed" -msgstr "Contact unfollowed" - -#: mod/unfollow.php:65 mod/dfrn_request.php:662 mod/follow.php:61 -msgid "Submit Request" -msgstr "Submit request" - -#: mod/unfollow.php:73 -msgid "You aren't a friend of this contact." -msgstr "You aren't a friend of this contact." - -#: mod/unfollow.php:79 -msgid "Unfollowing is currently not supported by your network." -msgstr "Unfollowing is currently not supported by your network." - -#: mod/unfollow.php:100 mod/contacts.php:590 -msgid "Disconnect/Unfollow" -msgstr "Disconnect/Unfollow" - -#: mod/unfollow.php:113 mod/dfrn_request.php:660 mod/follow.php:155 -msgid "Your Identity Address:" -msgstr "My identity address:" - -#: mod/unfollow.php:122 mod/notifications.php:258 mod/contacts.php:647 -#: mod/follow.php:164 mod/admin.php:439 mod/admin.php:449 -msgid "Profile URL" -msgstr "Profile URL:" - -#: mod/unfollow.php:132 mod/contacts.php:849 mod/follow.php:181 -#: src/Model/Profile.php:891 -msgid "Status Messages and Posts" -msgstr "Status Messages and Posts" - -#: mod/update_community.php:27 mod/update_display.php:27 -#: mod/update_notes.php:40 mod/update_profile.php:39 mod/update_network.php:33 -msgid "[Embedded content - reload page to view]" -msgstr "[Embedded content - reload page to view]" - #: mod/uimport.php:55 mod/register.php:191 msgid "" "This site has exceeded the number of allowed daily account registrations. " @@ -1887,74 +1711,16 @@ msgid "" "select \"Export account\"" msgstr "To export your account, go to \"Settings->Export personal data\" and select \"Export account\"" +#: mod/update_community.php:27 mod/update_display.php:27 +#: mod/update_notes.php:40 mod/update_profile.php:39 mod/update_network.php:33 +msgid "[Embedded content - reload page to view]" +msgstr "[Embedded content - reload page to view]" + #: mod/dfrn_poll.php:123 mod/dfrn_poll.php:543 #, php-format msgid "%1$s welcomes %2$s" msgstr "%1$s welcomes %2$s" -#: mod/dirfind.php:48 -#, php-format -msgid "People Search - %s" -msgstr "People search - %s" - -#: mod/dirfind.php:59 -#, php-format -msgid "Forum Search - %s" -msgstr "Forum search - %s" - -#: mod/dirfind.php:256 mod/match.php:125 -msgid "No matches" -msgstr "No matches" - -#: mod/friendica.php:77 -msgid "This is Friendica, version" -msgstr "This is Friendica, version" - -#: mod/friendica.php:78 -msgid "running at web location" -msgstr "running at web location" - -#: mod/friendica.php:82 -msgid "" -"Please visit Friendi.ca to learn more " -"about the Friendica project." -msgstr "Please visit Friendi.ca to learn more about the Friendica project." - -#: mod/friendica.php:86 -msgid "Bug reports and issues: please visit" -msgstr "Bug reports and issues: please visit" - -#: mod/friendica.php:86 -msgid "the bugtracker at github" -msgstr "the bugtracker at github" - -#: mod/friendica.php:89 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com" - -#: mod/friendica.php:103 -msgid "Installed addons/apps:" -msgstr "Installed addons/apps:" - -#: mod/friendica.php:117 -msgid "No installed addons/apps" -msgstr "No installed addons/apps" - -#: mod/friendica.php:122 -msgid "On this server the following remote servers are blocked." -msgstr "On this server the following remote servers are blocked." - -#: mod/friendica.php:123 mod/dfrn_request.php:351 mod/admin.php:302 -#: mod/admin.php:320 src/Model/Contact.php:1142 -msgid "Blocked domain" -msgstr "Blocked domain" - -#: mod/friendica.php:123 mod/admin.php:303 mod/admin.php:321 -msgid "Reason for the block" -msgstr "Reason for the block" - #: mod/match.php:48 msgid "No keywords to match. Please add keywords to your default profile." msgstr "No keywords to match. Please add keywords to your default profile." @@ -1967,6 +1733,10 @@ msgstr "is interested in:" msgid "Profile Match" msgstr "Profile Match" +#: mod/match.php:125 mod/dirfind.php:253 +msgid "No matches" +msgstr "No matches" + #: mod/notifications.php:37 msgid "Invalid request identifier." msgstr "Invalid request identifier." @@ -1977,8 +1747,8 @@ msgid "Discard" msgstr "Discard" #: mod/notifications.php:62 mod/notifications.php:182 -#: mod/notifications.php:266 mod/contacts.php:629 mod/contacts.php:819 -#: mod/contacts.php:1003 +#: mod/notifications.php:266 mod/contacts.php:638 mod/contacts.php:828 +#: mod/contacts.php:1019 msgid "Ignore" msgstr "Ignore" @@ -2019,7 +1789,7 @@ msgstr "Notification type: " msgid "suggested by %s" msgstr "suggested by %s" -#: mod/notifications.php:175 mod/notifications.php:254 mod/contacts.php:637 +#: mod/notifications.php:175 mod/notifications.php:254 mod/contacts.php:646 msgid "Hide this contact from others" msgstr "Hide this contact from others" @@ -2031,7 +1801,7 @@ msgstr "Post a new friend activity" msgid "if applicable" msgstr "if applicable" -#: mod/notifications.php:179 mod/notifications.php:264 mod/admin.php:1704 +#: mod/notifications.php:179 mod/notifications.php:264 mod/admin.php:1796 msgid "Approve" msgstr "Approve" @@ -2084,22 +1854,33 @@ msgstr "Sharer" msgid "Subscriber" msgstr "Subscriber" -#: mod/notifications.php:249 mod/contacts.php:655 mod/directory.php:155 +#: mod/notifications.php:247 mod/events.php:518 mod/directory.php:148 +#: mod/contacts.php:660 src/Model/Profile.php:417 src/Model/Event.php:60 +#: src/Model/Event.php:85 src/Model/Event.php:421 src/Model/Event.php:900 +msgid "Location:" +msgstr "Location:" + +#: mod/notifications.php:249 mod/directory.php:154 mod/contacts.php:664 #: src/Model/Profile.php:423 src/Model/Profile.php:806 msgid "About:" msgstr "About:" -#: mod/notifications.php:251 mod/contacts.php:657 mod/follow.php:172 +#: mod/notifications.php:251 mod/follow.php:174 mod/contacts.php:666 #: src/Model/Profile.php:794 msgid "Tags:" msgstr "Tags:" -#: mod/notifications.php:253 mod/directory.php:152 src/Model/Profile.php:420 +#: mod/notifications.php:253 mod/directory.php:151 src/Model/Profile.php:420 #: src/Model/Profile.php:745 msgid "Gender:" msgstr "Gender:" -#: mod/notifications.php:261 mod/contacts.php:63 src/Model/Profile.php:518 +#: mod/notifications.php:258 mod/unfollow.php:122 mod/follow.php:166 +#: mod/contacts.php:656 mod/admin.php:490 mod/admin.php:500 +msgid "Profile URL" +msgstr "Profile URL:" + +#: mod/notifications.php:261 mod/contacts.php:71 src/Model/Profile.php:518 msgid "Network:" msgstr "Network:" @@ -2120,10 +1901,6 @@ msgstr "Show all" msgid "No more %s notifications." msgstr "No more %s notifications." -#: mod/oexchange.php:30 -msgid "Post successful." -msgstr "Post successful." - #: mod/openid.php:29 msgid "OpenID protocol error. No ID returned." msgstr "OpenID protocol error. No ID returned." @@ -2137,78 +1914,8 @@ msgstr "Account not found and OpenID registration is not permitted on this site. msgid "Login failed." msgstr "Login failed." -#: mod/ostatus_subscribe.php:21 -msgid "Subscribing to OStatus contacts" -msgstr "Subscribing to OStatus contacts" - -#: mod/ostatus_subscribe.php:32 -msgid "No contact provided." -msgstr "No contact provided." - -#: mod/ostatus_subscribe.php:38 -msgid "Couldn't fetch information for contact." -msgstr "Couldn't fetch information for contact." - -#: mod/ostatus_subscribe.php:47 -msgid "Couldn't fetch friends for contact." -msgstr "Couldn't fetch friends for contact." - -#: mod/ostatus_subscribe.php:75 -msgid "success" -msgstr "success" - -#: mod/ostatus_subscribe.php:77 -msgid "failed" -msgstr "failed" - -#: mod/ostatus_subscribe.php:80 src/Object/Post.php:278 -msgid "ignored" -msgstr "Ignored" - -#: mod/cal.php:142 mod/display.php:308 mod/profile.php:173 -msgid "Access to this profile has been restricted." -msgstr "Access to this profile has been restricted." - -#: mod/cal.php:274 mod/events.php:392 view/theme/frio/theme.php:263 -#: view/theme/frio/theme.php:267 src/Content/Nav.php:104 -#: src/Content/Nav.php:169 src/Model/Profile.php:924 src/Model/Profile.php:935 -msgid "Events" -msgstr "Events" - -#: mod/cal.php:275 mod/events.php:393 -msgid "View" -msgstr "View" - -#: mod/cal.php:276 mod/events.php:395 -msgid "Previous" -msgstr "Previous" - -#: mod/cal.php:277 mod/install.php:209 mod/events.php:396 -msgid "Next" -msgstr "Next" - -#: mod/cal.php:284 mod/events.php:405 -msgid "list" -msgstr "List" - -#: mod/cal.php:297 src/Model/User.php:202 -msgid "User not found" -msgstr "User not found" - -#: mod/cal.php:313 -msgid "This calendar format is not supported" -msgstr "This calendar format is not supported" - -#: mod/cal.php:315 -msgid "No exportable data found" -msgstr "No exportable data found" - -#: mod/cal.php:332 -msgid "calendar" -msgstr "calendar" - -#: mod/dfrn_confirm.php:74 mod/profiles.php:38 mod/profiles.php:148 -#: mod/profiles.php:195 mod/profiles.php:631 +#: mod/dfrn_confirm.php:74 mod/profiles.php:39 mod/profiles.php:149 +#: mod/profiles.php:196 mod/profiles.php:618 msgid "Profile not found." msgstr "Profile not found." @@ -2283,7 +1990,7 @@ msgid "Unable to update your contact profile details on our system" msgstr "Unable to update your contact profile details on our system" #: mod/dfrn_confirm.php:661 mod/dfrn_request.php:568 -#: src/Model/Contact.php:1434 +#: src/Model/Contact.php:1520 msgid "[Name Withheld]" msgstr "[Name Withheld]" @@ -2401,376 +2108,6 @@ msgid "" "important, please visit http://friendi.ca" msgstr "For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca" -#: mod/manage.php:180 -msgid "Manage Identities and/or Pages" -msgstr "Manage Identities and Pages" - -#: mod/manage.php:181 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Accounts that I manage or own." - -#: mod/manage.php:182 -msgid "Select an identity to manage: " -msgstr "Select identity:" - -#: mod/profiles.php:57 -msgid "Profile deleted." -msgstr "Profile deleted." - -#: mod/profiles.php:73 mod/profiles.php:109 -msgid "Profile-" -msgstr "Profile-" - -#: mod/profiles.php:92 mod/profiles.php:131 -msgid "New profile created." -msgstr "New profile created." - -#: mod/profiles.php:115 -msgid "Profile unavailable to clone." -msgstr "Profile unavailable to clone." - -#: mod/profiles.php:205 -msgid "Profile Name is required." -msgstr "Profile name is required." - -#: mod/profiles.php:346 -msgid "Marital Status" -msgstr "Marital status" - -#: mod/profiles.php:350 -msgid "Romantic Partner" -msgstr "Romantic partner" - -#: mod/profiles.php:362 -msgid "Work/Employment" -msgstr "Work/Employment:" - -#: mod/profiles.php:365 -msgid "Religion" -msgstr "Religion" - -#: mod/profiles.php:369 -msgid "Political Views" -msgstr "Political views" - -#: mod/profiles.php:373 -msgid "Gender" -msgstr "Gender" - -#: mod/profiles.php:377 -msgid "Sexual Preference" -msgstr "Sexual preference" - -#: mod/profiles.php:381 -msgid "XMPP" -msgstr "XMPP" - -#: mod/profiles.php:385 -msgid "Homepage" -msgstr "Homepage" - -#: mod/profiles.php:389 mod/profiles.php:699 -msgid "Interests" -msgstr "Interests" - -#: mod/profiles.php:393 mod/admin.php:439 -msgid "Address" -msgstr "Address" - -#: mod/profiles.php:400 mod/profiles.php:695 -msgid "Location" -msgstr "Location" - -#: mod/profiles.php:485 -msgid "Profile updated." -msgstr "Profile updated." - -#: mod/profiles.php:577 -msgid " and " -msgstr " and " - -#: mod/profiles.php:586 -msgid "public profile" -msgstr "public profile" - -#: mod/profiles.php:589 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s changed %2$s to “%3$s”" - -#: mod/profiles.php:590 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr " - Visit %1$s's %2$s" - -#: mod/profiles.php:592 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s has an updated %2$s, changing %3$s." - -#: mod/profiles.php:646 -msgid "Hide contacts and friends:" -msgstr "Hide contacts and friends:" - -#: mod/profiles.php:651 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Hide your contact/friend list from viewers of this profile?" - -#: mod/profiles.php:671 -msgid "Show more profile fields:" -msgstr "Show more profile fields:" - -#: mod/profiles.php:683 -msgid "Profile Actions" -msgstr "Profile actions" - -#: mod/profiles.php:684 -msgid "Edit Profile Details" -msgstr "Edit Profile Details" - -#: mod/profiles.php:686 -msgid "Change Profile Photo" -msgstr "Change profile photo" - -#: mod/profiles.php:687 -msgid "View this profile" -msgstr "View this profile" - -#: mod/profiles.php:688 mod/profiles.php:783 src/Model/Profile.php:393 -msgid "Edit visibility" -msgstr "Edit visibility" - -#: mod/profiles.php:689 -msgid "Create a new profile using these settings" -msgstr "Create a new profile using these settings" - -#: mod/profiles.php:690 -msgid "Clone this profile" -msgstr "Clone this profile" - -#: mod/profiles.php:691 -msgid "Delete this profile" -msgstr "Delete this profile" - -#: mod/profiles.php:693 -msgid "Basic information" -msgstr "Basic information" - -#: mod/profiles.php:694 -msgid "Profile picture" -msgstr "Profile picture" - -#: mod/profiles.php:696 -msgid "Preferences" -msgstr "Preferences" - -#: mod/profiles.php:697 -msgid "Status information" -msgstr "Status information" - -#: mod/profiles.php:698 -msgid "Additional information" -msgstr "Additional information" - -#: mod/profiles.php:700 mod/network.php:940 -#: src/Core/NotificationsManager.php:185 -msgid "Personal" -msgstr "Personal" - -#: mod/profiles.php:701 -msgid "Relation" -msgstr "Relation" - -#: mod/profiles.php:702 src/Util/Temporal.php:81 src/Util/Temporal.php:83 -msgid "Miscellaneous" -msgstr "Miscellaneous" - -#: mod/profiles.php:705 -msgid "Your Gender:" -msgstr "Gender:" - -#: mod/profiles.php:706 -msgid " Marital Status:" -msgstr " Marital status:" - -#: mod/profiles.php:707 src/Model/Profile.php:782 -msgid "Sexual Preference:" -msgstr "Sexual preference:" - -#: mod/profiles.php:708 -msgid "Example: fishing photography software" -msgstr "Example: fishing photography software" - -#: mod/profiles.php:713 -msgid "Profile Name:" -msgstr "Profile name:" - -#: mod/profiles.php:713 mod/events.php:511 mod/events.php:523 -msgid "Required" -msgstr "Required" - -#: mod/profiles.php:715 -msgid "" -"This is your public profile.
It may " -"be visible to anybody using the internet." -msgstr "This is your public profile.
It may be visible to anybody using the internet." - -#: mod/profiles.php:716 -msgid "Your Full Name:" -msgstr "My full name:" - -#: mod/profiles.php:717 -msgid "Title/Description:" -msgstr "Title/Description:" - -#: mod/profiles.php:720 -msgid "Street Address:" -msgstr "Street address:" - -#: mod/profiles.php:721 -msgid "Locality/City:" -msgstr "Locality/City:" - -#: mod/profiles.php:722 -msgid "Region/State:" -msgstr "Region/State:" - -#: mod/profiles.php:723 -msgid "Postal/Zip Code:" -msgstr "Postcode:" - -#: mod/profiles.php:724 -msgid "Country:" -msgstr "Country:" - -#: mod/profiles.php:725 src/Util/Temporal.php:149 -msgid "Age: " -msgstr "Age: " - -#: mod/profiles.php:728 -msgid "Who: (if applicable)" -msgstr "Who: (if applicable)" - -#: mod/profiles.php:728 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Examples: cathy123, Cathy Williams, cathy@example.com" - -#: mod/profiles.php:729 -msgid "Since [date]:" -msgstr "Since when:" - -#: mod/profiles.php:731 -msgid "Tell us about yourself..." -msgstr "About myself:" - -#: mod/profiles.php:732 -msgid "XMPP (Jabber) address:" -msgstr "XMPP (Jabber) address:" - -#: mod/profiles.php:732 -msgid "" -"The XMPP address will be propagated to your contacts so that they can follow" -" you." -msgstr "The XMPP address will be propagated to your contacts so that they can follow you." - -#: mod/profiles.php:733 -msgid "Homepage URL:" -msgstr "Homepage URL:" - -#: mod/profiles.php:734 src/Model/Profile.php:790 -msgid "Hometown:" -msgstr "Home town:" - -#: mod/profiles.php:735 src/Model/Profile.php:798 -msgid "Political Views:" -msgstr "Political views:" - -#: mod/profiles.php:736 -msgid "Religious Views:" -msgstr "Religious views:" - -#: mod/profiles.php:737 -msgid "Public Keywords:" -msgstr "Public keywords:" - -#: mod/profiles.php:737 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "Used for suggesting potential friends, can be seen by others." - -#: mod/profiles.php:738 -msgid "Private Keywords:" -msgstr "Private keywords:" - -#: mod/profiles.php:738 -msgid "(Used for searching profiles, never shown to others)" -msgstr "Used for searching profiles, never shown to others." - -#: mod/profiles.php:739 src/Model/Profile.php:814 -msgid "Likes:" -msgstr "Likes:" - -#: mod/profiles.php:740 src/Model/Profile.php:818 -msgid "Dislikes:" -msgstr "Dislikes:" - -#: mod/profiles.php:741 -msgid "Musical interests" -msgstr "Music:" - -#: mod/profiles.php:742 -msgid "Books, literature" -msgstr "Books, literature, poetry:" - -#: mod/profiles.php:743 -msgid "Television" -msgstr "Television:" - -#: mod/profiles.php:744 -msgid "Film/dance/culture/entertainment" -msgstr "Film, dance, culture, entertainment" - -#: mod/profiles.php:745 -msgid "Hobbies/Interests" -msgstr "Hobbies/Interests:" - -#: mod/profiles.php:746 -msgid "Love/romance" -msgstr "Love/Romance:" - -#: mod/profiles.php:747 -msgid "Work/employment" -msgstr "Work/Employment:" - -#: mod/profiles.php:748 -msgid "School/education" -msgstr "School/Education:" - -#: mod/profiles.php:749 -msgid "Contact information and Social Networks" -msgstr "Contact information and other social networks:" - -#: mod/profiles.php:780 src/Model/Profile.php:389 -msgid "Profile Image" -msgstr "Profile image" - -#: mod/profiles.php:782 src/Model/Profile.php:392 -msgid "visible to everybody" -msgstr "Visible to everybody" - -#: mod/profiles.php:789 -msgid "Edit/Manage Profiles" -msgstr "Edit/Manage Profiles" - -#: mod/profiles.php:790 src/Model/Profile.php:379 src/Model/Profile.php:401 -msgid "Change profile photo" -msgstr "Change profile photo" - -#: mod/profiles.php:791 src/Model/Profile.php:380 -msgid "Create New Profile" -msgstr "Create new profile" - #: mod/wall_attach.php:24 mod/wall_attach.php:32 mod/wall_attach.php:83 #: mod/wall_upload.php:38 mod/wall_upload.php:54 mod/wall_upload.php:112 #: mod/wall_upload.php:155 mod/wall_upload.php:158 @@ -2794,454 +2131,19 @@ msgstr "File exceeds size limit of %s" msgid "File upload failed." msgstr "File upload failed." -#: mod/contacts.php:149 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited." -msgstr[0] "%d contact edited." -msgstr[1] "%d contacts edited." +#: mod/manage.php:180 +msgid "Manage Identities and/or Pages" +msgstr "Manage Identities and Pages" -#: mod/contacts.php:176 mod/contacts.php:392 -msgid "Could not access contact record." -msgstr "Could not access contact record." - -#: mod/contacts.php:186 -msgid "Could not locate selected profile." -msgstr "Could not locate selected profile." - -#: mod/contacts.php:220 -msgid "Contact updated." -msgstr "Contact updated." - -#: mod/contacts.php:222 mod/dfrn_request.php:419 -msgid "Failed to update contact record." -msgstr "Failed to update contact record." - -#: mod/contacts.php:413 -msgid "Contact has been blocked" -msgstr "Contact has been blocked" - -#: mod/contacts.php:413 -msgid "Contact has been unblocked" -msgstr "Contact has been unblocked" - -#: mod/contacts.php:424 -msgid "Contact has been ignored" -msgstr "Contact has been ignored" - -#: mod/contacts.php:424 -msgid "Contact has been unignored" -msgstr "Contact has been unignored" - -#: mod/contacts.php:435 -msgid "Contact has been archived" -msgstr "Contact has been archived" - -#: mod/contacts.php:435 -msgid "Contact has been unarchived" -msgstr "Contact has been unarchived" - -#: mod/contacts.php:459 -msgid "Drop contact" -msgstr "Drop contact" - -#: mod/contacts.php:462 mod/contacts.php:814 -msgid "Do you really want to delete this contact?" -msgstr "Do you really want to delete this contact?" - -#: mod/contacts.php:480 -msgid "Contact has been removed." -msgstr "Contact has been removed." - -#: mod/contacts.php:511 -#, php-format -msgid "You are mutual friends with %s" -msgstr "You are mutual friends with %s" - -#: mod/contacts.php:515 -#, php-format -msgid "You are sharing with %s" -msgstr "You are sharing with %s" - -#: mod/contacts.php:519 -#, php-format -msgid "%s is sharing with you" -msgstr "%s is sharing with you" - -#: mod/contacts.php:539 -msgid "Private communications are not available for this contact." -msgstr "Private communications are not available for this contact." - -#: mod/contacts.php:541 -msgid "Never" -msgstr "Never" - -#: mod/contacts.php:544 -msgid "(Update was successful)" -msgstr "(Update was successful)" - -#: mod/contacts.php:544 -msgid "(Update was not successful)" -msgstr "(Update was not successful)" - -#: mod/contacts.php:546 mod/contacts.php:976 -msgid "Suggest friends" -msgstr "Suggest friends" - -#: mod/contacts.php:550 -#, php-format -msgid "Network type: %s" -msgstr "Network type: %s" - -#: mod/contacts.php:555 -msgid "Communications lost with this contact!" -msgstr "Communications lost with this contact!" - -#: mod/contacts.php:561 -msgid "Fetch further information for feeds" -msgstr "Fetch further information for feeds" - -#: mod/contacts.php:563 +#: mod/manage.php:181 msgid "" -"Fetch information like preview pictures, title and teaser from the feed " -"item. You can activate this if the feed doesn't contain much text. Keywords " -"are taken from the meta header in the feed item and are posted as hash tags." -msgstr "Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags." +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Accounts that I manage or own." -#: mod/contacts.php:564 mod/admin.php:1190 -msgid "Disabled" -msgstr "Disabled" - -#: mod/contacts.php:565 -msgid "Fetch information" -msgstr "Fetch information" - -#: mod/contacts.php:566 -msgid "Fetch keywords" -msgstr "Fetch keywords" - -#: mod/contacts.php:567 -msgid "Fetch information and keywords" -msgstr "Fetch information and keywords" - -#: mod/contacts.php:599 -msgid "Contact" -msgstr "Contact" - -#: mod/contacts.php:602 -msgid "Profile Visibility" -msgstr "Profile visibility" - -#: mod/contacts.php:603 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Please choose the profile you would like to display to %s when viewing your profile securely." - -#: mod/contacts.php:604 -msgid "Contact Information / Notes" -msgstr "Personal note" - -#: mod/contacts.php:605 -msgid "Their personal note" -msgstr "Their personal note" - -#: mod/contacts.php:607 -msgid "Edit contact notes" -msgstr "Edit contact notes" - -#: mod/contacts.php:611 -msgid "Block/Unblock contact" -msgstr "Block/Unblock contact" - -#: mod/contacts.php:612 -msgid "Ignore contact" -msgstr "Ignore contact" - -#: mod/contacts.php:613 -msgid "Repair URL settings" -msgstr "Repair URL settings" - -#: mod/contacts.php:614 -msgid "View conversations" -msgstr "View conversations" - -#: mod/contacts.php:619 -msgid "Last update:" -msgstr "Last update:" - -#: mod/contacts.php:621 -msgid "Update public posts" -msgstr "Update public posts" - -#: mod/contacts.php:623 mod/contacts.php:986 -msgid "Update now" -msgstr "Update now" - -#: mod/contacts.php:628 mod/contacts.php:818 mod/contacts.php:995 -#: mod/admin.php:434 mod/admin.php:1708 -msgid "Unblock" -msgstr "Unblock" - -#: mod/contacts.php:628 mod/contacts.php:818 mod/contacts.php:995 -#: mod/admin.php:433 mod/admin.php:1707 -msgid "Block" -msgstr "Block" - -#: mod/contacts.php:629 mod/contacts.php:819 mod/contacts.php:1003 -msgid "Unignore" -msgstr "Unignore" - -#: mod/contacts.php:633 -msgid "Currently blocked" -msgstr "Currently blocked" - -#: mod/contacts.php:634 -msgid "Currently ignored" -msgstr "Currently ignored" - -#: mod/contacts.php:635 -msgid "Currently archived" -msgstr "Currently archived" - -#: mod/contacts.php:636 -msgid "Awaiting connection acknowledge" -msgstr "Awaiting connection acknowledgement " - -#: mod/contacts.php:637 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Replies/Likes to your public posts may still be visible" - -#: mod/contacts.php:638 -msgid "Notification for new posts" -msgstr "Notification for new posts" - -#: mod/contacts.php:638 -msgid "Send a notification of every new post of this contact" -msgstr "Send notification for every new post from this contact" - -#: mod/contacts.php:641 -msgid "Blacklisted keywords" -msgstr "Blacklisted keywords" - -#: mod/contacts.php:641 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected" - -#: mod/contacts.php:653 src/Model/Profile.php:424 -msgid "XMPP:" -msgstr "XMPP:" - -#: mod/contacts.php:658 -msgid "Actions" -msgstr "Actions" - -#: mod/contacts.php:660 mod/contacts.php:846 view/theme/frio/theme.php:259 -#: src/Content/Nav.php:100 src/Model/Profile.php:888 -msgid "Status" -msgstr "Status" - -#: mod/contacts.php:661 -msgid "Contact Settings" -msgstr "Notification and privacy " - -#: mod/contacts.php:702 -msgid "Suggestions" -msgstr "Suggestions" - -#: mod/contacts.php:705 -msgid "Suggest potential friends" -msgstr "Suggest potential friends" - -#: mod/contacts.php:710 mod/group.php:216 -msgid "All Contacts" -msgstr "All contacts" - -#: mod/contacts.php:713 -msgid "Show all contacts" -msgstr "Show all contacts" - -#: mod/contacts.php:718 -msgid "Unblocked" -msgstr "Unblocked" - -#: mod/contacts.php:721 -msgid "Only show unblocked contacts" -msgstr "Only show unblocked contacts" - -#: mod/contacts.php:726 -msgid "Blocked" -msgstr "Blocked" - -#: mod/contacts.php:729 -msgid "Only show blocked contacts" -msgstr "Only show blocked contacts" - -#: mod/contacts.php:734 -msgid "Ignored" -msgstr "Ignored" - -#: mod/contacts.php:737 -msgid "Only show ignored contacts" -msgstr "Only show ignored contacts" - -#: mod/contacts.php:742 -msgid "Archived" -msgstr "Archived" - -#: mod/contacts.php:745 -msgid "Only show archived contacts" -msgstr "Only show archived contacts" - -#: mod/contacts.php:750 -msgid "Hidden" -msgstr "Hidden" - -#: mod/contacts.php:753 -msgid "Only show hidden contacts" -msgstr "Only show hidden contacts" - -#: mod/contacts.php:809 -msgid "Search your contacts" -msgstr "Search your contacts" - -#: mod/contacts.php:810 mod/search.php:236 -#, php-format -msgid "Results for: %s" -msgstr "Results for: %s" - -#: mod/contacts.php:811 mod/directory.php:210 src/Content/Widget.php:63 -msgid "Find" -msgstr "Find" - -#: mod/contacts.php:817 mod/settings.php:169 mod/settings.php:705 -msgid "Update" -msgstr "Update" - -#: mod/contacts.php:820 mod/contacts.php:1011 -msgid "Archive" -msgstr "Archive" - -#: mod/contacts.php:820 mod/contacts.php:1011 -msgid "Unarchive" -msgstr "Unarchive" - -#: mod/contacts.php:823 -msgid "Batch Actions" -msgstr "Batch actions" - -#: mod/contacts.php:857 src/Model/Profile.php:899 -msgid "Profile Details" -msgstr "Profile Details" - -#: mod/contacts.php:869 -msgid "View all contacts" -msgstr "View all contacts" - -#: mod/contacts.php:880 -msgid "View all common friends" -msgstr "View all common friends" - -#: mod/contacts.php:886 mod/admin.php:1269 mod/events.php:535 -#: src/Model/Profile.php:865 -msgid "Advanced" -msgstr "Advanced" - -#: mod/contacts.php:889 -msgid "Advanced Contact Settings" -msgstr "Advanced contact settings" - -#: mod/contacts.php:921 -msgid "Mutual Friendship" -msgstr "Mutual friendship" - -#: mod/contacts.php:925 -msgid "is a fan of yours" -msgstr "is a fan of yours" - -#: mod/contacts.php:929 -msgid "you are a fan of" -msgstr "I follow them" - -#: mod/contacts.php:997 -msgid "Toggle Blocked status" -msgstr "Toggle blocked status" - -#: mod/contacts.php:1005 -msgid "Toggle Ignored status" -msgstr "Toggle ignored status" - -#: mod/contacts.php:1013 -msgid "Toggle Archive status" -msgstr "Toggle archive status" - -#: mod/contacts.php:1021 -msgid "Delete contact" -msgstr "Delete contact" - -#: mod/delegate.php:142 -msgid "No parent user" -msgstr "No parent user" - -#: mod/delegate.php:158 -msgid "Parent User" -msgstr "Parent user" - -#: mod/delegate.php:160 -msgid "" -"Parent users have total control about this account, including the account " -"settings. Please double check whom you give this access." -msgstr "Parent users have total control of this account, including core settings. Please double-check whom you grant such access." - -#: mod/delegate.php:161 mod/admin.php:1264 mod/admin.php:1873 -#: mod/admin.php:2126 mod/admin.php:2200 mod/admin.php:2347 -#: mod/settings.php:679 mod/settings.php:788 mod/settings.php:874 -#: mod/settings.php:963 mod/settings.php:1198 -msgid "Save Settings" -msgstr "Save settings" - -#: mod/delegate.php:162 src/Content/Nav.php:204 -msgid "Delegate Page Management" -msgstr "Delegate Page Management" - -#: mod/delegate.php:163 -msgid "Delegates" -msgstr "Delegates" - -#: mod/delegate.php:165 -msgid "" -"Delegates are able to manage all aspects of this account/page except for " -"basic account settings. Please do not delegate your personal account to " -"anybody that you do not trust completely." -msgstr "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely." - -#: mod/delegate.php:166 -msgid "Existing Page Managers" -msgstr "Existing page managers" - -#: mod/delegate.php:168 -msgid "Existing Page Delegates" -msgstr "Existing page delegates" - -#: mod/delegate.php:170 -msgid "Potential Delegates" -msgstr "Potential delegates" - -#: mod/delegate.php:172 mod/tagrm.php:98 -msgid "Remove" -msgstr "Remove" - -#: mod/delegate.php:173 -msgid "Add" -msgstr "Add" - -#: mod/delegate.php:174 -msgid "No entries." -msgstr "No entries." +#: mod/manage.php:182 +msgid "Select an identity to manage: " +msgstr "Select identity:" #: mod/dfrn_request.php:94 msgid "This introduction has already been accepted." @@ -3308,10 +2210,19 @@ msgstr "Apparently you are already friends with %s." msgid "Invalid profile URL." msgstr "Invalid profile URL." -#: mod/dfrn_request.php:345 src/Model/Contact.php:1137 +#: mod/dfrn_request.php:345 src/Model/Contact.php:1223 msgid "Disallowed profile URL." msgstr "Disallowed profile URL." +#: mod/dfrn_request.php:351 mod/friendica.php:128 mod/admin.php:353 +#: mod/admin.php:371 src/Model/Contact.php:1228 +msgid "Blocked domain" +msgstr "Blocked domain" + +#: mod/dfrn_request.php:419 mod/contacts.php:230 +msgid "Failed to update contact record." +msgstr "Failed to update contact record." + #: mod/dfrn_request.php:439 msgid "Your introduction has been sent." msgstr "Your introduction has been sent." @@ -3350,10 +2261,10 @@ msgstr "Welcome home %s." msgid "Please confirm your introduction/connection request to %s." msgstr "Please confirm your introduction/connection request to %s." -#: mod/dfrn_request.php:607 mod/probe.php:13 mod/search.php:98 -#: mod/search.php:104 mod/viewcontacts.php:45 mod/webfinger.php:16 -#: mod/community.php:25 mod/directory.php:42 mod/display.php:201 -#: mod/photos.php:932 mod/videos.php:200 +#: mod/dfrn_request.php:607 mod/probe.php:13 mod/viewcontacts.php:45 +#: mod/webfinger.php:16 mod/search.php:98 mod/search.php:104 +#: mod/community.php:27 mod/photos.php:932 mod/videos.php:199 +#: mod/display.php:203 mod/directory.php:42 msgid "Public access denied." msgstr "Public access denied." @@ -3380,16 +2291,16 @@ msgid "" "testuser@gnusocial.de" msgstr "Examples: jojo@demo.friendi.ca, http://demo.friendi.ca/profile/jojo, user@gnusocial.de" -#: mod/dfrn_request.php:652 mod/follow.php:147 +#: mod/dfrn_request.php:652 mod/follow.php:149 msgid "Please answer the following:" msgstr "Please answer the following:" -#: mod/dfrn_request.php:653 mod/follow.php:148 +#: mod/dfrn_request.php:653 mod/follow.php:150 #, php-format msgid "Does %s know you?" msgstr "Does %s know you?" -#: mod/dfrn_request.php:654 mod/follow.php:149 +#: mod/dfrn_request.php:654 mod/follow.php:151 msgid "Add a personal note:" msgstr "Add a personal note:" @@ -3412,29 +2323,972 @@ msgid "" " bar." msgstr " - please do not use this form. Instead, enter %s into your Diaspora search bar." +#: mod/dfrn_request.php:660 mod/unfollow.php:113 mod/follow.php:157 +msgid "Your Identity Address:" +msgstr "My identity address:" + +#: mod/dfrn_request.php:662 mod/unfollow.php:65 mod/follow.php:62 +msgid "Submit Request" +msgstr "Submit request" + +#: mod/localtime.php:19 src/Model/Event.php:36 src/Model/Event.php:814 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" + +#: mod/localtime.php:33 +msgid "Time Conversion" +msgstr "Time conversion" + +#: mod/localtime.php:35 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica provides this service for sharing events with other networks and friends in unknown time zones." + +#: mod/localtime.php:39 +#, php-format +msgid "UTC time: %s" +msgstr "UTC time: %s" + +#: mod/localtime.php:42 +#, php-format +msgid "Current timezone: %s" +msgstr "Current time zone: %s" + +#: mod/localtime.php:46 +#, php-format +msgid "Converted localtime: %s" +msgstr "Converted local time: %s" + +#: mod/localtime.php:52 +msgid "Please select your timezone:" +msgstr "Please select your time zone:" + +#: mod/probe.php:14 mod/webfinger.php:17 +msgid "Only logged in users are permitted to perform a probing." +msgstr "Only logged in users are permitted to perform a probing." + +#: mod/profperm.php:28 mod/group.php:83 index.php:415 +msgid "Permission denied" +msgstr "Permission denied" + +#: mod/profperm.php:34 mod/profperm.php:65 +msgid "Invalid profile identifier." +msgstr "Invalid profile identifier." + +#: mod/profperm.php:111 +msgid "Profile Visibility Editor" +msgstr "Profile Visibility Editor" + +#: mod/profperm.php:115 mod/group.php:265 +msgid "Click on a contact to add or remove." +msgstr "Click on a contact to add or remove." + +#: mod/profperm.php:124 +msgid "Visible To" +msgstr "Visible to" + +#: mod/profperm.php:140 +msgid "All Contacts (with secure profile access)" +msgstr "All contacts with secure profile access" + +#: mod/regmod.php:68 +msgid "Account approved." +msgstr "Account approved." + +#: mod/regmod.php:93 +#, php-format +msgid "Registration revoked for %s" +msgstr "Registration revoked for %s" + +#: mod/regmod.php:102 +msgid "Please login." +msgstr "Please login." + +#: mod/removeme.php:55 mod/removeme.php:58 +msgid "Remove My Account" +msgstr "Remove My Account" + +#: mod/removeme.php:56 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "This will completely remove your account. Once this has been done it is not recoverable." + +#: mod/removeme.php:57 +msgid "Please enter your password for verification:" +msgstr "Please enter your password for verification:" + +#: mod/viewcontacts.php:87 +msgid "No contacts." +msgstr "No contacts." + +#: mod/viewsrc.php:12 +msgid "Access denied." +msgstr "Access denied." + +#: mod/wallmessage.php:49 mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Number of daily wall messages for %s exceeded. Message failed." + +#: mod/wallmessage.php:57 mod/message.php:73 +msgid "No recipient selected." +msgstr "No recipient selected." + +#: mod/wallmessage.php:60 +msgid "Unable to check your home location." +msgstr "Unable to check your home location." + +#: mod/wallmessage.php:63 mod/message.php:80 +msgid "Message could not be sent." +msgstr "Message could not be sent." + +#: mod/wallmessage.php:66 mod/message.php:83 +msgid "Message collection failure." +msgstr "Message collection failure." + +#: mod/wallmessage.php:69 mod/message.php:86 +msgid "Message sent." +msgstr "Message sent." + +#: mod/wallmessage.php:86 mod/wallmessage.php:95 +msgid "No recipient." +msgstr "No recipient." + +#: mod/wallmessage.php:132 mod/message.php:250 +msgid "Send Private Message" +msgstr "Send private message" + +#: mod/wallmessage.php:133 +#, php-format +msgid "" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders." + +#: mod/wallmessage.php:134 mod/message.php:251 mod/message.php:421 +msgid "To:" +msgstr "To:" + +#: mod/wallmessage.php:135 mod/message.php:255 mod/message.php:423 +msgid "Subject:" +msgstr "Subject:" + +#: mod/uexport.php:44 +msgid "Export account" +msgstr "Export account" + +#: mod/uexport.php:44 +msgid "" +"Export your account info and contacts. Use this to make a backup of your " +"account and/or to move it to another server." +msgstr "Export your account info and contacts. Use this to backup your account or to move it to another server." + +#: mod/uexport.php:45 +msgid "Export all" +msgstr "Export all" + +#: mod/uexport.php:45 +msgid "" +"Export your accout info, contacts and all your items as json. Could be a " +"very big file, and could take a lot of time. Use this to make a full backup " +"of your account (photos are not exported)" +msgstr "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)" + +#: mod/uexport.php:52 mod/settings.php:107 +msgid "Export personal data" +msgstr "Export personal data" + #: mod/filer.php:34 msgid "- select -" msgstr "- select -" -#: mod/follow.php:44 -msgid "The contact could not be added." -msgstr "Contact could not be added." +#: mod/notify.php:77 +msgid "No more system notifications." +msgstr "No more system notifications." -#: mod/follow.php:72 -msgid "You already added this contact." -msgstr "You already added this contact." +#: mod/ping.php:292 +msgid "{0} wants to be your friend" +msgstr "{0} wants to be your friend" -#: mod/follow.php:81 -msgid "Diaspora support isn't enabled. Contact can't be added." -msgstr "Diaspora support isn't enabled. Contact can't be added." +#: mod/ping.php:307 +msgid "{0} sent you a message" +msgstr "{0} sent you a message" -#: mod/follow.php:88 -msgid "OStatus support is disabled. Contact can't be added." -msgstr "OStatus support is disabled. Contact can't be added." +#: mod/ping.php:322 +msgid "{0} requested registration" +msgstr "{0} requested registration" -#: mod/follow.php:95 -msgid "The network type couldn't be detected. Contact can't be added." -msgstr "The network type couldn't be detected. Contact can't be added." +#: mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Poke/Prod" + +#: mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "Poke, prod or do other things to somebody" + +#: mod/poke.php:194 +msgid "Recipient" +msgstr "Recipient:" + +#: mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Choose what you wish to do:" + +#: mod/poke.php:198 +msgid "Make this post private" +msgstr "Make this post private" + +#: mod/subthread.php:113 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s is following %2$s's %3$s" + +#: mod/tagrm.php:47 +msgid "Tag removed" +msgstr "Tag removed" + +#: mod/tagrm.php:85 +msgid "Remove Item Tag" +msgstr "Remove Item tag" + +#: mod/tagrm.php:87 +msgid "Select a tag to remove: " +msgstr "Select a tag to remove: " + +#: mod/tagrm.php:98 mod/delegate.php:177 +msgid "Remove" +msgstr "Remove" + +#: mod/wall_upload.php:186 mod/photos.php:763 mod/photos.php:766 +#: mod/photos.php:795 mod/profile_photo.php:153 +#, php-format +msgid "Image exceeds size limit of %s" +msgstr "Image exceeds size limit of %s" + +#: mod/wall_upload.php:200 mod/photos.php:818 mod/profile_photo.php:162 +msgid "Unable to process image." +msgstr "Unable to process image." + +#: mod/wall_upload.php:231 mod/item.php:471 src/Object/Image.php:953 +#: src/Object/Image.php:969 src/Object/Image.php:977 src/Object/Image.php:1002 +msgid "Wall Photos" +msgstr "Wall photos" + +#: mod/wall_upload.php:239 mod/photos.php:847 mod/profile_photo.php:307 +msgid "Image upload failed." +msgstr "Image upload failed." + +#: mod/search.php:37 mod/network.php:194 +msgid "Remove term" +msgstr "Remove term" + +#: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 +msgid "Saved Searches" +msgstr "Saved searches" + +#: mod/search.php:105 +msgid "Only logged in users are permitted to perform a search." +msgstr "Only logged in users are permitted to perform a search." + +#: mod/search.php:129 +msgid "Too Many Requests" +msgstr "Too many requests" + +#: mod/search.php:130 +msgid "Only one search per minute is permitted for not logged in users." +msgstr "Only one search per minute is permitted for not logged in users." + +#: mod/search.php:228 mod/community.php:136 +msgid "No results." +msgstr "No results." + +#: mod/search.php:234 +#, php-format +msgid "Items tagged with: %s" +msgstr "Items tagged with: %s" + +#: mod/search.php:236 mod/contacts.php:819 +#, php-format +msgid "Results for: %s" +msgstr "Results for: %s" + +#: mod/bookmarklet.php:23 src/Content/Nav.php:114 src/Module/Login.php:312 +msgid "Login" +msgstr "Login" + +#: mod/bookmarklet.php:51 +msgid "The post was created" +msgstr "The post was created" + +#: mod/community.php:46 +msgid "Community option not available." +msgstr "Community option not available." + +#: mod/community.php:63 +msgid "Not available." +msgstr "Not available." + +#: mod/community.php:76 +msgid "Local Community" +msgstr "Local community" + +#: mod/community.php:79 +msgid "Posts from local users on this server" +msgstr "Posts from local users on this server" + +#: mod/community.php:87 +msgid "Global Community" +msgstr "Global Community" + +#: mod/community.php:90 +msgid "Posts from users of the whole federated network" +msgstr "Posts from users of the whole federated network" + +#: mod/community.php:180 +msgid "" +"This community stream shows all public posts received by this node. They may" +" not reflect the opinions of this node’s users." +msgstr "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users." + +#: mod/editpost.php:25 mod/editpost.php:35 +msgid "Item not found" +msgstr "Item not found" + +#: mod/editpost.php:42 +msgid "Edit post" +msgstr "Edit post" + +#: mod/editpost.php:134 src/Core/ACL.php:315 +msgid "CC: email addresses" +msgstr "CC: email addresses" + +#: mod/editpost.php:141 src/Core/ACL.php:316 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Example: bob@example.com, mary@example.com" + +#: mod/feedtest.php:20 +msgid "You must be logged in to use this module" +msgstr "" + +#: mod/feedtest.php:48 +msgid "Source URL" +msgstr "" + +#: mod/fsuggest.php:72 +msgid "Friend suggestion sent." +msgstr "Friend suggestion sent" + +#: mod/fsuggest.php:101 +msgid "Suggest Friends" +msgstr "Suggest friends" + +#: mod/fsuggest.php:103 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Suggest a friend for %s" + +#: mod/group.php:36 +msgid "Group created." +msgstr "Group created." + +#: mod/group.php:42 +msgid "Could not create group." +msgstr "Could not create group." + +#: mod/group.php:56 mod/group.php:157 +msgid "Group not found." +msgstr "Group not found." + +#: mod/group.php:70 +msgid "Group name changed." +msgstr "Group name changed." + +#: mod/group.php:97 +msgid "Save Group" +msgstr "Save group" + +#: mod/group.php:102 +msgid "Create a group of contacts/friends." +msgstr "Create a group of contacts/friends." + +#: mod/group.php:103 mod/group.php:199 src/Model/Group.php:408 +msgid "Group Name: " +msgstr "Group name: " + +#: mod/group.php:127 +msgid "Group removed." +msgstr "Group removed." + +#: mod/group.php:129 +msgid "Unable to remove group." +msgstr "Unable to remove group." + +#: mod/group.php:192 +msgid "Delete Group" +msgstr "Delete group" + +#: mod/group.php:198 +msgid "Group Editor" +msgstr "Group Editor" + +#: mod/group.php:203 +msgid "Edit Group Name" +msgstr "Edit group name" + +#: mod/group.php:213 +msgid "Members" +msgstr "Members" + +#: mod/group.php:215 mod/contacts.php:719 +msgid "All Contacts" +msgstr "All contacts" + +#: mod/group.php:216 mod/network.php:639 +msgid "Group is empty" +msgstr "Group is empty" + +#: mod/group.php:229 +msgid "Remove Contact" +msgstr "Remove contact" + +#: mod/group.php:253 +msgid "Add Contact" +msgstr "Add contact" + +#: mod/item.php:114 +msgid "Unable to locate original post." +msgstr "Unable to locate original post." + +#: mod/item.php:274 +msgid "Empty post discarded." +msgstr "Empty post discarded." + +#: mod/item.php:799 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "This message was sent to you by %s, a member of the Friendica social network." + +#: mod/item.php:801 +#, php-format +msgid "You may visit them online at %s" +msgstr "You may visit them online at %s" + +#: mod/item.php:802 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Please contact the sender by replying to this post if you do not wish to receive these messages." + +#: mod/item.php:806 +#, php-format +msgid "%s posted an update." +msgstr "%s posted an update." + +#: mod/message.php:30 src/Content/Nav.php:198 +msgid "New Message" +msgstr "New Message" + +#: mod/message.php:77 +msgid "Unable to locate contact information." +msgstr "Unable to locate contact information." + +#: mod/message.php:112 src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Messages" +msgstr "Messages" + +#: mod/message.php:136 +msgid "Do you really want to delete this message?" +msgstr "Do you really want to delete this message?" + +#: mod/message.php:156 +msgid "Message deleted." +msgstr "Message deleted." + +#: mod/message.php:185 +msgid "Conversation removed." +msgstr "Conversation removed." + +#: mod/message.php:291 +msgid "No messages." +msgstr "No messages." + +#: mod/message.php:330 +msgid "Message not available." +msgstr "Message not available." + +#: mod/message.php:397 +msgid "Delete message" +msgstr "Delete message" + +#: mod/message.php:399 mod/message.php:500 +msgid "D, d M Y - g:i A" +msgstr "D, d M Y - g:i A" + +#: mod/message.php:414 mod/message.php:497 +msgid "Delete conversation" +msgstr "Delete conversation" + +#: mod/message.php:416 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "No secure communications available. You may be able to respond from the sender's profile page." + +#: mod/message.php:420 +msgid "Send Reply" +msgstr "Send reply" + +#: mod/message.php:471 +#, php-format +msgid "Unknown sender - %s" +msgstr "Unknown sender - %s" + +#: mod/message.php:473 +#, php-format +msgid "You and %s" +msgstr "Me and %s" + +#: mod/message.php:475 +#, php-format +msgid "%s and You" +msgstr "%s and me" + +#: mod/message.php:503 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d message" +msgstr[1] "%d messages" + +#: mod/network.php:202 src/Model/Group.php:400 +msgid "add" +msgstr "add" + +#: mod/network.php:547 +#, php-format +msgid "" +"Warning: This group contains %s member from a network that doesn't allow non" +" public messages." +msgid_plural "" +"Warning: This group contains %s members from a network that doesn't allow " +"non public messages." +msgstr[0] "Warning: This group contains %s member from a network that doesn't allow non public messages." +msgstr[1] "Warning: This group contains %s members from a network that doesn't allow non public messages." + +#: mod/network.php:550 +msgid "Messages in this group won't be send to these receivers." +msgstr "Messages in this group won't be send to these receivers." + +#: mod/network.php:618 +msgid "No such group" +msgstr "No such group" + +#: mod/network.php:643 +#, php-format +msgid "Group: %s" +msgstr "Group: %s" + +#: mod/network.php:669 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "Private messages to this person are at risk of public disclosure." + +#: mod/network.php:672 +msgid "Invalid contact." +msgstr "Invalid contact." + +#: mod/network.php:921 +msgid "Commented Order" +msgstr "Commented last" + +#: mod/network.php:924 +msgid "Sort by Comment Date" +msgstr "Sort by comment date" + +#: mod/network.php:929 +msgid "Posted Order" +msgstr "Posted last" + +#: mod/network.php:932 +msgid "Sort by Post Date" +msgstr "Sort by post date" + +#: mod/network.php:940 mod/profiles.php:687 +#: src/Core/NotificationsManager.php:185 +msgid "Personal" +msgstr "Personal" + +#: mod/network.php:943 +msgid "Posts that mention or involve you" +msgstr "Posts mentioning or involving me" + +#: mod/network.php:951 +msgid "New" +msgstr "New" + +#: mod/network.php:954 +msgid "Activity Stream - by date" +msgstr "Activity Stream - by date" + +#: mod/network.php:962 +msgid "Shared Links" +msgstr "Shared links" + +#: mod/network.php:965 +msgid "Interesting Links" +msgstr "Interesting links" + +#: mod/network.php:973 +msgid "Starred" +msgstr "Starred" + +#: mod/network.php:976 +msgid "Favourite Posts" +msgstr "My favourite posts" + +#: mod/notes.php:52 src/Model/Profile.php:946 +msgid "Personal Notes" +msgstr "Personal notes" + +#: mod/oexchange.php:30 +msgid "Post successful." +msgstr "Post successful." + +#: mod/photos.php:108 src/Model/Profile.php:907 +msgid "Photo Albums" +msgstr "Photo Albums" + +#: mod/photos.php:109 mod/photos.php:1713 +msgid "Recent Photos" +msgstr "Recent photos" + +#: mod/photos.php:112 mod/photos.php:1210 mod/photos.php:1715 +msgid "Upload New Photos" +msgstr "Upload new photos" + +#: mod/photos.php:126 mod/settings.php:50 +msgid "everybody" +msgstr "everybody" + +#: mod/photos.php:184 +msgid "Contact information unavailable" +msgstr "Contact information unavailable" + +#: mod/photos.php:204 +msgid "Album not found." +msgstr "Album not found." + +#: mod/photos.php:234 mod/photos.php:245 mod/photos.php:1161 +msgid "Delete Album" +msgstr "Delete album" + +#: mod/photos.php:243 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Do you really want to delete this photo album and all its photos?" + +#: mod/photos.php:310 mod/photos.php:321 mod/photos.php:1446 +msgid "Delete Photo" +msgstr "Delete photo" + +#: mod/photos.php:319 +msgid "Do you really want to delete this photo?" +msgstr "Do you really want to delete this photo?" + +#: mod/photos.php:667 +msgid "a photo" +msgstr "a photo" + +#: mod/photos.php:667 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s was tagged in %2$s by %3$s" + +#: mod/photos.php:769 +msgid "Image upload didn't complete, please try again" +msgstr "Image upload didn't complete, please try again" + +#: mod/photos.php:772 +msgid "Image file is missing" +msgstr "Image file is missing" + +#: mod/photos.php:777 +msgid "" +"Server can't accept new file upload at this time, please contact your " +"administrator" +msgstr "Server can't accept new file upload at this time, please contact your administrator" + +#: mod/photos.php:803 +msgid "Image file is empty." +msgstr "Image file is empty." + +#: mod/photos.php:940 +msgid "No photos selected" +msgstr "No photos selected" + +#: mod/photos.php:1036 mod/videos.php:309 +msgid "Access to this item is restricted." +msgstr "Access to this item is restricted." + +#: mod/photos.php:1090 +msgid "Upload Photos" +msgstr "Upload photos" + +#: mod/photos.php:1094 mod/photos.php:1156 +msgid "New album name: " +msgstr "New album name: " + +#: mod/photos.php:1095 +msgid "or existing album name: " +msgstr "or existing album name: " + +#: mod/photos.php:1096 +msgid "Do not show a status post for this upload" +msgstr "Do not show a status post for this upload" + +#: mod/photos.php:1098 mod/photos.php:1441 mod/events.php:533 +#: src/Core/ACL.php:318 +msgid "Permissions" +msgstr "Permissions" + +#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1229 +msgid "Show to Groups" +msgstr "Show to groups" + +#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1230 +msgid "Show to Contacts" +msgstr "Show to contacts" + +#: mod/photos.php:1167 +msgid "Edit Album" +msgstr "Edit album" + +#: mod/photos.php:1172 +msgid "Show Newest First" +msgstr "Show newest first" + +#: mod/photos.php:1174 +msgid "Show Oldest First" +msgstr "Show oldest first" + +#: mod/photos.php:1195 mod/photos.php:1698 +msgid "View Photo" +msgstr "View photo" + +#: mod/photos.php:1236 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permission denied. Access to this item may be restricted." + +#: mod/photos.php:1238 +msgid "Photo not available" +msgstr "Photo not available" + +#: mod/photos.php:1301 +msgid "View photo" +msgstr "View photo" + +#: mod/photos.php:1301 +msgid "Edit photo" +msgstr "Edit photo" + +#: mod/photos.php:1302 +msgid "Use as profile photo" +msgstr "Use as profile photo" + +#: mod/photos.php:1308 src/Object/Post.php:149 +msgid "Private Message" +msgstr "Private message" + +#: mod/photos.php:1327 +msgid "View Full Size" +msgstr "View full size" + +#: mod/photos.php:1414 +msgid "Tags: " +msgstr "Tags: " + +#: mod/photos.php:1417 +msgid "[Remove any tag]" +msgstr "[Remove any tag]" + +#: mod/photos.php:1432 +msgid "New album name" +msgstr "New album name" + +#: mod/photos.php:1433 +msgid "Caption" +msgstr "Caption" + +#: mod/photos.php:1434 +msgid "Add a Tag" +msgstr "Add Tag" + +#: mod/photos.php:1434 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Example: @bob, @jojo@example.com, #California, #camping" + +#: mod/photos.php:1435 +msgid "Do not rotate" +msgstr "Do not rotate" + +#: mod/photos.php:1436 +msgid "Rotate CW (right)" +msgstr "Rotate right (CW)" + +#: mod/photos.php:1437 +msgid "Rotate CCW (left)" +msgstr "Rotate left (CCW)" + +#: mod/photos.php:1471 src/Object/Post.php:296 +msgid "I like this (toggle)" +msgstr "I like this (toggle)" + +#: mod/photos.php:1472 src/Object/Post.php:297 +msgid "I don't like this (toggle)" +msgstr "I don't like this (toggle)" + +#: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 +#: mod/contacts.php:953 src/Object/Post.php:793 +msgid "This is you" +msgstr "This is me" + +#: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 +#: src/Object/Post.php:399 src/Object/Post.php:795 +msgid "Comment" +msgstr "Comment" + +#: mod/photos.php:1634 +msgid "Map" +msgstr "Map" + +#: mod/photos.php:1704 mod/videos.php:387 +msgid "View Album" +msgstr "View album" + +#: mod/profile.php:37 src/Model/Profile.php:118 +msgid "Requested profile is not available." +msgstr "Requested profile is unavailable." + +#: mod/profile.php:78 src/Protocol/OStatus.php:1252 +#, php-format +msgid "%s's posts" +msgstr "%s's posts" + +#: mod/profile.php:79 src/Protocol/OStatus.php:1253 +#, php-format +msgid "%s's comments" +msgstr "%s's comments" + +#: mod/profile.php:80 src/Protocol/OStatus.php:1251 +#, php-format +msgid "%s's timeline" +msgstr "%s's timeline" + +#: mod/profile.php:173 mod/display.php:313 mod/cal.php:142 +msgid "Access to this profile has been restricted." +msgstr "Access to this profile has been restricted." + +#: mod/profile.php:194 +msgid "Tips for New Members" +msgstr "Tips for New Members" + +#: mod/videos.php:139 +msgid "Do you really want to delete this video?" +msgstr "Do you really want to delete this video?" + +#: mod/videos.php:144 +msgid "Delete Video" +msgstr "Delete video" + +#: mod/videos.php:207 +msgid "No videos selected" +msgstr "No videos selected" + +#: mod/videos.php:396 +msgid "Recent Videos" +msgstr "Recent videos" + +#: mod/videos.php:398 +msgid "Upload New Videos" +msgstr "Upload new videos" + +#: mod/delegate.php:37 +msgid "Parent user not found." +msgstr "" + +#: mod/delegate.php:144 +msgid "No parent user" +msgstr "No parent user" + +#: mod/delegate.php:159 +msgid "Parent Password:" +msgstr "" + +#: mod/delegate.php:159 +msgid "" +"Please enter the password of the parent account to legitimize your request." +msgstr "" + +#: mod/delegate.php:164 +msgid "Parent User" +msgstr "Parent user" + +#: mod/delegate.php:167 +msgid "" +"Parent users have total control about this account, including the account " +"settings. Please double check whom you give this access." +msgstr "Parent users have total control of this account, including core settings. Please double-check whom you grant such access." + +#: mod/delegate.php:168 mod/admin.php:307 mod/admin.php:1346 +#: mod/admin.php:1965 mod/admin.php:2218 mod/admin.php:2292 mod/admin.php:2439 +#: mod/settings.php:675 mod/settings.php:784 mod/settings.php:872 +#: mod/settings.php:961 mod/settings.php:1194 +msgid "Save Settings" +msgstr "Save settings" + +#: mod/delegate.php:169 src/Content/Nav.php:204 +msgid "Delegate Page Management" +msgstr "Delegate Page Management" + +#: mod/delegate.php:170 +msgid "Delegates" +msgstr "Delegates" + +#: mod/delegate.php:172 +msgid "" +"Delegates are able to manage all aspects of this account/page except for " +"basic account settings. Please do not delegate your personal account to " +"anybody that you do not trust completely." +msgstr "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely." + +#: mod/delegate.php:173 +msgid "Existing Page Delegates" +msgstr "Existing page delegates" + +#: mod/delegate.php:175 +msgid "Potential Delegates" +msgstr "Potential delegates" + +#: mod/delegate.php:178 +msgid "Add" +msgstr "Add" + +#: mod/delegate.php:179 +msgid "No entries." +msgstr "No entries." + +#: mod/dirfind.php:49 +#, php-format +msgid "People Search - %s" +msgstr "People search - %s" + +#: mod/dirfind.php:60 +#, php-format +msgid "Forum Search - %s" +msgstr "Forum search - %s" #: mod/install.php:114 msgid "Friendica Communications Server - Setup" @@ -3458,7 +3312,7 @@ msgid "" "or mysql." msgstr "You may need to import the file \"database.sql\" manually using phpmyadmin or mysql." -#: mod/install.php:136 mod/install.php:208 mod/install.php:553 +#: mod/install.php:136 mod/install.php:208 mod/install.php:558 msgid "Please see the file \"INSTALL.txt\"." msgstr "Please see the file \"INSTALL.txt\"." @@ -3470,6 +3324,10 @@ msgstr "Database already in use." msgid "System check" msgstr "System check" +#: mod/install.php:209 mod/cal.php:277 mod/events.php:395 +msgid "Next" +msgstr "Next" + #: mod/install.php:210 msgid "Check again" msgstr "Check again" @@ -3637,147 +3495,155 @@ msgid "XML PHP module" msgstr "XML PHP module" #: mod/install.php:400 -msgid "iconv module" -msgstr "iconv module" +msgid "iconv PHP module" +msgstr "iconv PHP module" -#: mod/install.php:404 mod/install.php:406 +#: mod/install.php:401 +msgid "POSIX PHP module" +msgstr "POSIX PHP module" + +#: mod/install.php:405 mod/install.php:407 msgid "Apache mod_rewrite module" msgstr "Apache mod_rewrite module" -#: mod/install.php:404 +#: mod/install.php:405 msgid "" "Error: Apache webserver mod-rewrite module is required but not installed." msgstr "Error: Apache web server mod-rewrite module is required but not installed." -#: mod/install.php:412 +#: mod/install.php:413 msgid "Error: libCURL PHP module required but not installed." msgstr "Error: libCURL PHP module required but not installed." -#: mod/install.php:416 +#: mod/install.php:417 msgid "" "Error: GD graphics PHP module with JPEG support required but not installed." msgstr "Error: GD graphics PHP module with JPEG support required but not installed." -#: mod/install.php:420 +#: mod/install.php:421 msgid "Error: openssl PHP module required but not installed." msgstr "Error: openssl PHP module required but not installed." -#: mod/install.php:424 +#: mod/install.php:425 msgid "Error: PDO or MySQLi PHP module required but not installed." msgstr "Error: PDO or MySQLi PHP module required but not installed." -#: mod/install.php:428 +#: mod/install.php:429 msgid "Error: The MySQL driver for PDO is not installed." msgstr "Error: MySQL driver for PDO is not installed." -#: mod/install.php:432 +#: mod/install.php:433 msgid "Error: mb_string PHP module required but not installed." msgstr "Error: mb_string PHP module required but not installed." -#: mod/install.php:436 +#: mod/install.php:437 msgid "Error: iconv PHP module required but not installed." msgstr "Error: iconv PHP module required but not installed." -#: mod/install.php:446 +#: mod/install.php:441 +msgid "Error: POSIX PHP module required but not installed." +msgstr "" + +#: mod/install.php:451 msgid "Error, XML PHP module required but not installed." msgstr "Error, XML PHP module required but not installed." -#: mod/install.php:458 +#: mod/install.php:463 msgid "" "The web installer needs to be able to create a file called \".htconfig.php\"" " in the top folder of your web server and it is unable to do so." msgstr "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so." -#: mod/install.php:459 +#: mod/install.php:464 msgid "" "This is most often a permission setting, as the web server may not be able " "to write files in your folder - even if you can." msgstr "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can." -#: mod/install.php:460 +#: mod/install.php:465 msgid "" "At the end of this procedure, we will give you a text to save in a file " "named .htconfig.php in your Friendica top folder." msgstr "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top-level directory." -#: mod/install.php:461 +#: mod/install.php:466 msgid "" "You can alternatively skip this procedure and perform a manual installation." " Please see the file \"INSTALL.txt\" for instructions." msgstr "Alternatively, you may skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions." -#: mod/install.php:464 +#: mod/install.php:469 msgid ".htconfig.php is writable" msgstr ".htconfig.php is writeable" -#: mod/install.php:474 +#: mod/install.php:479 msgid "" "Friendica uses the Smarty3 template engine to render its web views. Smarty3 " "compiles templates to PHP to speed up rendering." msgstr "Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering." -#: mod/install.php:475 +#: mod/install.php:480 msgid "" "In order to store these compiled templates, the web server needs to have " "write access to the directory view/smarty3/ under the Friendica top level " "folder." msgstr "In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top-level directory." -#: mod/install.php:476 +#: mod/install.php:481 msgid "" "Please ensure that the user that your web server runs as (e.g. www-data) has" " write access to this folder." msgstr "Please ensure the user (e.g. www-data) that your web server runs as has write access to this directory." -#: mod/install.php:477 +#: mod/install.php:482 msgid "" "Note: as a security measure, you should give the web server write access to " "view/smarty3/ only--not the template files (.tpl) that it contains." msgstr "Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains." -#: mod/install.php:480 +#: mod/install.php:485 msgid "view/smarty3 is writable" msgstr "view/smarty3 is writeable" -#: mod/install.php:496 +#: mod/install.php:501 msgid "" "Url rewrite in .htaccess is not working. Check your server configuration." msgstr "URL rewrite in .htaccess is not working. Check your server configuration." -#: mod/install.php:498 +#: mod/install.php:503 msgid "Url rewrite is working" msgstr "URL rewrite is working" -#: mod/install.php:517 +#: mod/install.php:522 msgid "ImageMagick PHP extension is not installed" msgstr "ImageMagick PHP extension is not installed" -#: mod/install.php:519 +#: mod/install.php:524 msgid "ImageMagick PHP extension is installed" msgstr "ImageMagick PHP extension is installed" -#: mod/install.php:521 +#: mod/install.php:526 msgid "ImageMagick supports GIF" msgstr "ImageMagick supports GIF" -#: mod/install.php:528 +#: mod/install.php:533 msgid "" "The database configuration file \".htconfig.php\" could not be written. " "Please use the enclosed text to create a configuration file in your web " "server root." msgstr "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root." -#: mod/install.php:551 +#: mod/install.php:556 msgid "

What next

" msgstr "

What next

" -#: mod/install.php:552 +#: mod/install.php:557 msgid "" "IMPORTANT: You will need to [manually] setup a scheduled task for the " "worker." msgstr "IMPORTANT: You will need to [manually] setup a scheduled task for the worker." -#: mod/install.php:555 +#: mod/install.php:560 #, php-format msgid "" "Go to your new Friendica node registration page " @@ -3785,34 +3651,1156 @@ msgid "" " administrator email. This will allow you to enter the site admin panel." msgstr "Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel." -#: mod/localtime.php:33 -msgid "Time Conversion" -msgstr "Time conversion" +#: mod/ostatus_subscribe.php:21 +msgid "Subscribing to OStatus contacts" +msgstr "Subscribing to OStatus contacts" -#: mod/localtime.php:35 +#: mod/ostatus_subscribe.php:33 +msgid "No contact provided." +msgstr "No contact provided." + +#: mod/ostatus_subscribe.php:40 +msgid "Couldn't fetch information for contact." +msgstr "Couldn't fetch information for contact." + +#: mod/ostatus_subscribe.php:50 +msgid "Couldn't fetch friends for contact." +msgstr "Couldn't fetch friends for contact." + +#: mod/ostatus_subscribe.php:78 +msgid "success" +msgstr "success" + +#: mod/ostatus_subscribe.php:80 +msgid "failed" +msgstr "failed" + +#: mod/ostatus_subscribe.php:83 src/Object/Post.php:279 +msgid "ignored" +msgstr "Ignored" + +#: mod/unfollow.php:34 +msgid "Contact wasn't found or can't be unfollowed." +msgstr "Contact wasn't found or can't be unfollowed." + +#: mod/unfollow.php:47 +msgid "Contact unfollowed" +msgstr "Contact unfollowed" + +#: mod/unfollow.php:73 +msgid "You aren't a friend of this contact." +msgstr "You aren't a friend of this contact." + +#: mod/unfollow.php:79 +msgid "Unfollowing is currently not supported by your network." +msgstr "Unfollowing is currently not supported by your network." + +#: mod/unfollow.php:100 mod/contacts.php:599 +msgid "Disconnect/Unfollow" +msgstr "Disconnect/Unfollow" + +#: mod/unfollow.php:132 mod/follow.php:186 mod/contacts.php:858 +#: src/Model/Profile.php:891 +msgid "Status Messages and Posts" +msgstr "Status Messages and Posts" + +#: mod/cal.php:274 mod/events.php:391 src/Content/Nav.php:104 +#: src/Content/Nav.php:169 src/Model/Profile.php:924 src/Model/Profile.php:935 +#: view/theme/frio/theme.php:263 view/theme/frio/theme.php:267 +msgid "Events" +msgstr "Events" + +#: mod/cal.php:275 mod/events.php:392 +msgid "View" +msgstr "View" + +#: mod/cal.php:276 mod/events.php:394 +msgid "Previous" +msgstr "Previous" + +#: mod/cal.php:280 mod/events.php:400 src/Model/Event.php:412 +msgid "today" +msgstr "today" + +#: mod/cal.php:281 mod/events.php:401 src/Util/Temporal.php:304 +#: src/Model/Event.php:413 +msgid "month" +msgstr "month" + +#: mod/cal.php:282 mod/events.php:402 src/Util/Temporal.php:305 +#: src/Model/Event.php:414 +msgid "week" +msgstr "week" + +#: mod/cal.php:283 mod/events.php:403 src/Util/Temporal.php:306 +#: src/Model/Event.php:415 +msgid "day" +msgstr "day" + +#: mod/cal.php:284 mod/events.php:404 +msgid "list" +msgstr "List" + +#: mod/cal.php:297 src/Core/Console/NewPassword.php:74 src/Model/User.php:204 +msgid "User not found" +msgstr "User not found" + +#: mod/cal.php:313 +msgid "This calendar format is not supported" +msgstr "This calendar format is not supported" + +#: mod/cal.php:315 +msgid "No exportable data found" +msgstr "No exportable data found" + +#: mod/cal.php:332 +msgid "calendar" +msgstr "calendar" + +#: mod/events.php:105 mod/events.php:107 +msgid "Event can not end before it has started." +msgstr "Event cannot end before it has started." + +#: mod/events.php:114 mod/events.php:116 +msgid "Event title and start time are required." +msgstr "Event title and starting time are required." + +#: mod/events.php:393 +msgid "Create New Event" +msgstr "Create new event" + +#: mod/events.php:506 +msgid "Event details" +msgstr "Event details" + +#: mod/events.php:507 +msgid "Starting date and Title are required." +msgstr "Starting date and title are required." + +#: mod/events.php:508 mod/events.php:509 +msgid "Event Starts:" +msgstr "Event starts:" + +#: mod/events.php:508 mod/events.php:520 mod/profiles.php:700 +msgid "Required" +msgstr "Required" + +#: mod/events.php:510 mod/events.php:526 +msgid "Finish date/time is not known or not relevant" +msgstr "Finish date/time is not known or not relevant" + +#: mod/events.php:512 mod/events.php:513 +msgid "Event Finishes:" +msgstr "Event finishes:" + +#: mod/events.php:514 mod/events.php:527 +msgid "Adjust for viewer timezone" +msgstr "Adjust for viewer's time zone" + +#: mod/events.php:516 +msgid "Description:" +msgstr "Description:" + +#: mod/events.php:520 mod/events.php:522 +msgid "Title:" +msgstr "Title:" + +#: mod/events.php:523 mod/events.php:524 +msgid "Share this event" +msgstr "Share this event" + +#: mod/events.php:531 src/Model/Profile.php:864 +msgid "Basic" +msgstr "Basic" + +#: mod/events.php:532 mod/contacts.php:895 mod/admin.php:1351 +#: src/Model/Profile.php:865 +msgid "Advanced" +msgstr "Advanced" + +#: mod/events.php:552 +msgid "Failed to remove event" +msgstr "Failed to remove event" + +#: mod/events.php:554 +msgid "Event removed" +msgstr "Event removed" + +#: mod/profile_photo.php:55 +msgid "Image uploaded but image cropping failed." +msgstr "Image uploaded but image cropping failed." + +#: mod/profile_photo.php:88 mod/profile_photo.php:96 mod/profile_photo.php:104 +#: mod/profile_photo.php:315 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Image size reduction [%s] failed." + +#: mod/profile_photo.php:125 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica provides this service for sharing events with other networks and friends in unknown time zones." +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Shift-reload the page or clear browser cache if the new photo does not display immediately." -#: mod/localtime.php:39 +#: mod/profile_photo.php:134 +msgid "Unable to process image" +msgstr "Unable to process image" + +#: mod/profile_photo.php:247 +msgid "Upload File:" +msgstr "Upload File:" + +#: mod/profile_photo.php:248 +msgid "Select a profile:" +msgstr "Select a profile:" + +#: mod/profile_photo.php:253 +msgid "or" +msgstr "or" + +#: mod/profile_photo.php:253 +msgid "skip this step" +msgstr "skip this step" + +#: mod/profile_photo.php:253 +msgid "select a photo from your photo albums" +msgstr "select a photo from your photo albums" + +#: mod/profile_photo.php:266 +msgid "Crop Image" +msgstr "Crop Image" + +#: mod/profile_photo.php:267 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Please adjust the image cropping for optimum viewing." + +#: mod/profile_photo.php:269 +msgid "Done Editing" +msgstr "Done editing" + +#: mod/profile_photo.php:305 +msgid "Image uploaded successfully." +msgstr "Image uploaded successfully." + +#: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 +msgid "Status:" +msgstr "Status:" + +#: mod/directory.php:153 src/Model/Profile.php:422 src/Model/Profile.php:786 +msgid "Homepage:" +msgstr "Homepage:" + +#: mod/directory.php:202 view/theme/vier/theme.php:201 +msgid "Global Directory" +msgstr "Global Directory" + +#: mod/directory.php:204 +msgid "Find on this site" +msgstr "Find on this site" + +#: mod/directory.php:206 +msgid "Results for:" +msgstr "Results for:" + +#: mod/directory.php:208 +msgid "Site Directory" +msgstr "Site directory" + +#: mod/directory.php:209 mod/contacts.php:820 src/Content/Widget.php:63 +msgid "Find" +msgstr "Find" + +#: mod/directory.php:213 +msgid "No entries (some entries may be hidden)." +msgstr "No entries (entries may be hidden)." + +#: mod/babel.php:22 +msgid "Source input" +msgstr "" + +#: mod/babel.php:28 +msgid "BBCode::convert (raw HTML)" +msgstr "" + +#: mod/babel.php:33 +msgid "BBCode::convert" +msgstr "" + +#: mod/babel.php:39 +msgid "BBCode::convert => HTML::toBBCode" +msgstr "" + +#: mod/babel.php:45 +msgid "BBCode::toMarkdown" +msgstr "BBCode::toMarkdown" + +#: mod/babel.php:51 +msgid "BBCode::toMarkdown => Markdown::convert" +msgstr "BBCode::toMarkdown => Markdown::convert" + +#: mod/babel.php:57 +msgid "BBCode::toMarkdown => Markdown::toBBCode" +msgstr "" + +#: mod/babel.php:63 +msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" +msgstr "" + +#: mod/babel.php:70 +msgid "Source input \\x28Diaspora format\\x29" +msgstr "" + +#: mod/babel.php:76 +msgid "Markdown::toBBCode" +msgstr "Markdown::toBBCode" + +#: mod/babel.php:83 +msgid "Raw HTML input" +msgstr "" + +#: mod/babel.php:88 +msgid "HTML Input" +msgstr "" + +#: mod/babel.php:94 +msgid "HTML::toBBCode" +msgstr "HTML::toBBCode" + +#: mod/babel.php:100 +msgid "HTML::toPlaintext" +msgstr "HTML::toPlaintext" + +#: mod/babel.php:108 +msgid "Source text" +msgstr "" + +#: mod/babel.php:109 +msgid "BBCode" +msgstr "BBCode" + +#: mod/babel.php:110 +msgid "Markdown" +msgstr "Markdown" + +#: mod/babel.php:111 +msgid "HTML" +msgstr "HTML" + +#: mod/follow.php:45 +msgid "The contact could not be added." +msgstr "Contact could not be added." + +#: mod/follow.php:73 +msgid "You already added this contact." +msgstr "You already added this contact." + +#: mod/follow.php:83 +msgid "Diaspora support isn't enabled. Contact can't be added." +msgstr "Diaspora support isn't enabled. Contact can't be added." + +#: mod/follow.php:90 +msgid "OStatus support is disabled. Contact can't be added." +msgstr "OStatus support is disabled. Contact can't be added." + +#: mod/follow.php:97 +msgid "The network type couldn't be detected. Contact can't be added." +msgstr "The network type couldn't be detected. Contact can't be added." + +#: mod/profiles.php:58 +msgid "Profile deleted." +msgstr "Profile deleted." + +#: mod/profiles.php:74 mod/profiles.php:110 +msgid "Profile-" +msgstr "Profile-" + +#: mod/profiles.php:93 mod/profiles.php:132 +msgid "New profile created." +msgstr "New profile created." + +#: mod/profiles.php:116 +msgid "Profile unavailable to clone." +msgstr "Profile unavailable to clone." + +#: mod/profiles.php:206 +msgid "Profile Name is required." +msgstr "Profile name is required." + +#: mod/profiles.php:347 +msgid "Marital Status" +msgstr "Marital status" + +#: mod/profiles.php:351 +msgid "Romantic Partner" +msgstr "Romantic partner" + +#: mod/profiles.php:363 +msgid "Work/Employment" +msgstr "Work/Employment:" + +#: mod/profiles.php:366 +msgid "Religion" +msgstr "Religion" + +#: mod/profiles.php:370 +msgid "Political Views" +msgstr "Political views" + +#: mod/profiles.php:374 +msgid "Gender" +msgstr "Gender" + +#: mod/profiles.php:378 +msgid "Sexual Preference" +msgstr "Sexual preference" + +#: mod/profiles.php:382 +msgid "XMPP" +msgstr "XMPP" + +#: mod/profiles.php:386 +msgid "Homepage" +msgstr "Homepage" + +#: mod/profiles.php:390 mod/profiles.php:686 +msgid "Interests" +msgstr "Interests" + +#: mod/profiles.php:394 mod/admin.php:490 +msgid "Address" +msgstr "Address" + +#: mod/profiles.php:401 mod/profiles.php:682 +msgid "Location" +msgstr "Location" + +#: mod/profiles.php:486 +msgid "Profile updated." +msgstr "Profile updated." + +#: mod/profiles.php:564 +msgid " and " +msgstr " and " + +#: mod/profiles.php:573 +msgid "public profile" +msgstr "public profile" + +#: mod/profiles.php:576 #, php-format -msgid "UTC time: %s" -msgstr "UTC time: %s" +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s changed %2$s to “%3$s”" -#: mod/localtime.php:42 +#: mod/profiles.php:577 #, php-format -msgid "Current timezone: %s" -msgstr "Current time zone: %s" +msgid " - Visit %1$s's %2$s" +msgstr " - Visit %1$s's %2$s" -#: mod/localtime.php:46 +#: mod/profiles.php:579 #, php-format -msgid "Converted localtime: %s" -msgstr "Converted local time: %s" +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s has an updated %2$s, changing %3$s." -#: mod/localtime.php:52 -msgid "Please select your timezone:" -msgstr "Please select your time zone:" +#: mod/profiles.php:633 +msgid "Hide contacts and friends:" +msgstr "Hide contacts and friends:" + +#: mod/profiles.php:638 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Hide your contact/friend list from viewers of this profile?" + +#: mod/profiles.php:658 +msgid "Show more profile fields:" +msgstr "Show more profile fields:" + +#: mod/profiles.php:670 +msgid "Profile Actions" +msgstr "Profile actions" + +#: mod/profiles.php:671 +msgid "Edit Profile Details" +msgstr "Edit Profile Details" + +#: mod/profiles.php:673 +msgid "Change Profile Photo" +msgstr "Change profile photo" + +#: mod/profiles.php:674 +msgid "View this profile" +msgstr "View this profile" + +#: mod/profiles.php:675 mod/profiles.php:770 src/Model/Profile.php:393 +msgid "Edit visibility" +msgstr "Edit visibility" + +#: mod/profiles.php:676 +msgid "Create a new profile using these settings" +msgstr "Create a new profile using these settings" + +#: mod/profiles.php:677 +msgid "Clone this profile" +msgstr "Clone this profile" + +#: mod/profiles.php:678 +msgid "Delete this profile" +msgstr "Delete this profile" + +#: mod/profiles.php:680 +msgid "Basic information" +msgstr "Basic information" + +#: mod/profiles.php:681 +msgid "Profile picture" +msgstr "Profile picture" + +#: mod/profiles.php:683 +msgid "Preferences" +msgstr "Preferences" + +#: mod/profiles.php:684 +msgid "Status information" +msgstr "Status information" + +#: mod/profiles.php:685 +msgid "Additional information" +msgstr "Additional information" + +#: mod/profiles.php:688 +msgid "Relation" +msgstr "Relation" + +#: mod/profiles.php:689 src/Util/Temporal.php:81 src/Util/Temporal.php:83 +msgid "Miscellaneous" +msgstr "Miscellaneous" + +#: mod/profiles.php:692 +msgid "Your Gender:" +msgstr "Gender:" + +#: mod/profiles.php:693 +msgid " Marital Status:" +msgstr " Marital status:" + +#: mod/profiles.php:694 src/Model/Profile.php:782 +msgid "Sexual Preference:" +msgstr "Sexual preference:" + +#: mod/profiles.php:695 +msgid "Example: fishing photography software" +msgstr "Example: fishing photography software" + +#: mod/profiles.php:700 +msgid "Profile Name:" +msgstr "Profile name:" + +#: mod/profiles.php:702 +msgid "" +"This is your public profile.
It may " +"be visible to anybody using the internet." +msgstr "This is your public profile.
It may be visible to anybody using the internet." + +#: mod/profiles.php:703 +msgid "Your Full Name:" +msgstr "My full name:" + +#: mod/profiles.php:704 +msgid "Title/Description:" +msgstr "Title/Description:" + +#: mod/profiles.php:707 +msgid "Street Address:" +msgstr "Street address:" + +#: mod/profiles.php:708 +msgid "Locality/City:" +msgstr "Locality/City:" + +#: mod/profiles.php:709 +msgid "Region/State:" +msgstr "Region/State:" + +#: mod/profiles.php:710 +msgid "Postal/Zip Code:" +msgstr "Postcode:" + +#: mod/profiles.php:711 +msgid "Country:" +msgstr "Country:" + +#: mod/profiles.php:712 src/Util/Temporal.php:149 +msgid "Age: " +msgstr "Age: " + +#: mod/profiles.php:715 +msgid "Who: (if applicable)" +msgstr "Who: (if applicable)" + +#: mod/profiles.php:715 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Examples: cathy123, Cathy Williams, cathy@example.com" + +#: mod/profiles.php:716 +msgid "Since [date]:" +msgstr "Since when:" + +#: mod/profiles.php:718 +msgid "Tell us about yourself..." +msgstr "About myself:" + +#: mod/profiles.php:719 +msgid "XMPP (Jabber) address:" +msgstr "XMPP (Jabber) address:" + +#: mod/profiles.php:719 +msgid "" +"The XMPP address will be propagated to your contacts so that they can follow" +" you." +msgstr "The XMPP address will be propagated to your contacts so that they can follow you." + +#: mod/profiles.php:720 +msgid "Homepage URL:" +msgstr "Homepage URL:" + +#: mod/profiles.php:721 src/Model/Profile.php:790 +msgid "Hometown:" +msgstr "Home town:" + +#: mod/profiles.php:722 src/Model/Profile.php:798 +msgid "Political Views:" +msgstr "Political views:" + +#: mod/profiles.php:723 +msgid "Religious Views:" +msgstr "Religious views:" + +#: mod/profiles.php:724 +msgid "Public Keywords:" +msgstr "Public keywords:" + +#: mod/profiles.php:724 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "Used for suggesting potential friends, can be seen by others." + +#: mod/profiles.php:725 +msgid "Private Keywords:" +msgstr "Private keywords:" + +#: mod/profiles.php:725 +msgid "(Used for searching profiles, never shown to others)" +msgstr "Used for searching profiles, never shown to others." + +#: mod/profiles.php:726 src/Model/Profile.php:814 +msgid "Likes:" +msgstr "Likes:" + +#: mod/profiles.php:727 src/Model/Profile.php:818 +msgid "Dislikes:" +msgstr "Dislikes:" + +#: mod/profiles.php:728 +msgid "Musical interests" +msgstr "Music:" + +#: mod/profiles.php:729 +msgid "Books, literature" +msgstr "Books, literature, poetry:" + +#: mod/profiles.php:730 +msgid "Television" +msgstr "Television:" + +#: mod/profiles.php:731 +msgid "Film/dance/culture/entertainment" +msgstr "Film, dance, culture, entertainment" + +#: mod/profiles.php:732 +msgid "Hobbies/Interests" +msgstr "Hobbies/Interests:" + +#: mod/profiles.php:733 +msgid "Love/romance" +msgstr "Love/Romance:" + +#: mod/profiles.php:734 +msgid "Work/employment" +msgstr "Work/Employment:" + +#: mod/profiles.php:735 +msgid "School/education" +msgstr "School/Education:" + +#: mod/profiles.php:736 +msgid "Contact information and Social Networks" +msgstr "Contact information and other social networks:" + +#: mod/profiles.php:767 src/Model/Profile.php:389 +msgid "Profile Image" +msgstr "Profile image" + +#: mod/profiles.php:769 src/Model/Profile.php:392 +msgid "visible to everybody" +msgstr "Visible to everybody" + +#: mod/profiles.php:776 +msgid "Edit/Manage Profiles" +msgstr "Edit/Manage Profiles" + +#: mod/profiles.php:777 src/Model/Profile.php:379 src/Model/Profile.php:401 +msgid "Change profile photo" +msgstr "Change profile photo" + +#: mod/profiles.php:778 src/Model/Profile.php:380 +msgid "Create New Profile" +msgstr "Create new profile" + +#: mod/contacts.php:157 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited." +msgstr[0] "%d contact edited." +msgstr[1] "%d contacts edited." + +#: mod/contacts.php:184 mod/contacts.php:400 +msgid "Could not access contact record." +msgstr "Could not access contact record." + +#: mod/contacts.php:194 +msgid "Could not locate selected profile." +msgstr "Could not locate selected profile." + +#: mod/contacts.php:228 +msgid "Contact updated." +msgstr "Contact updated." + +#: mod/contacts.php:421 +msgid "Contact has been blocked" +msgstr "Contact has been blocked" + +#: mod/contacts.php:421 +msgid "Contact has been unblocked" +msgstr "Contact has been unblocked" + +#: mod/contacts.php:432 +msgid "Contact has been ignored" +msgstr "Contact has been ignored" + +#: mod/contacts.php:432 +msgid "Contact has been unignored" +msgstr "Contact has been unignored" + +#: mod/contacts.php:443 +msgid "Contact has been archived" +msgstr "Contact has been archived" + +#: mod/contacts.php:443 +msgid "Contact has been unarchived" +msgstr "Contact has been unarchived" + +#: mod/contacts.php:467 +msgid "Drop contact" +msgstr "Drop contact" + +#: mod/contacts.php:470 mod/contacts.php:823 +msgid "Do you really want to delete this contact?" +msgstr "Do you really want to delete this contact?" + +#: mod/contacts.php:488 +msgid "Contact has been removed." +msgstr "Contact has been removed." + +#: mod/contacts.php:519 +#, php-format +msgid "You are mutual friends with %s" +msgstr "You are mutual friends with %s" + +#: mod/contacts.php:523 +#, php-format +msgid "You are sharing with %s" +msgstr "You are sharing with %s" + +#: mod/contacts.php:527 +#, php-format +msgid "%s is sharing with you" +msgstr "%s is sharing with you" + +#: mod/contacts.php:547 +msgid "Private communications are not available for this contact." +msgstr "Private communications are not available for this contact." + +#: mod/contacts.php:549 +msgid "Never" +msgstr "Never" + +#: mod/contacts.php:552 +msgid "(Update was successful)" +msgstr "(Update was successful)" + +#: mod/contacts.php:552 +msgid "(Update was not successful)" +msgstr "(Update was not successful)" + +#: mod/contacts.php:554 mod/contacts.php:992 +msgid "Suggest friends" +msgstr "Suggest friends" + +#: mod/contacts.php:558 +#, php-format +msgid "Network type: %s" +msgstr "Network type: %s" + +#: mod/contacts.php:563 +msgid "Communications lost with this contact!" +msgstr "Communications lost with this contact!" + +#: mod/contacts.php:569 +msgid "Fetch further information for feeds" +msgstr "Fetch further information for feeds" + +#: mod/contacts.php:571 +msgid "" +"Fetch information like preview pictures, title and teaser from the feed " +"item. You can activate this if the feed doesn't contain much text. Keywords " +"are taken from the meta header in the feed item and are posted as hash tags." +msgstr "Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags." + +#: mod/contacts.php:572 mod/admin.php:1272 mod/admin.php:1435 +#: mod/admin.php:1445 +msgid "Disabled" +msgstr "Disabled" + +#: mod/contacts.php:573 +msgid "Fetch information" +msgstr "Fetch information" + +#: mod/contacts.php:574 +msgid "Fetch keywords" +msgstr "Fetch keywords" + +#: mod/contacts.php:575 +msgid "Fetch information and keywords" +msgstr "Fetch information and keywords" + +#: mod/contacts.php:608 +msgid "Contact" +msgstr "Contact" + +#: mod/contacts.php:611 +msgid "Profile Visibility" +msgstr "Profile visibility" + +#: mod/contacts.php:612 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Please choose the profile you would like to display to %s when viewing your profile securely." + +#: mod/contacts.php:613 +msgid "Contact Information / Notes" +msgstr "Personal note" + +#: mod/contacts.php:614 +msgid "Their personal note" +msgstr "Their personal note" + +#: mod/contacts.php:616 +msgid "Edit contact notes" +msgstr "Edit contact notes" + +#: mod/contacts.php:620 +msgid "Block/Unblock contact" +msgstr "Block/Unblock contact" + +#: mod/contacts.php:621 +msgid "Ignore contact" +msgstr "Ignore contact" + +#: mod/contacts.php:622 +msgid "Repair URL settings" +msgstr "Repair URL settings" + +#: mod/contacts.php:623 +msgid "View conversations" +msgstr "View conversations" + +#: mod/contacts.php:628 +msgid "Last update:" +msgstr "Last update:" + +#: mod/contacts.php:630 +msgid "Update public posts" +msgstr "Update public posts" + +#: mod/contacts.php:632 mod/contacts.php:1002 +msgid "Update now" +msgstr "Update now" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:485 mod/admin.php:1800 +msgid "Unblock" +msgstr "Unblock" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:484 mod/admin.php:1799 +msgid "Block" +msgstr "Block" + +#: mod/contacts.php:638 mod/contacts.php:828 mod/contacts.php:1019 +msgid "Unignore" +msgstr "Unignore" + +#: mod/contacts.php:642 +msgid "Currently blocked" +msgstr "Currently blocked" + +#: mod/contacts.php:643 +msgid "Currently ignored" +msgstr "Currently ignored" + +#: mod/contacts.php:644 +msgid "Currently archived" +msgstr "Currently archived" + +#: mod/contacts.php:645 +msgid "Awaiting connection acknowledge" +msgstr "Awaiting connection acknowledgement " + +#: mod/contacts.php:646 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Replies/Likes to your public posts may still be visible" + +#: mod/contacts.php:647 +msgid "Notification for new posts" +msgstr "Notification for new posts" + +#: mod/contacts.php:647 +msgid "Send a notification of every new post of this contact" +msgstr "Send notification for every new post from this contact" + +#: mod/contacts.php:650 +msgid "Blacklisted keywords" +msgstr "Blacklisted keywords" + +#: mod/contacts.php:650 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected" + +#: mod/contacts.php:662 src/Model/Profile.php:424 +msgid "XMPP:" +msgstr "XMPP:" + +#: mod/contacts.php:667 +msgid "Actions" +msgstr "Actions" + +#: mod/contacts.php:669 mod/contacts.php:855 src/Content/Nav.php:100 +#: src/Model/Profile.php:888 view/theme/frio/theme.php:259 +msgid "Status" +msgstr "Status" + +#: mod/contacts.php:670 +msgid "Contact Settings" +msgstr "Notification and privacy " + +#: mod/contacts.php:711 +msgid "Suggestions" +msgstr "Suggestions" + +#: mod/contacts.php:714 +msgid "Suggest potential friends" +msgstr "Suggest potential friends" + +#: mod/contacts.php:722 +msgid "Show all contacts" +msgstr "Show all contacts" + +#: mod/contacts.php:727 +msgid "Unblocked" +msgstr "Unblocked" + +#: mod/contacts.php:730 +msgid "Only show unblocked contacts" +msgstr "Only show unblocked contacts" + +#: mod/contacts.php:735 +msgid "Blocked" +msgstr "Blocked" + +#: mod/contacts.php:738 +msgid "Only show blocked contacts" +msgstr "Only show blocked contacts" + +#: mod/contacts.php:743 +msgid "Ignored" +msgstr "Ignored" + +#: mod/contacts.php:746 +msgid "Only show ignored contacts" +msgstr "Only show ignored contacts" + +#: mod/contacts.php:751 +msgid "Archived" +msgstr "Archived" + +#: mod/contacts.php:754 +msgid "Only show archived contacts" +msgstr "Only show archived contacts" + +#: mod/contacts.php:759 +msgid "Hidden" +msgstr "Hidden" + +#: mod/contacts.php:762 +msgid "Only show hidden contacts" +msgstr "Only show hidden contacts" + +#: mod/contacts.php:818 +msgid "Search your contacts" +msgstr "Search your contacts" + +#: mod/contacts.php:826 mod/settings.php:170 mod/settings.php:701 +msgid "Update" +msgstr "Update" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Archive" +msgstr "Archive" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Unarchive" +msgstr "Unarchive" + +#: mod/contacts.php:832 +msgid "Batch Actions" +msgstr "Batch actions" + +#: mod/contacts.php:866 src/Model/Profile.php:899 +msgid "Profile Details" +msgstr "Profile Details" + +#: mod/contacts.php:878 +msgid "View all contacts" +msgstr "View all contacts" + +#: mod/contacts.php:889 +msgid "View all common friends" +msgstr "View all common friends" + +#: mod/contacts.php:898 +msgid "Advanced Contact Settings" +msgstr "Advanced contact settings" + +#: mod/contacts.php:930 +msgid "Mutual Friendship" +msgstr "Mutual friendship" + +#: mod/contacts.php:934 +msgid "is a fan of yours" +msgstr "is a fan of yours" + +#: mod/contacts.php:938 +msgid "you are a fan of" +msgstr "I follow them" + +#: mod/contacts.php:1013 +msgid "Toggle Blocked status" +msgstr "Toggle blocked status" + +#: mod/contacts.php:1021 +msgid "Toggle Ignored status" +msgstr "Toggle ignored status" + +#: mod/contacts.php:1029 +msgid "Toggle Archive status" +msgstr "Toggle archive status" + +#: mod/contacts.php:1037 +msgid "Delete contact" +msgstr "Delete contact" + +#: mod/_tos.php:48 mod/register.php:288 mod/admin.php:188 mod/admin.php:302 +#: src/Module/Tos.php:48 +msgid "Terms of Service" +msgstr "Terms of Service" + +#: mod/_tos.php:51 src/Module/Tos.php:51 +msgid "Privacy Statement" +msgstr "Privacy Statement" + +#: mod/_tos.php:52 src/Module/Tos.php:52 +msgid "" +"At the time of registration, and for providing communications between the " +"user account and their contacts, the user has to provide a display name (pen" +" name), an username (nickname) and a working email address. The names will " +"be accessible on the profile page of the account by any visitor of the page," +" even if other profile details are not displayed. The email address will " +"only be used to send the user notifications about interactions, but wont be " +"visibly displayed. The listing of an account in the node's user directory or" +" the global user directory is optional and can be controlled in the user " +"settings, it is not necessary for communication." +msgstr "" + +#: mod/_tos.php:53 src/Module/Tos.php:53 +#, php-format +msgid "" +"At any point in time a logged in user can export their account data from the" +" account settings. If the user wants " +"to delete their account they can do so at %1$s/removeme. The deletion of the account will " +"be permanent." +msgstr "" + +#: mod/friendica.php:77 +msgid "This is Friendica, version" +msgstr "This is Friendica, version" + +#: mod/friendica.php:78 +msgid "running at web location" +msgstr "running at web location" + +#: mod/friendica.php:82 +msgid "" +"Please visit Friendi.ca to learn more " +"about the Friendica project." +msgstr "Please visit Friendi.ca to learn more about the Friendica project." + +#: mod/friendica.php:86 +msgid "Bug reports and issues: please visit" +msgstr "Bug reports and issues: please visit" + +#: mod/friendica.php:86 +msgid "the bugtracker at github" +msgstr "the bugtracker at github" + +#: mod/friendica.php:89 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com" + +#: mod/friendica.php:103 +msgid "Installed addons/apps:" +msgstr "Installed addons/apps:" + +#: mod/friendica.php:117 +msgid "No installed addons/apps" +msgstr "No installed addons/apps" + +#: mod/friendica.php:122 +#, php-format +msgid "Read about the Terms of Service of this node." +msgstr "" + +#: mod/friendica.php:127 +msgid "On this server the following remote servers are blocked." +msgstr "On this server the following remote servers are blocked." + +#: mod/friendica.php:128 mod/admin.php:354 mod/admin.php:372 +msgid "Reason for the block" +msgstr "Reason for the block" #: mod/lostpass.php:27 msgid "No valid account found." @@ -3855,66 +4843,66 @@ msgid "" "\t\tLogin Name:\t%3$s" msgstr "\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2$s\n\t\tLogin Name:\t%3$s" -#: mod/lostpass.php:72 +#: mod/lostpass.php:73 #, php-format msgid "Password reset requested at %s" msgstr "Password reset requested at %s" -#: mod/lostpass.php:88 +#: mod/lostpass.php:89 msgid "" "Request could not be verified. (You may have previously submitted it.) " "Password reset failed." msgstr "Request could not be verified. (You may have previously submitted it.) Password reset failed." -#: mod/lostpass.php:101 +#: mod/lostpass.php:102 msgid "Request has expired, please make a new one." msgstr "Request has expired, please make a new one." -#: mod/lostpass.php:116 +#: mod/lostpass.php:117 msgid "Forgot your Password?" msgstr "Reset My Password" -#: mod/lostpass.php:117 +#: mod/lostpass.php:118 msgid "" "Enter your email address and submit to have your password reset. Then check " "your email for further instructions." msgstr "Enter email address or nickname to reset your password. You will receive further instruction via email." -#: mod/lostpass.php:118 src/Module/Login.php:314 +#: mod/lostpass.php:119 src/Module/Login.php:314 msgid "Nickname or Email: " msgstr "Nickname or email: " -#: mod/lostpass.php:119 +#: mod/lostpass.php:120 msgid "Reset" msgstr "Reset" -#: mod/lostpass.php:135 src/Module/Login.php:326 +#: mod/lostpass.php:136 src/Module/Login.php:326 msgid "Password Reset" msgstr "Forgotten password?" -#: mod/lostpass.php:136 +#: mod/lostpass.php:137 msgid "Your password has been reset as requested." msgstr "Your password has been reset as requested." -#: mod/lostpass.php:137 +#: mod/lostpass.php:138 msgid "Your new password is" msgstr "Your new password is" -#: mod/lostpass.php:138 +#: mod/lostpass.php:139 msgid "Save or copy your new password - and then" msgstr "Save or copy your new password - and then" -#: mod/lostpass.php:139 +#: mod/lostpass.php:140 msgid "click here to login" msgstr "click here to login" -#: mod/lostpass.php:140 +#: mod/lostpass.php:141 msgid "" "Your password may be changed from the Settings page after " "successful login." msgstr "Your password may be changed from the Settings page after successful login." -#: mod/lostpass.php:148 +#: mod/lostpass.php:149 #, php-format msgid "" "\n" @@ -3925,7 +4913,7 @@ msgid "" "\t\t" msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t" -#: mod/lostpass.php:154 +#: mod/lostpass.php:155 #, php-format msgid "" "\n" @@ -3939,335 +4927,11 @@ msgid "" "\t\t" msgstr "\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1$s\n\t\t\tLogin Name:\t%2$s\n\t\t\tPassword:\t%3$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t" -#: mod/lostpass.php:167 +#: mod/lostpass.php:169 #, php-format msgid "Your password has been changed at %s" msgstr "Your password has been changed at %s" -#: mod/notify.php:77 -msgid "No more system notifications." -msgstr "No more system notifications." - -#: mod/ping.php:292 -msgid "{0} wants to be your friend" -msgstr "{0} wants to be your friend" - -#: mod/ping.php:307 -msgid "{0} sent you a message" -msgstr "{0} sent you a message" - -#: mod/ping.php:322 -msgid "{0} requested registration" -msgstr "{0} requested registration" - -#: mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Poke/Prod" - -#: mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "Poke, prod or do other things to somebody" - -#: mod/poke.php:194 -msgid "Recipient" -msgstr "Recipient:" - -#: mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Choose what you wish to do:" - -#: mod/poke.php:198 -msgid "Make this post private" -msgstr "Make this post private" - -#: mod/probe.php:14 mod/webfinger.php:17 -msgid "Only logged in users are permitted to perform a probing." -msgstr "Only logged in users are permitted to perform a probing." - -#: mod/profile_photo.php:54 -msgid "Image uploaded but image cropping failed." -msgstr "Image uploaded but image cropping failed." - -#: mod/profile_photo.php:87 mod/profile_photo.php:95 mod/profile_photo.php:103 -#: mod/profile_photo.php:330 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Image size reduction [%s] failed." - -#: mod/profile_photo.php:137 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Shift-reload the page or clear browser cache if the new photo does not display immediately." - -#: mod/profile_photo.php:146 -msgid "Unable to process image" -msgstr "Unable to process image" - -#: mod/profile_photo.php:165 mod/wall_upload.php:186 mod/photos.php:763 -#: mod/photos.php:766 mod/photos.php:795 -#, php-format -msgid "Image exceeds size limit of %s" -msgstr "Image exceeds size limit of %s" - -#: mod/profile_photo.php:174 mod/wall_upload.php:200 mod/photos.php:818 -msgid "Unable to process image." -msgstr "Unable to process image." - -#: mod/profile_photo.php:262 -msgid "Upload File:" -msgstr "Upload File:" - -#: mod/profile_photo.php:263 -msgid "Select a profile:" -msgstr "Select a profile:" - -#: mod/profile_photo.php:268 -msgid "or" -msgstr "or" - -#: mod/profile_photo.php:268 -msgid "skip this step" -msgstr "skip this step" - -#: mod/profile_photo.php:268 -msgid "select a photo from your photo albums" -msgstr "select a photo from your photo albums" - -#: mod/profile_photo.php:281 -msgid "Crop Image" -msgstr "Crop Image" - -#: mod/profile_photo.php:282 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Please adjust the image cropping for optimum viewing." - -#: mod/profile_photo.php:284 -msgid "Done Editing" -msgstr "Done editing" - -#: mod/profile_photo.php:320 -msgid "Image uploaded successfully." -msgstr "Image uploaded successfully." - -#: mod/profile_photo.php:322 mod/wall_upload.php:239 mod/photos.php:847 -msgid "Image upload failed." -msgstr "Image upload failed." - -#: mod/profperm.php:28 mod/group.php:83 index.php:412 -msgid "Permission denied" -msgstr "Permission denied" - -#: mod/profperm.php:34 mod/profperm.php:65 -msgid "Invalid profile identifier." -msgstr "Invalid profile identifier." - -#: mod/profperm.php:111 -msgid "Profile Visibility Editor" -msgstr "Profile Visibility Editor" - -#: mod/profperm.php:115 mod/group.php:266 -msgid "Click on a contact to add or remove." -msgstr "Click on a contact to add or remove." - -#: mod/profperm.php:124 -msgid "Visible To" -msgstr "Visible to" - -#: mod/profperm.php:140 -msgid "All Contacts (with secure profile access)" -msgstr "All contacts with secure profile access" - -#: mod/regmod.php:68 -msgid "Account approved." -msgstr "Account approved." - -#: mod/regmod.php:93 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registration revoked for %s" - -#: mod/regmod.php:102 -msgid "Please login." -msgstr "Please login." - -#: mod/removeme.php:55 mod/removeme.php:58 -msgid "Remove My Account" -msgstr "Remove My Account" - -#: mod/removeme.php:56 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "This will completely remove your account. Once this has been done it is not recoverable." - -#: mod/removeme.php:57 -msgid "Please enter your password for verification:" -msgstr "Please enter your password for verification:" - -#: mod/search.php:37 mod/network.php:194 -msgid "Remove term" -msgstr "Remove term" - -#: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 -msgid "Saved Searches" -msgstr "Saved searches" - -#: mod/search.php:105 -msgid "Only logged in users are permitted to perform a search." -msgstr "Only logged in users are permitted to perform a search." - -#: mod/search.php:129 -msgid "Too Many Requests" -msgstr "Too many requests" - -#: mod/search.php:130 -msgid "Only one search per minute is permitted for not logged in users." -msgstr "Only one search per minute is permitted for not logged in users." - -#: mod/search.php:228 mod/community.php:134 -msgid "No results." -msgstr "No results." - -#: mod/search.php:234 -#, php-format -msgid "Items tagged with: %s" -msgstr "Items tagged with: %s" - -#: mod/subthread.php:113 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s is following %2$s's %3$s" - -#: mod/tagrm.php:47 -msgid "Tag removed" -msgstr "Tag removed" - -#: mod/tagrm.php:85 -msgid "Remove Item Tag" -msgstr "Remove Item tag" - -#: mod/tagrm.php:87 -msgid "Select a tag to remove: " -msgstr "Select a tag to remove: " - -#: mod/uexport.php:44 -msgid "Export account" -msgstr "Export account" - -#: mod/uexport.php:44 -msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." -msgstr "Export your account info and contacts. Use this to backup your account or to move it to another server." - -#: mod/uexport.php:45 -msgid "Export all" -msgstr "Export all" - -#: mod/uexport.php:45 -msgid "" -"Export your accout info, contacts and all your items as json. Could be a " -"very big file, and could take a lot of time. Use this to make a full backup " -"of your account (photos are not exported)" -msgstr "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)" - -#: mod/uexport.php:52 mod/settings.php:106 -msgid "Export personal data" -msgstr "Export personal data" - -#: mod/viewcontacts.php:87 -msgid "No contacts." -msgstr "No contacts." - -#: mod/viewsrc.php:12 -msgid "Access denied." -msgstr "Access denied." - -#: mod/wall_upload.php:231 mod/item.php:471 src/Object/Image.php:949 -#: src/Object/Image.php:965 src/Object/Image.php:973 src/Object/Image.php:998 -msgid "Wall Photos" -msgstr "Wall photos" - -#: mod/wallmessage.php:49 mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Number of daily wall messages for %s exceeded. Message failed." - -#: mod/wallmessage.php:57 mod/message.php:73 -msgid "No recipient selected." -msgstr "No recipient selected." - -#: mod/wallmessage.php:60 -msgid "Unable to check your home location." -msgstr "Unable to check your home location." - -#: mod/wallmessage.php:63 mod/message.php:80 -msgid "Message could not be sent." -msgstr "Message could not be sent." - -#: mod/wallmessage.php:66 mod/message.php:83 -msgid "Message collection failure." -msgstr "Message collection failure." - -#: mod/wallmessage.php:69 mod/message.php:86 -msgid "Message sent." -msgstr "Message sent." - -#: mod/wallmessage.php:86 mod/wallmessage.php:95 -msgid "No recipient." -msgstr "No recipient." - -#: mod/wallmessage.php:132 mod/message.php:250 -msgid "Send Private Message" -msgstr "Send private message" - -#: mod/wallmessage.php:133 -#, php-format -msgid "" -"If you wish for %s to respond, please check that the privacy settings on " -"your site allow private mail from unknown senders." -msgstr "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders." - -#: mod/wallmessage.php:134 mod/message.php:251 mod/message.php:421 -msgid "To:" -msgstr "To:" - -#: mod/wallmessage.php:135 mod/message.php:255 mod/message.php:423 -msgid "Subject:" -msgstr "Subject:" - -#: mod/item.php:114 -msgid "Unable to locate original post." -msgstr "Unable to locate original post." - -#: mod/item.php:274 -msgid "Empty post discarded." -msgstr "Empty post discarded." - -#: mod/item.php:799 -#, php-format -msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "This message was sent to you by %s, a member of the Friendica social network." - -#: mod/item.php:801 -#, php-format -msgid "You may visit them online at %s" -msgstr "You may visit them online at %s" - -#: mod/item.php:802 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Please contact the sender by replying to this post if you do not wish to receive these messages." - -#: mod/item.php:806 -#, php-format -msgid "%s posted an update." -msgstr "%s posted an update." - #: mod/register.php:99 msgid "" "Registration successful. Please check your email for further instructions." @@ -4328,7 +4992,7 @@ msgstr "Membership on this site is by invitation only." msgid "Your invitation code: " msgstr "Your invitation code: " -#: mod/register.php:264 mod/admin.php:1266 +#: mod/register.php:264 mod/admin.php:1348 msgid "Registration" msgstr "Join this Friendica Node Today" @@ -4342,7 +5006,7 @@ msgid "" "be an existing address.)" msgstr "Your Email Address: (Initial information will be send there; so this must be an existing address.)" -#: mod/register.php:273 mod/settings.php:1205 +#: mod/register.php:273 mod/settings.php:1201 msgid "New Password:" msgstr "New password:" @@ -4350,7 +5014,7 @@ msgstr "New password:" msgid "Leave empty for an auto generated password." msgstr "Leave empty for an auto generated password." -#: mod/register.php:274 mod/settings.php:1206 +#: mod/register.php:274 mod/settings.php:1202 msgid "Confirm:" msgstr "Confirm new password:" @@ -4377,130 +5041,161 @@ msgstr "Import an existing Friendica profile to this node." msgid "Theme settings updated." msgstr "Theme settings updated." -#: mod/admin.php:176 src/Content/Nav.php:174 +#: mod/admin.php:179 src/Content/Nav.php:174 msgid "Information" msgstr "Information" -#: mod/admin.php:177 +#: mod/admin.php:180 msgid "Overview" msgstr "Overview" -#: mod/admin.php:178 mod/admin.php:654 +#: mod/admin.php:181 mod/admin.php:718 msgid "Federation Statistics" msgstr "Federation statistics" -#: mod/admin.php:179 +#: mod/admin.php:182 msgid "Configuration" msgstr "Configuration" -#: mod/admin.php:180 mod/admin.php:1263 +#: mod/admin.php:183 mod/admin.php:1345 msgid "Site" msgstr "Site" -#: mod/admin.php:181 mod/admin.php:1191 mod/admin.php:1696 mod/admin.php:1712 +#: mod/admin.php:184 mod/admin.php:1273 mod/admin.php:1788 mod/admin.php:1804 msgid "Users" msgstr "Users" -#: mod/admin.php:182 mod/admin.php:1812 mod/admin.php:1872 mod/settings.php:85 +#: mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 mod/settings.php:86 msgid "Addons" msgstr "Addons" -#: mod/admin.php:183 mod/admin.php:2081 mod/admin.php:2125 +#: mod/admin.php:186 mod/admin.php:2173 mod/admin.php:2217 msgid "Themes" msgstr "Theme selection" -#: mod/admin.php:184 mod/settings.php:63 +#: mod/admin.php:187 mod/settings.php:64 msgid "Additional features" msgstr "Additional features" -#: mod/admin.php:185 +#: mod/admin.php:189 msgid "Database" msgstr "Database" -#: mod/admin.php:186 +#: mod/admin.php:190 msgid "DB updates" msgstr "DB updates" -#: mod/admin.php:187 mod/admin.php:689 +#: mod/admin.php:191 mod/admin.php:753 msgid "Inspect Queue" msgstr "Inspect queue" -#: mod/admin.php:188 +#: mod/admin.php:192 msgid "Tools" msgstr "Tools" -#: mod/admin.php:189 +#: mod/admin.php:193 msgid "Contact Blocklist" msgstr "Contact blocklist" -#: mod/admin.php:190 mod/admin.php:311 +#: mod/admin.php:194 mod/admin.php:362 msgid "Server Blocklist" msgstr "Server blocklist" -#: mod/admin.php:191 mod/admin.php:470 +#: mod/admin.php:195 mod/admin.php:521 msgid "Delete Item" msgstr "Delete item" -#: mod/admin.php:192 mod/admin.php:193 mod/admin.php:2199 +#: mod/admin.php:196 mod/admin.php:197 mod/admin.php:2291 msgid "Logs" msgstr "Logs" -#: mod/admin.php:194 mod/admin.php:2266 +#: mod/admin.php:198 mod/admin.php:2358 msgid "View Logs" msgstr "View logs" -#: mod/admin.php:196 +#: mod/admin.php:200 msgid "Diagnostics" msgstr "Diagnostics" -#: mod/admin.php:197 +#: mod/admin.php:201 msgid "PHP Info" msgstr "PHP info" -#: mod/admin.php:198 +#: mod/admin.php:202 msgid "probe address" msgstr "Probe address" -#: mod/admin.php:199 +#: mod/admin.php:203 msgid "check webfinger" msgstr "Check webfinger" -#: mod/admin.php:218 src/Content/Nav.php:217 +#: mod/admin.php:222 src/Content/Nav.php:217 msgid "Admin" msgstr "Admin" -#: mod/admin.php:219 +#: mod/admin.php:223 msgid "Addon Features" msgstr "Addon features" -#: mod/admin.php:220 +#: mod/admin.php:224 msgid "User registrations waiting for confirmation" msgstr "User registrations awaiting confirmation" -#: mod/admin.php:302 -msgid "The blocked domain" -msgstr "Blocked domain" - -#: mod/admin.php:303 mod/admin.php:316 -msgid "The reason why you blocked this domain." -msgstr "Reason why you blocked this domain." - -#: mod/admin.php:304 -msgid "Delete domain" -msgstr "Delete domain" - -#: mod/admin.php:304 -msgid "Check to delete this entry from the blocklist" -msgstr "Check to delete this entry from the blocklist" - -#: mod/admin.php:310 mod/admin.php:427 mod/admin.php:469 mod/admin.php:653 -#: mod/admin.php:688 mod/admin.php:784 mod/admin.php:1262 mod/admin.php:1695 -#: mod/admin.php:1811 mod/admin.php:1871 mod/admin.php:2080 mod/admin.php:2124 -#: mod/admin.php:2198 mod/admin.php:2265 +#: mod/admin.php:301 mod/admin.php:361 mod/admin.php:478 mod/admin.php:520 +#: mod/admin.php:717 mod/admin.php:752 mod/admin.php:848 mod/admin.php:1344 +#: mod/admin.php:1787 mod/admin.php:1903 mod/admin.php:1963 mod/admin.php:2172 +#: mod/admin.php:2216 mod/admin.php:2290 mod/admin.php:2357 msgid "Administration" msgstr "Administration" -#: mod/admin.php:312 +#: mod/admin.php:303 +msgid "Display Terms of Service" +msgstr "" + +#: mod/admin.php:303 +msgid "" +"Enable the Terms of Service page. If this is enabled a link to the terms " +"will be added to the registration form and the general information page." +msgstr "" + +#: mod/admin.php:304 +msgid "Display Privacy Statement" +msgstr "" + +#: mod/admin.php:304 +#, php-format +msgid "" +"Show some informations regarding the needed information to operate the node " +"according e.g. to EU-GDPR." +msgstr "" + +#: mod/admin.php:305 +msgid "The Terms of Service" +msgstr "" + +#: mod/admin.php:305 +msgid "" +"Enter the Terms of Service for your node here. You can use BBCode. Headers " +"of sections should be [h2] and below." +msgstr "" + +#: mod/admin.php:353 +msgid "The blocked domain" +msgstr "Blocked domain" + +#: mod/admin.php:354 mod/admin.php:367 +msgid "The reason why you blocked this domain." +msgstr "Reason why you blocked this domain." + +#: mod/admin.php:355 +msgid "Delete domain" +msgstr "Delete domain" + +#: mod/admin.php:355 +msgid "Check to delete this entry from the blocklist" +msgstr "Check to delete this entry from the blocklist" + +#: mod/admin.php:363 msgid "" "This page can be used to define a black list of servers from the federated " "network that are not allowed to interact with your node. For all entered " @@ -4508,688 +5203,694 @@ msgid "" "server." msgstr "This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server." -#: mod/admin.php:313 +#: mod/admin.php:364 msgid "" "The list of blocked servers will be made publically available on the " "/friendica page so that your users and people investigating communication " "problems can find the reason easily." msgstr "The list of blocked servers will publicly available on the Friendica page so that your users and people investigating communication problems can readily find the reason." -#: mod/admin.php:314 +#: mod/admin.php:365 msgid "Add new entry to block list" msgstr "Add new entry to block list" -#: mod/admin.php:315 +#: mod/admin.php:366 msgid "Server Domain" msgstr "Server domain" -#: mod/admin.php:315 +#: mod/admin.php:366 msgid "" "The domain of the new server to add to the block list. Do not include the " "protocol." msgstr "The domain of the new server to add to the block list. Do not include the protocol." -#: mod/admin.php:316 +#: mod/admin.php:367 msgid "Block reason" msgstr "Block reason" -#: mod/admin.php:317 +#: mod/admin.php:368 msgid "Add Entry" msgstr "Add entry" -#: mod/admin.php:318 +#: mod/admin.php:369 msgid "Save changes to the blocklist" msgstr "Save changes to the blocklist" -#: mod/admin.php:319 +#: mod/admin.php:370 msgid "Current Entries in the Blocklist" msgstr "Current entries in the blocklist" -#: mod/admin.php:322 +#: mod/admin.php:373 msgid "Delete entry from blocklist" msgstr "Delete entry from blocklist" -#: mod/admin.php:325 +#: mod/admin.php:376 msgid "Delete entry from blocklist?" msgstr "Delete entry from blocklist?" -#: mod/admin.php:351 +#: mod/admin.php:402 msgid "Server added to blocklist." msgstr "Server added to blocklist." -#: mod/admin.php:367 +#: mod/admin.php:418 msgid "Site blocklist updated." msgstr "Site blocklist updated." -#: mod/admin.php:390 util/global_community_block.php:53 +#: mod/admin.php:441 src/Core/Console/GlobalCommunityBlock.php:72 msgid "The contact has been blocked from the node" msgstr "The contact has been blocked from the node" -#: mod/admin.php:392 util/global_community_block.php:48 +#: mod/admin.php:443 src/Core/Console/GlobalCommunityBlock.php:69 #, php-format msgid "Could not find any contact entry for this URL (%s)" msgstr "Could not find any contact entry for this URL (%s)" -#: mod/admin.php:399 +#: mod/admin.php:450 #, php-format msgid "%s contact unblocked" msgid_plural "%s contacts unblocked" msgstr[0] "%s contact unblocked" msgstr[1] "%s contacts unblocked" -#: mod/admin.php:428 +#: mod/admin.php:479 msgid "Remote Contact Blocklist" msgstr "Remote contact blocklist" -#: mod/admin.php:429 +#: mod/admin.php:480 msgid "" "This page allows you to prevent any message from a remote contact to reach " "your node." msgstr "This page allows you to prevent any message from a remote contact to reach your node." -#: mod/admin.php:430 +#: mod/admin.php:481 msgid "Block Remote Contact" msgstr "Block Remote Contact" -#: mod/admin.php:431 mod/admin.php:1698 +#: mod/admin.php:482 mod/admin.php:1790 msgid "select all" msgstr "select all" -#: mod/admin.php:432 +#: mod/admin.php:483 msgid "select none" msgstr "select none" -#: mod/admin.php:435 +#: mod/admin.php:486 msgid "No remote contact is blocked from this node." msgstr "No remote contact is blocked from this node." -#: mod/admin.php:437 +#: mod/admin.php:488 msgid "Blocked Remote Contacts" msgstr "Blocked remote contacts" -#: mod/admin.php:438 +#: mod/admin.php:489 msgid "Block New Remote Contact" msgstr "Block new remote contact" -#: mod/admin.php:439 +#: mod/admin.php:490 msgid "Photo" msgstr "Photo" -#: mod/admin.php:447 +#: mod/admin.php:498 #, php-format msgid "%s total blocked contact" msgid_plural "%s total blocked contacts" msgstr[0] "%s total blocked contact" msgstr[1] "%s total blocked contacts" -#: mod/admin.php:449 +#: mod/admin.php:500 msgid "URL of the remote contact to block." msgstr "URL of the remote contact to block." -#: mod/admin.php:471 +#: mod/admin.php:522 msgid "Delete this Item" msgstr "Delete" -#: mod/admin.php:472 +#: mod/admin.php:523 msgid "" "On this page you can delete an item from your node. If the item is a top " "level posting, the entire thread will be deleted." msgstr "Here you can delete an item from this node. If the item is a top-level posting, the entire thread will be deleted." -#: mod/admin.php:473 +#: mod/admin.php:524 msgid "" "You need to know the GUID of the item. You can find it e.g. by looking at " "the display URL. The last part of http://example.com/display/123456 is the " "GUID, here 123456." msgstr "You need to know the global unique identifier (GUID) of the item, which you can find by looking at the display URL. The last part of http://example.com/display/123456 is the GUID: i.e. 123456." -#: mod/admin.php:474 +#: mod/admin.php:525 msgid "GUID" msgstr "GUID" -#: mod/admin.php:474 +#: mod/admin.php:525 msgid "The GUID of the item you want to delete." msgstr "GUID of item to be deleted." -#: mod/admin.php:513 +#: mod/admin.php:564 msgid "Item marked for deletion." msgstr "Item marked for deletion." -#: mod/admin.php:584 +#: mod/admin.php:635 msgid "unknown" msgstr "unknown" -#: mod/admin.php:647 +#: mod/admin.php:711 msgid "" "This page offers you some numbers to the known part of the federated social " "network your Friendica node is part of. These numbers are not complete but " "only reflect the part of the network your node is aware of." msgstr "This page offers you the amount of known part of the federated social network your Friendica node is part of. These numbers are not complete and only reflect the part of the network your node is aware of." -#: mod/admin.php:648 +#: mod/admin.php:712 msgid "" "The Auto Discovered Contact Directory feature is not enabled, it " "will improve the data displayed here." msgstr "The Auto Discovered Contact Directory feature is not enabled; enabling it will improve the data displayed here." -#: mod/admin.php:660 +#: mod/admin.php:724 #, php-format msgid "" "Currently this node is aware of %d nodes with %d registered users from the " "following platforms:" msgstr "Currently this node is aware of %d nodes with %d registered users from the following platforms:" -#: mod/admin.php:691 +#: mod/admin.php:755 msgid "ID" msgstr "ID" -#: mod/admin.php:692 +#: mod/admin.php:756 msgid "Recipient Name" msgstr "Recipient name" -#: mod/admin.php:693 +#: mod/admin.php:757 msgid "Recipient Profile" msgstr "Recipient profile" -#: mod/admin.php:694 view/theme/frio/theme.php:266 -#: src/Core/NotificationsManager.php:178 src/Content/Nav.php:178 +#: mod/admin.php:758 src/Core/NotificationsManager.php:178 +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 msgid "Network" msgstr "Network" -#: mod/admin.php:695 +#: mod/admin.php:759 msgid "Created" msgstr "Created" -#: mod/admin.php:696 +#: mod/admin.php:760 msgid "Last Tried" msgstr "Last Tried" -#: mod/admin.php:697 +#: mod/admin.php:761 msgid "" "This page lists the content of the queue for outgoing postings. These are " "postings the initial delivery failed for. They will be resend later and " "eventually deleted if the delivery fails permanently." msgstr "This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently." -#: mod/admin.php:721 +#: mod/admin.php:785 #, php-format msgid "" "Your DB still runs with MyISAM tables. You should change the engine type to " "InnoDB. As Friendica will use InnoDB only features in the future, you should" " change this! See here for a guide that may be helpful " "converting the table engines. You may also use the command php " -"scripts/dbstructure.php toinnodb of your Friendica installation for an " -"automatic conversion.
" -msgstr "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB, because Friendica will use InnoDB only features in the future. See here for a guide that may be helpful converting the table engines. You may also use the command php scripts/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
" +"bin/console.php dbstructure toinnodb of your Friendica installation for" +" an automatic conversion.
" +msgstr "" -#: mod/admin.php:728 +#: mod/admin.php:792 #, php-format msgid "" "There is a new version of Friendica available for download. Your current " "version is %1$s, upstream version is %2$s" msgstr "A new Friendica version is available now. Your current version is %1$s, upstream version is %2$s" -#: mod/admin.php:738 +#: mod/admin.php:802 msgid "" -"The database update failed. Please run \"php scripts/dbstructure.php " +"The database update failed. Please run \"php bin/console.php dbstructure " "update\" from the command line and have a look at the errors that might " "appear." -msgstr "The database update failed. Please run \"php scripts/dbstructure.php update\" from the command line; check logs for errors." +msgstr "" -#: mod/admin.php:744 +#: mod/admin.php:808 msgid "The worker was never executed. Please check your database structure!" msgstr "The worker process has never been executed. Please check your database structure!" -#: mod/admin.php:747 +#: mod/admin.php:811 #, php-format msgid "" "The last worker execution was on %s UTC. This is older than one hour. Please" " check your crontab settings." msgstr "The last worker process started at %s UTC. This is more than one hour ago. Please adjust your crontab settings." -#: mod/admin.php:752 mod/admin.php:1647 +#: mod/admin.php:816 mod/admin.php:1739 msgid "Normal Account" msgstr "Standard account" -#: mod/admin.php:753 mod/admin.php:1648 +#: mod/admin.php:817 mod/admin.php:1740 msgid "Automatic Follower Account" msgstr "Automatic follower account" -#: mod/admin.php:754 mod/admin.php:1649 +#: mod/admin.php:818 mod/admin.php:1741 msgid "Public Forum Account" msgstr "Public forum account" -#: mod/admin.php:755 mod/admin.php:1650 +#: mod/admin.php:819 mod/admin.php:1742 msgid "Automatic Friend Account" msgstr "Automatic friend account" -#: mod/admin.php:756 +#: mod/admin.php:820 msgid "Blog Account" msgstr "Blog account" -#: mod/admin.php:757 +#: mod/admin.php:821 msgid "Private Forum Account" msgstr "Private forum account" -#: mod/admin.php:779 +#: mod/admin.php:843 msgid "Message queues" msgstr "Message queues" -#: mod/admin.php:785 +#: mod/admin.php:849 msgid "Summary" msgstr "Summary" -#: mod/admin.php:787 +#: mod/admin.php:851 msgid "Registered users" msgstr "Registered users" -#: mod/admin.php:789 +#: mod/admin.php:853 msgid "Pending registrations" msgstr "Pending registrations" -#: mod/admin.php:790 +#: mod/admin.php:854 msgid "Version" msgstr "Version" -#: mod/admin.php:795 +#: mod/admin.php:859 msgid "Active addons" msgstr "Active addons" -#: mod/admin.php:826 +#: mod/admin.php:890 msgid "Can not parse base url. Must have at least ://" msgstr "Can not parse base URL. Must have at least ://" -#: mod/admin.php:1127 +#: mod/admin.php:1209 msgid "Site settings updated." msgstr "Site settings updated." -#: mod/admin.php:1154 mod/settings.php:907 +#: mod/admin.php:1236 mod/settings.php:905 msgid "No special theme for mobile devices" msgstr "No special theme for mobile devices" -#: mod/admin.php:1183 +#: mod/admin.php:1265 msgid "No community page" msgstr "No community page" -#: mod/admin.php:1184 +#: mod/admin.php:1266 msgid "Public postings from users of this site" msgstr "Public postings from users of this site" -#: mod/admin.php:1185 +#: mod/admin.php:1267 msgid "Public postings from the federated network" msgstr "Public postings from the federated network" -#: mod/admin.php:1186 +#: mod/admin.php:1268 msgid "Public postings from local users and the federated network" msgstr "Public postings from local users and the federated network" -#: mod/admin.php:1192 +#: mod/admin.php:1274 msgid "Users, Global Contacts" msgstr "Users, Global Contacts" -#: mod/admin.php:1193 +#: mod/admin.php:1275 msgid "Users, Global Contacts/fallback" msgstr "Users, Global Contacts/fallback" -#: mod/admin.php:1197 +#: mod/admin.php:1279 msgid "One month" msgstr "One month" -#: mod/admin.php:1198 +#: mod/admin.php:1280 msgid "Three months" msgstr "Three months" -#: mod/admin.php:1199 +#: mod/admin.php:1281 msgid "Half a year" msgstr "Half a year" -#: mod/admin.php:1200 +#: mod/admin.php:1282 msgid "One year" msgstr "One a year" -#: mod/admin.php:1205 +#: mod/admin.php:1287 msgid "Multi user instance" msgstr "Multi user instance" -#: mod/admin.php:1228 +#: mod/admin.php:1310 msgid "Closed" msgstr "Closed" -#: mod/admin.php:1229 +#: mod/admin.php:1311 msgid "Requires approval" msgstr "Requires approval" -#: mod/admin.php:1230 +#: mod/admin.php:1312 msgid "Open" msgstr "Open" -#: mod/admin.php:1234 +#: mod/admin.php:1316 msgid "No SSL policy, links will track page SSL state" msgstr "No SSL policy, links will track page SSL state" -#: mod/admin.php:1235 +#: mod/admin.php:1317 msgid "Force all links to use SSL" msgstr "Force all links to use SSL" -#: mod/admin.php:1236 +#: mod/admin.php:1318 msgid "Self-signed certificate, use SSL for local links only (discouraged)" msgstr "Self-signed certificate, use SSL for local links only (discouraged)" -#: mod/admin.php:1240 +#: mod/admin.php:1322 msgid "Don't check" msgstr "Don't check" -#: mod/admin.php:1241 +#: mod/admin.php:1323 msgid "check the stable version" msgstr "check for stable version updates" -#: mod/admin.php:1242 +#: mod/admin.php:1324 msgid "check the development version" msgstr "check for development version updates" -#: mod/admin.php:1265 +#: mod/admin.php:1347 msgid "Republish users to directory" msgstr "Republish users to directory" -#: mod/admin.php:1267 +#: mod/admin.php:1349 msgid "File upload" msgstr "File upload" -#: mod/admin.php:1268 +#: mod/admin.php:1350 msgid "Policies" msgstr "Policies" -#: mod/admin.php:1270 +#: mod/admin.php:1352 msgid "Auto Discovered Contact Directory" msgstr "Auto-discovered contact directory" -#: mod/admin.php:1271 +#: mod/admin.php:1353 msgid "Performance" msgstr "Performance" -#: mod/admin.php:1272 +#: mod/admin.php:1354 msgid "Worker" msgstr "Worker" -#: mod/admin.php:1273 +#: mod/admin.php:1355 +msgid "Message Relay" +msgstr "" + +#: mod/admin.php:1356 msgid "" "Relocate - WARNING: advanced function. Could make this server unreachable." msgstr "Relocate - Warning, advanced function: This could make this server unreachable." -#: mod/admin.php:1276 +#: mod/admin.php:1359 msgid "Site name" msgstr "Site name" -#: mod/admin.php:1277 +#: mod/admin.php:1360 msgid "Host name" msgstr "Host name" -#: mod/admin.php:1278 +#: mod/admin.php:1361 msgid "Sender Email" msgstr "Sender email" -#: mod/admin.php:1278 +#: mod/admin.php:1361 msgid "" "The email address your server shall use to send notification emails from." msgstr "The email address your server shall use to send notification emails from." -#: mod/admin.php:1279 +#: mod/admin.php:1362 msgid "Banner/Logo" msgstr "Banner/Logo" -#: mod/admin.php:1280 +#: mod/admin.php:1363 msgid "Shortcut icon" msgstr "Shortcut icon" -#: mod/admin.php:1280 +#: mod/admin.php:1363 msgid "Link to an icon that will be used for browsers." msgstr "Link to an icon that will be used for browsers." -#: mod/admin.php:1281 +#: mod/admin.php:1364 msgid "Touch icon" msgstr "Touch icon" -#: mod/admin.php:1281 +#: mod/admin.php:1364 msgid "Link to an icon that will be used for tablets and mobiles." msgstr "Link to an icon that will be used for tablets and mobiles." -#: mod/admin.php:1282 +#: mod/admin.php:1365 msgid "Additional Info" msgstr "Additional Info" -#: mod/admin.php:1282 +#: mod/admin.php:1365 #, php-format msgid "" "For public servers: you can add additional information here that will be " "listed at %s/servers." msgstr "For public servers: You can add additional information here that will be listed at %s/servers." -#: mod/admin.php:1283 +#: mod/admin.php:1366 msgid "System language" msgstr "System language" -#: mod/admin.php:1284 +#: mod/admin.php:1367 msgid "System theme" msgstr "System theme" -#: mod/admin.php:1284 +#: mod/admin.php:1367 msgid "" "Default system theme - may be over-ridden by user profiles - change theme settings" msgstr "Default system theme - may be overridden by user profiles - change theme settings" -#: mod/admin.php:1285 +#: mod/admin.php:1368 msgid "Mobile system theme" msgstr "Mobile system theme" -#: mod/admin.php:1285 +#: mod/admin.php:1368 msgid "Theme for mobile devices" msgstr "Theme for mobile devices" -#: mod/admin.php:1286 +#: mod/admin.php:1369 msgid "SSL link policy" msgstr "SSL link policy" -#: mod/admin.php:1286 +#: mod/admin.php:1369 msgid "Determines whether generated links should be forced to use SSL" msgstr "Determines whether generated links should be forced to use SSL" -#: mod/admin.php:1287 +#: mod/admin.php:1370 msgid "Force SSL" msgstr "Force SSL" -#: mod/admin.php:1287 +#: mod/admin.php:1370 msgid "" "Force all Non-SSL requests to SSL - Attention: on some systems it could lead" " to endless loops." msgstr "Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops." -#: mod/admin.php:1288 +#: mod/admin.php:1371 msgid "Hide help entry from navigation menu" msgstr "Hide help entry from navigation menu" -#: mod/admin.php:1288 +#: mod/admin.php:1371 msgid "" "Hides the menu entry for the Help pages from the navigation menu. You can " "still access it calling /help directly." msgstr "Hides the menu entry for the Help pages from the navigation menu. Help pages can still be accessed by calling ../help directly via its URL." -#: mod/admin.php:1289 +#: mod/admin.php:1372 msgid "Single user instance" msgstr "Single user instance" -#: mod/admin.php:1289 +#: mod/admin.php:1372 msgid "Make this instance multi-user or single-user for the named user" msgstr "Make this instance multi-user or single-user for the named user" -#: mod/admin.php:1290 +#: mod/admin.php:1373 msgid "Maximum image size" msgstr "Maximum image size" -#: mod/admin.php:1290 +#: mod/admin.php:1373 msgid "" "Maximum size in bytes of uploaded images. Default is 0, which means no " "limits." msgstr "Maximum size in bytes of uploaded images. Default is 0, which means no limits." -#: mod/admin.php:1291 +#: mod/admin.php:1374 msgid "Maximum image length" msgstr "Maximum image length" -#: mod/admin.php:1291 +#: mod/admin.php:1374 msgid "" "Maximum length in pixels of the longest side of uploaded images. Default is " "-1, which means no limits." msgstr "Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits." -#: mod/admin.php:1292 +#: mod/admin.php:1375 msgid "JPEG image quality" msgstr "JPEG image quality" -#: mod/admin.php:1292 +#: mod/admin.php:1375 msgid "" "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " "100, which is full quality." msgstr "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is the original quality level." -#: mod/admin.php:1294 +#: mod/admin.php:1377 msgid "Register policy" msgstr "Registration policy" -#: mod/admin.php:1295 +#: mod/admin.php:1378 msgid "Maximum Daily Registrations" msgstr "Maximum daily registrations" -#: mod/admin.php:1295 +#: mod/admin.php:1378 msgid "" "If registration is permitted above, this sets the maximum number of new user" " registrations to accept per day. If register is set to closed, this " "setting has no effect." msgstr "If open registration is permitted, this sets the maximum number of new registrations per day. This setting has no effect for registrations by approval." -#: mod/admin.php:1296 +#: mod/admin.php:1379 msgid "Register text" msgstr "Registration text" -#: mod/admin.php:1296 -msgid "Will be displayed prominently on the registration page." -msgstr "Will be displayed prominently on the registration page." +#: mod/admin.php:1379 +msgid "" +"Will be displayed prominently on the registration page. You can use BBCode " +"here." +msgstr "" -#: mod/admin.php:1297 +#: mod/admin.php:1380 msgid "Accounts abandoned after x days" msgstr "Accounts abandoned after so many days" -#: mod/admin.php:1297 +#: mod/admin.php:1380 msgid "" "Will not waste system resources polling external sites for abandonded " "accounts. Enter 0 for no time limit." msgstr "Will not waste system resources polling external sites for abandoned accounts. Enter 0 for no time limit." -#: mod/admin.php:1298 +#: mod/admin.php:1381 msgid "Allowed friend domains" msgstr "Allowed friend domains" -#: mod/admin.php:1298 +#: mod/admin.php:1381 msgid "" "Comma separated list of domains which are allowed to establish friendships " "with this site. Wildcards are accepted. Empty to allow any domains" msgstr "Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Leave empty to allow any domains" -#: mod/admin.php:1299 +#: mod/admin.php:1382 msgid "Allowed email domains" msgstr "Allowed email domains" -#: mod/admin.php:1299 +#: mod/admin.php:1382 msgid "" "Comma separated list of domains which are allowed in email addresses for " "registrations to this site. Wildcards are accepted. Empty to allow any " "domains" msgstr "Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Leave empty to allow any domains" -#: mod/admin.php:1300 +#: mod/admin.php:1383 msgid "No OEmbed rich content" msgstr "No OEmbed rich content" -#: mod/admin.php:1300 +#: mod/admin.php:1383 msgid "" "Don't show the rich content (e.g. embedded PDF), except from the domains " "listed below." msgstr "Don't show rich content (e.g. embedded PDF), except from the domains listed below." -#: mod/admin.php:1301 +#: mod/admin.php:1384 msgid "Allowed OEmbed domains" msgstr "Allowed OEmbed domains" -#: mod/admin.php:1301 +#: mod/admin.php:1384 msgid "" "Comma separated list of domains which oembed content is allowed to be " "displayed. Wildcards are accepted." msgstr "Comma separated list of domains from where OEmbed content is allowed. Wildcards are possible." -#: mod/admin.php:1302 +#: mod/admin.php:1385 msgid "Block public" msgstr "Block public" -#: mod/admin.php:1302 +#: mod/admin.php:1385 msgid "" "Check to block public access to all otherwise public personal pages on this " "site unless you are currently logged in." msgstr "Block public access to all otherwise public personal pages on this site, except for local users when logged in." -#: mod/admin.php:1303 +#: mod/admin.php:1386 msgid "Force publish" msgstr "Mandatory directory listing" -#: mod/admin.php:1303 +#: mod/admin.php:1386 msgid "" "Check to force all profiles on this site to be listed in the site directory." msgstr "Force all profiles on this site to be listed in the site directory." -#: mod/admin.php:1304 +#: mod/admin.php:1387 msgid "Global directory URL" msgstr "Global directory URL" -#: mod/admin.php:1304 +#: mod/admin.php:1387 msgid "" "URL to the global directory. If this is not set, the global directory is " "completely unavailable to the application." msgstr "URL to the global directory: If this is not set, the global directory is completely unavailable to the application." -#: mod/admin.php:1305 +#: mod/admin.php:1388 msgid "Private posts by default for new users" msgstr "Private posts by default for new users" -#: mod/admin.php:1305 +#: mod/admin.php:1388 msgid "" "Set default post permissions for all new members to the default privacy " "group rather than public." msgstr "Set default post permissions for all new members to the default privacy group rather than public." -#: mod/admin.php:1306 +#: mod/admin.php:1389 msgid "Don't include post content in email notifications" msgstr "Don't include post content in email notifications" -#: mod/admin.php:1306 +#: mod/admin.php:1389 msgid "" "Don't include the content of a post/comment/private message/etc. in the " "email notifications that are sent out from this site, as a privacy measure." msgstr "Don't include the content of a post/comment/private message in the email notifications sent from this site, as a privacy measure." -#: mod/admin.php:1307 +#: mod/admin.php:1390 msgid "Disallow public access to addons listed in the apps menu." msgstr "Disallow public access to addons listed in the apps menu." -#: mod/admin.php:1307 +#: mod/admin.php:1390 msgid "" "Checking this box will restrict addons listed in the apps menu to members " "only." msgstr "Checking this box will restrict addons listed in the apps menu to members only." -#: mod/admin.php:1308 +#: mod/admin.php:1391 msgid "Don't embed private images in posts" msgstr "Don't embed private images in posts" -#: mod/admin.php:1308 +#: mod/admin.php:1391 msgid "" "Don't replace locally-hosted private photos in posts with an embedded copy " "of the image. This means that contacts who receive posts containing private " @@ -5197,210 +5898,210 @@ msgid "" "while." msgstr "Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while." -#: mod/admin.php:1309 +#: mod/admin.php:1392 msgid "Allow Users to set remote_self" msgstr "Allow users to set \"Remote self\"" -#: mod/admin.php:1309 +#: mod/admin.php:1392 msgid "" "With checking this, every user is allowed to mark every contact as a " "remote_self in the repair contact dialog. Setting this flag on a contact " "causes mirroring every posting of that contact in the users stream." msgstr "This allows every user to mark contacts as a \"Remote self\" in the repair contact dialogue. Setting this flag on a contact will mirror every posting of that contact in the users stream." -#: mod/admin.php:1310 +#: mod/admin.php:1393 msgid "Block multiple registrations" msgstr "Block multiple registrations" -#: mod/admin.php:1310 +#: mod/admin.php:1393 msgid "Disallow users to register additional accounts for use as pages." msgstr "Disallow users to sign up for additional accounts." -#: mod/admin.php:1311 +#: mod/admin.php:1394 msgid "OpenID support" msgstr "OpenID support" -#: mod/admin.php:1311 +#: mod/admin.php:1394 msgid "OpenID support for registration and logins." msgstr "OpenID support for registration and logins." -#: mod/admin.php:1312 +#: mod/admin.php:1395 msgid "Fullname check" msgstr "Full name check" -#: mod/admin.php:1312 +#: mod/admin.php:1395 msgid "" "Force users to register with a space between firstname and lastname in Full " "name, as an antispam measure" msgstr "Force users to sign up with a space between first name and last name in the full name field; it may reduce spam and abuse registrations." -#: mod/admin.php:1313 +#: mod/admin.php:1396 msgid "Community pages for visitors" msgstr "Community pages for visitors" -#: mod/admin.php:1313 +#: mod/admin.php:1396 msgid "" "Which community pages should be available for visitors. Local users always " "see both pages." msgstr "Community pages that should be available for visitors. Local users always see both pages." -#: mod/admin.php:1314 +#: mod/admin.php:1397 msgid "Posts per user on community page" msgstr "Posts per user on community page" -#: mod/admin.php:1314 +#: mod/admin.php:1397 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "'Global Community')" msgstr "Maximum number of posts per user on the community page (not valid for 'Global Community')." -#: mod/admin.php:1315 +#: mod/admin.php:1398 msgid "Enable OStatus support" msgstr "Enable OStatus support" -#: mod/admin.php:1315 +#: mod/admin.php:1398 msgid "" "Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." msgstr "Provide built-in OStatus (StatusNet, GNU Social, etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed." -#: mod/admin.php:1316 +#: mod/admin.php:1399 msgid "Only import OStatus threads from our contacts" msgstr "Only import OStatus threads from known contacts" -#: mod/admin.php:1316 +#: mod/admin.php:1399 msgid "" "Normally we import every content from our OStatus contacts. With this option" " we only store threads that are started by a contact that is known on our " "system." msgstr "Normally we import every content from our OStatus contacts. With this option we only store threads that are started by a contact that is known on our system." -#: mod/admin.php:1317 +#: mod/admin.php:1400 msgid "OStatus support can only be enabled if threading is enabled." msgstr "OStatus support can only be enabled if threading is enabled." -#: mod/admin.php:1319 +#: mod/admin.php:1402 msgid "" "Diaspora support can't be enabled because Friendica was installed into a sub" " directory." msgstr "Diaspora support can't be enabled because Friendica was installed into a sub directory." -#: mod/admin.php:1320 +#: mod/admin.php:1403 msgid "Enable Diaspora support" msgstr "Enable Diaspora support" -#: mod/admin.php:1320 +#: mod/admin.php:1403 msgid "Provide built-in Diaspora network compatibility." msgstr "Provide built-in Diaspora network compatibility." -#: mod/admin.php:1321 +#: mod/admin.php:1404 msgid "Only allow Friendica contacts" msgstr "Only allow Friendica contacts" -#: mod/admin.php:1321 +#: mod/admin.php:1404 msgid "" "All contacts must use Friendica protocols. All other built-in communication " "protocols disabled." msgstr "All contacts must use Friendica protocols. All other built-in communication protocols will be disabled." -#: mod/admin.php:1322 +#: mod/admin.php:1405 msgid "Verify SSL" msgstr "Verify SSL" -#: mod/admin.php:1322 +#: mod/admin.php:1405 msgid "" "If you wish, you can turn on strict certificate checking. This will mean you" " cannot connect (at all) to self-signed SSL sites." msgstr "If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites." -#: mod/admin.php:1323 +#: mod/admin.php:1406 msgid "Proxy user" msgstr "Proxy user" -#: mod/admin.php:1324 +#: mod/admin.php:1407 msgid "Proxy URL" msgstr "Proxy URL" -#: mod/admin.php:1325 +#: mod/admin.php:1408 msgid "Network timeout" msgstr "Network timeout" -#: mod/admin.php:1325 +#: mod/admin.php:1408 msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." msgstr "Value is in seconds. Set to 0 for unlimited (not recommended)." -#: mod/admin.php:1326 +#: mod/admin.php:1409 msgid "Maximum Load Average" msgstr "Maximum load average" -#: mod/admin.php:1326 +#: mod/admin.php:1409 msgid "" "Maximum system load before delivery and poll processes are deferred - " "default 50." msgstr "Maximum system load before delivery and poll processes are deferred (default 50)." -#: mod/admin.php:1327 +#: mod/admin.php:1410 msgid "Maximum Load Average (Frontend)" msgstr "Maximum load average (frontend)" -#: mod/admin.php:1327 +#: mod/admin.php:1410 msgid "Maximum system load before the frontend quits service - default 50." msgstr "Maximum system load before the frontend quits service (default 50)." -#: mod/admin.php:1328 +#: mod/admin.php:1411 msgid "Minimal Memory" msgstr "Minimal memory" -#: mod/admin.php:1328 +#: mod/admin.php:1411 msgid "" "Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " "default 0 (deactivated)." msgstr "Minimal free memory in MB for the worker. Needs access to /proc/meminfo - default 0 (deactivated)." -#: mod/admin.php:1329 +#: mod/admin.php:1412 msgid "Maximum table size for optimization" msgstr "Maximum table size for optimization" -#: mod/admin.php:1329 +#: mod/admin.php:1412 msgid "" "Maximum table size (in MB) for the automatic optimization - default 100 MB. " "Enter -1 to disable it." msgstr "Maximum table size (in MB) for the automatic optimization (default 100 MB; -1 to deactivate)." -#: mod/admin.php:1330 +#: mod/admin.php:1413 msgid "Minimum level of fragmentation" msgstr "Minimum level of fragmentation" -#: mod/admin.php:1330 +#: mod/admin.php:1413 msgid "" "Minimum fragmenation level to start the automatic optimization - default " "value is 30%." msgstr "Minimum fragmentation level to start the automatic optimization (default 30%)." -#: mod/admin.php:1332 +#: mod/admin.php:1415 msgid "Periodical check of global contacts" msgstr "Periodical check of global contacts" -#: mod/admin.php:1332 +#: mod/admin.php:1415 msgid "" "If enabled, the global contacts are checked periodically for missing or " "outdated data and the vitality of the contacts and servers." msgstr "This checks global contacts periodically for missing or outdated data and the vitality of the contacts and servers." -#: mod/admin.php:1333 +#: mod/admin.php:1416 msgid "Days between requery" msgstr "Days between enquiry" -#: mod/admin.php:1333 +#: mod/admin.php:1416 msgid "Number of days after which a server is requeried for his contacts." msgstr "Number of days after which a server is required check contacts." -#: mod/admin.php:1334 +#: mod/admin.php:1417 msgid "Discover contacts from other servers" msgstr "Discover contacts from other servers" -#: mod/admin.php:1334 +#: mod/admin.php:1417 msgid "" "Periodically query other servers for contacts. You can choose between " "'users': the users on the remote system, 'Global Contacts': active contacts " @@ -5410,32 +6111,32 @@ msgid "" "Global Contacts'." msgstr "Periodically query other servers for contacts. You can choose between 'Users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older Friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommend setting is 'Users, Global Contacts'." -#: mod/admin.php:1335 +#: mod/admin.php:1418 msgid "Timeframe for fetching global contacts" msgstr "Time-frame for fetching global contacts" -#: mod/admin.php:1335 +#: mod/admin.php:1418 msgid "" "When the discovery is activated, this value defines the timeframe for the " "activity of the global contacts that are fetched from other servers." msgstr "If discovery is activated, this value defines the time-frame for the activity of the global contacts that are fetched from other servers." -#: mod/admin.php:1336 +#: mod/admin.php:1419 msgid "Search the local directory" msgstr "Search the local directory" -#: mod/admin.php:1336 +#: mod/admin.php:1419 msgid "" "Search the local directory instead of the global directory. When searching " "locally, every search will be executed on the global directory in the " "background. This improves the search results when the search is repeated." msgstr "Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated." -#: mod/admin.php:1338 +#: mod/admin.php:1421 msgid "Publish server information" msgstr "Publish server information" -#: mod/admin.php:1338 +#: mod/admin.php:1421 msgid "" "If enabled, general server and usage data will be published. The data " "contains the name and version of the server, number of users with public " @@ -5443,143 +6144,147 @@ msgid "" " href='http://the-federation.info/'>the-federation.info for details." msgstr "This publishes generic data about the server and its usage. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details." -#: mod/admin.php:1340 +#: mod/admin.php:1423 msgid "Check upstream version" msgstr "Check upstream version" -#: mod/admin.php:1340 +#: mod/admin.php:1423 msgid "" "Enables checking for new Friendica versions at github. If there is a new " "version, you will be informed in the admin panel overview." msgstr "Enables checking for new Friendica versions at github. If there is a new version, you will be informed in the admin panel overview." -#: mod/admin.php:1341 +#: mod/admin.php:1424 msgid "Suppress Tags" msgstr "Suppress tags" -#: mod/admin.php:1341 +#: mod/admin.php:1424 msgid "Suppress showing a list of hashtags at the end of the posting." msgstr "Suppress listed hashtags at the end of posts." -#: mod/admin.php:1342 +#: mod/admin.php:1425 msgid "Path to item cache" msgstr "Path to item cache" -#: mod/admin.php:1342 +#: mod/admin.php:1425 msgid "The item caches buffers generated bbcode and external images." msgstr "The item caches buffers generated bbcode and external images." -#: mod/admin.php:1343 +#: mod/admin.php:1426 msgid "Cache duration in seconds" msgstr "Cache duration in seconds" -#: mod/admin.php:1343 +#: mod/admin.php:1426 msgid "" "How long should the cache files be hold? Default value is 86400 seconds (One" " day). To disable the item cache, set the value to -1." msgstr "How long should cache files be held? (Default 86400 seconds - one day; -1 disables item cache)" -#: mod/admin.php:1344 +#: mod/admin.php:1427 msgid "Maximum numbers of comments per post" msgstr "Maximum numbers of comments per post" -#: mod/admin.php:1344 +#: mod/admin.php:1427 msgid "How much comments should be shown for each post? Default value is 100." msgstr "How many comments should be shown for each post? (Default 100)" -#: mod/admin.php:1345 +#: mod/admin.php:1428 msgid "Temp path" msgstr "Temp path" -#: mod/admin.php:1345 +#: mod/admin.php:1428 msgid "" "If you have a restricted system where the webserver can't access the system " "temp path, enter another path here." msgstr "Enter a different tmp path, if your system restricts the webserver's access to the system temp path." -#: mod/admin.php:1346 +#: mod/admin.php:1429 msgid "Base path to installation" msgstr "Base path to installation" -#: mod/admin.php:1346 +#: mod/admin.php:1429 msgid "" "If the system cannot detect the correct path to your installation, enter the" " correct path here. This setting should only be set if you are using a " "restricted system and symbolic links to your webroot." msgstr "If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot." -#: mod/admin.php:1347 +#: mod/admin.php:1430 msgid "Disable picture proxy" msgstr "Disable picture proxy" -#: mod/admin.php:1347 +#: mod/admin.php:1430 msgid "" "The picture proxy increases performance and privacy. It shouldn't be used on" " systems with very low bandwith." msgstr "The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith." -#: mod/admin.php:1348 +#: mod/admin.php:1431 msgid "Only search in tags" msgstr "Only search in tags" -#: mod/admin.php:1348 +#: mod/admin.php:1431 msgid "On large systems the text search can slow down the system extremely." msgstr "On large systems the text search can slow down the system significantly." -#: mod/admin.php:1350 +#: mod/admin.php:1433 msgid "New base url" msgstr "New base URL" -#: mod/admin.php:1350 +#: mod/admin.php:1433 msgid "" "Change base url for this server. Sends relocate message to all Friendica and" " Diaspora* contacts of all users." msgstr "Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users." -#: mod/admin.php:1352 +#: mod/admin.php:1435 msgid "RINO Encryption" msgstr "RINO Encryption" -#: mod/admin.php:1352 +#: mod/admin.php:1435 msgid "Encryption layer between nodes." msgstr "Encryption layer between nodes." -#: mod/admin.php:1354 +#: mod/admin.php:1435 +msgid "Enabled" +msgstr "" + +#: mod/admin.php:1437 msgid "Maximum number of parallel workers" msgstr "Maximum number of parallel workers" -#: mod/admin.php:1354 +#: mod/admin.php:1437 msgid "" "On shared hosters set this to 2. On larger systems, values of 10 are great. " "Default value is 4." msgstr "On shared hosts set this to 2. On larger systems, values of 10 are great. Default value is 4." -#: mod/admin.php:1355 +#: mod/admin.php:1438 msgid "Don't use 'proc_open' with the worker" msgstr "Don't use 'proc_open' with the worker" -#: mod/admin.php:1355 +#: mod/admin.php:1438 msgid "" "Enable this if your system doesn't allow the use of 'proc_open'. This can " "happen on shared hosters. If this is enabled you should increase the " "frequency of worker calls in your crontab." msgstr "Enable this if your system doesn't allow the use of 'proc_open'. This can happen on shared hosters. If this is enabled you should increase the frequency of worker calls in your crontab." -#: mod/admin.php:1356 +#: mod/admin.php:1439 msgid "Enable fastlane" msgstr "Enable fast-lane" -#: mod/admin.php:1356 +#: mod/admin.php:1439 msgid "" "When enabed, the fastlane mechanism starts an additional worker if processes" " with higher priority are blocked by processes of lower priority." msgstr "The fast-lane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority." -#: mod/admin.php:1357 +#: mod/admin.php:1440 msgid "Enable frontend worker" msgstr "Enable frontend worker" -#: mod/admin.php:1357 +#: mod/admin.php:1440 #, php-format msgid "" "When enabled the Worker process is triggered when backend access is " @@ -5589,66 +6294,132 @@ msgid "" " on your server." msgstr "Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server." -#: mod/admin.php:1385 +#: mod/admin.php:1442 +msgid "Subscribe to relay" +msgstr "" + +#: mod/admin.php:1442 +msgid "" +"Enables the receiving of public posts from the relay. They will be included " +"in the search, subscribed tags and on the global community page." +msgstr "" + +#: mod/admin.php:1443 +msgid "Relay server" +msgstr "" + +#: mod/admin.php:1443 +msgid "" +"Address of the relay server where public posts should be send to. For " +"example https://relay.diasp.org" +msgstr "" + +#: mod/admin.php:1444 +msgid "Direct relay transfer" +msgstr "" + +#: mod/admin.php:1444 +msgid "" +"Enables the direct transfer to other servers without using the relay servers" +msgstr "" + +#: mod/admin.php:1445 +msgid "Relay scope" +msgstr "" + +#: mod/admin.php:1445 +msgid "" +"Can be 'all' or 'tags'. 'all' means that every public post should be " +"received. 'tags' means that only posts with selected tags should be " +"received." +msgstr "" + +#: mod/admin.php:1445 +msgid "all" +msgstr "" + +#: mod/admin.php:1445 +msgid "tags" +msgstr "" + +#: mod/admin.php:1446 +msgid "Server tags" +msgstr "" + +#: mod/admin.php:1446 +msgid "Comma separated list of tags for the 'tags' subscription." +msgstr "" + +#: mod/admin.php:1447 +msgid "Allow user tags" +msgstr "" + +#: mod/admin.php:1447 +msgid "" +"If enabled, the tags from the saved searches will used for the 'tags' " +"subscription in addition to the 'relay_server_tags'." +msgstr "" + +#: mod/admin.php:1475 msgid "Update has been marked successful" msgstr "Update has been marked successful" -#: mod/admin.php:1392 +#: mod/admin.php:1482 #, php-format msgid "Database structure update %s was successfully applied." msgstr "Database structure update %s was successfully applied." -#: mod/admin.php:1395 +#: mod/admin.php:1485 #, php-format msgid "Executing of database structure update %s failed with error: %s" msgstr "Executing of database structure update %s failed with error: %s" -#: mod/admin.php:1408 +#: mod/admin.php:1498 #, php-format msgid "Executing %s failed with error: %s" msgstr "Executing %s failed with error: %s" -#: mod/admin.php:1410 +#: mod/admin.php:1500 #, php-format msgid "Update %s was successfully applied." msgstr "Update %s was successfully applied." -#: mod/admin.php:1413 +#: mod/admin.php:1503 #, php-format msgid "Update %s did not return a status. Unknown if it succeeded." msgstr "Update %s did not return a status. Unknown if it succeeded." -#: mod/admin.php:1416 +#: mod/admin.php:1506 #, php-format msgid "There was no additional update function %s that needed to be called." msgstr "There was no additional update function %s that needed to be called." -#: mod/admin.php:1436 +#: mod/admin.php:1526 msgid "No failed updates." msgstr "No failed updates." -#: mod/admin.php:1437 +#: mod/admin.php:1527 msgid "Check database structure" msgstr "Check database structure" -#: mod/admin.php:1442 +#: mod/admin.php:1532 msgid "Failed Updates" msgstr "Failed updates" -#: mod/admin.php:1443 +#: mod/admin.php:1533 msgid "" "This does not include updates prior to 1139, which did not return a status." msgstr "This does not include updates prior to 1139, which did not return a status." -#: mod/admin.php:1444 +#: mod/admin.php:1534 msgid "Mark success (if update was manually applied)" msgstr "Mark success (if update was manually applied)" -#: mod/admin.php:1445 +#: mod/admin.php:1535 msgid "Attempt to execute this update step automatically" msgstr "Attempt to execute this update step automatically" -#: mod/admin.php:1484 +#: mod/admin.php:1574 #, php-format msgid "" "\n" @@ -5656,7 +6427,7 @@ msgid "" "\t\t\t\tthe administrator of %2$s has set up an account for you." msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tThe administrator of %2$s has set up an account for you." -#: mod/admin.php:1487 +#: mod/admin.php:1577 #, php-format msgid "" "\n" @@ -5683,171 +6454,173 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" +"\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" +"\n" "\t\t\tThank you and welcome to %4$s." -msgstr "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1$s\n\t\t\tLogin Name:\t\t%2$s\n\t\t\tPassword:\t\t%3$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, this may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4$s." +msgstr "" -#: mod/admin.php:1519 src/Model/User.php:634 +#: mod/admin.php:1611 src/Model/User.php:649 #, php-format msgid "Registration details for %s" msgstr "Registration details for %s" -#: mod/admin.php:1529 +#: mod/admin.php:1621 #, php-format msgid "%s user blocked/unblocked" msgid_plural "%s users blocked/unblocked" msgstr[0] "%s user blocked/unblocked" msgstr[1] "%s users blocked/unblocked" -#: mod/admin.php:1535 +#: mod/admin.php:1627 #, php-format msgid "%s user deleted" msgid_plural "%s users deleted" msgstr[0] "%s user deleted" msgstr[1] "%s users deleted" -#: mod/admin.php:1582 +#: mod/admin.php:1674 #, php-format msgid "User '%s' deleted" msgstr "User '%s' deleted" -#: mod/admin.php:1590 +#: mod/admin.php:1682 #, php-format msgid "User '%s' unblocked" msgstr "User '%s' unblocked" -#: mod/admin.php:1590 +#: mod/admin.php:1682 #, php-format msgid "User '%s' blocked" msgstr "User '%s' blocked" -#: mod/admin.php:1689 mod/admin.php:1701 mod/admin.php:1714 mod/admin.php:1732 +#: mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 mod/admin.php:1824 #: src/Content/ContactSelector.php:82 msgid "Email" msgstr "Email" -#: mod/admin.php:1689 mod/admin.php:1714 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Register date" msgstr "Registration date" -#: mod/admin.php:1689 mod/admin.php:1714 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last login" msgstr "Last login" -#: mod/admin.php:1689 mod/admin.php:1714 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last item" msgstr "Last item" -#: mod/admin.php:1689 mod/settings.php:54 +#: mod/admin.php:1781 mod/settings.php:55 msgid "Account" msgstr "Account" -#: mod/admin.php:1697 +#: mod/admin.php:1789 msgid "Add User" msgstr "Add user" -#: mod/admin.php:1699 +#: mod/admin.php:1791 msgid "User registrations waiting for confirm" msgstr "User registrations awaiting confirmation" -#: mod/admin.php:1700 +#: mod/admin.php:1792 msgid "User waiting for permanent deletion" msgstr "User awaiting permanent deletion" -#: mod/admin.php:1701 +#: mod/admin.php:1793 msgid "Request date" msgstr "Request date" -#: mod/admin.php:1702 +#: mod/admin.php:1794 msgid "No registrations." msgstr "No registrations." -#: mod/admin.php:1703 +#: mod/admin.php:1795 msgid "Note from the user" msgstr "Note from the user" -#: mod/admin.php:1705 +#: mod/admin.php:1797 msgid "Deny" msgstr "Deny" -#: mod/admin.php:1709 +#: mod/admin.php:1801 msgid "Site admin" msgstr "Site admin" -#: mod/admin.php:1710 +#: mod/admin.php:1802 msgid "Account expired" msgstr "Account expired" -#: mod/admin.php:1713 +#: mod/admin.php:1805 msgid "New User" msgstr "New user" -#: mod/admin.php:1714 +#: mod/admin.php:1806 msgid "Deleted since" msgstr "Deleted since" -#: mod/admin.php:1719 +#: mod/admin.php:1811 msgid "" "Selected users will be deleted!\\n\\nEverything these users had posted on " "this site will be permanently deleted!\\n\\nAre you sure?" msgstr "Selected users will be deleted!\\n\\nEverything these users has posted on this site will be permanently deleted!\\n\\nAre you sure?" -#: mod/admin.php:1720 +#: mod/admin.php:1812 msgid "" "The user {0} will be deleted!\\n\\nEverything this user has posted on this " "site will be permanently deleted!\\n\\nAre you sure?" msgstr "The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?" -#: mod/admin.php:1730 +#: mod/admin.php:1822 msgid "Name of the new user." msgstr "Name of the new user." -#: mod/admin.php:1731 +#: mod/admin.php:1823 msgid "Nickname" msgstr "Nickname" -#: mod/admin.php:1731 +#: mod/admin.php:1823 msgid "Nickname of the new user." msgstr "Nickname of the new user." -#: mod/admin.php:1732 +#: mod/admin.php:1824 msgid "Email address of the new user." msgstr "Email address of the new user." -#: mod/admin.php:1774 +#: mod/admin.php:1866 #, php-format msgid "Addon %s disabled." msgstr "Addon %s disabled." -#: mod/admin.php:1778 +#: mod/admin.php:1870 #, php-format msgid "Addon %s enabled." msgstr "Addon %s enabled." -#: mod/admin.php:1788 mod/admin.php:2037 +#: mod/admin.php:1880 mod/admin.php:2129 msgid "Disable" msgstr "Disable" -#: mod/admin.php:1791 mod/admin.php:2040 +#: mod/admin.php:1883 mod/admin.php:2132 msgid "Enable" msgstr "Enable" -#: mod/admin.php:1813 mod/admin.php:2082 +#: mod/admin.php:1905 mod/admin.php:2174 msgid "Toggle" msgstr "Toggle" -#: mod/admin.php:1821 mod/admin.php:2091 +#: mod/admin.php:1913 mod/admin.php:2183 msgid "Author: " msgstr "Author: " -#: mod/admin.php:1822 mod/admin.php:2092 +#: mod/admin.php:1914 mod/admin.php:2184 msgid "Maintainer: " msgstr "Maintainer: " -#: mod/admin.php:1874 +#: mod/admin.php:1966 msgid "Reload active addons" msgstr "Reload active addons" -#: mod/admin.php:1879 +#: mod/admin.php:1971 #, php-format msgid "" "There are currently no addons available on your node. You can find the " @@ -5855,70 +6628,70 @@ msgid "" " the open addon registry at %2$s" msgstr "There are currently no addons available on your node. You can find the official addon repository at %1$s and might find other interesting addons in the open addon registry at %2$s" -#: mod/admin.php:1999 +#: mod/admin.php:2091 msgid "No themes found." msgstr "No themes found." -#: mod/admin.php:2073 +#: mod/admin.php:2165 msgid "Screenshot" msgstr "Screenshot" -#: mod/admin.php:2127 +#: mod/admin.php:2219 msgid "Reload active themes" msgstr "Reload active themes" -#: mod/admin.php:2132 +#: mod/admin.php:2224 #, php-format msgid "No themes found on the system. They should be placed in %1$s" msgstr "No themes found on the system. They should be placed in %1$s" -#: mod/admin.php:2133 +#: mod/admin.php:2225 msgid "[Experimental]" msgstr "[Experimental]" -#: mod/admin.php:2134 +#: mod/admin.php:2226 msgid "[Unsupported]" msgstr "[Unsupported]" -#: mod/admin.php:2158 +#: mod/admin.php:2250 msgid "Log settings updated." msgstr "Log settings updated." -#: mod/admin.php:2190 +#: mod/admin.php:2282 msgid "PHP log currently enabled." msgstr "PHP log currently enabled." -#: mod/admin.php:2192 +#: mod/admin.php:2284 msgid "PHP log currently disabled." msgstr "PHP log currently disabled." -#: mod/admin.php:2201 +#: mod/admin.php:2293 msgid "Clear" msgstr "Clear" -#: mod/admin.php:2205 +#: mod/admin.php:2297 msgid "Enable Debugging" msgstr "Enable debugging" -#: mod/admin.php:2206 +#: mod/admin.php:2298 msgid "Log file" msgstr "Log file" -#: mod/admin.php:2206 +#: mod/admin.php:2298 msgid "" "Must be writable by web server. Relative to your Friendica top-level " "directory." msgstr "Must be writable by web server and relative to your Friendica top-level directory." -#: mod/admin.php:2207 +#: mod/admin.php:2299 msgid "Log level" msgstr "Log level" -#: mod/admin.php:2209 +#: mod/admin.php:2301 msgid "PHP logging" msgstr "PHP logging" -#: mod/admin.php:2210 +#: mod/admin.php:2302 msgid "" "To enable logging of PHP errors and warnings you can add the following to " "the .htconfig.php file of your installation. The filename set in the " @@ -5927,1203 +6700,577 @@ msgid "" "'display_errors' is to enable these options, set to '0' to disable them." msgstr "To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The file name set in the 'error_log' line is relative to the Friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them." -#: mod/admin.php:2241 +#: mod/admin.php:2333 #, php-format msgid "" "Error trying to open %1$s log file.\\r\\n
Check to see " "if file %1$s exist and is readable." msgstr "Error trying to open %1$s log file.\\r\\n
Check to see if file %1$s exist and is readable." -#: mod/admin.php:2245 +#: mod/admin.php:2337 #, php-format msgid "" "Couldn't open %1$s log file.\\r\\n
Check to see if file" " %1$s is readable." msgstr "Couldn't open %1$s log file.\\r\\n
Check if file %1$s is readable." -#: mod/admin.php:2336 mod/admin.php:2337 mod/settings.php:779 +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 msgid "Off" msgstr "Off" -#: mod/admin.php:2336 mod/admin.php:2337 mod/settings.php:779 +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 msgid "On" msgstr "On" -#: mod/admin.php:2337 +#: mod/admin.php:2429 #, php-format msgid "Lock feature %s" msgstr "Lock feature %s" -#: mod/admin.php:2345 +#: mod/admin.php:2437 msgid "Manage Additional Features" msgstr "Manage additional features" -#: mod/babel.php:23 -msgid "Source (bbcode) text:" -msgstr "Source (bbcode) text:" - -#: mod/babel.php:30 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Source (Diaspora) text to convert to BBcode:" - -#: mod/babel.php:38 -msgid "Source input: " -msgstr "Source input: " - -#: mod/babel.php:42 -msgid "bbcode (raw HTML(: " -msgstr "bbcode (raw HTML(: " - -#: mod/babel.php:45 -msgid "bbcode: " -msgstr "bbcode: " - -#: mod/babel.php:49 mod/babel.php:65 -msgid "bbcode => html2bbcode: " -msgstr "bbcode => html2bbcode: " - -#: mod/babel.php:53 -msgid "bb2diaspora: " -msgstr "bb2diaspora: " - -#: mod/babel.php:57 -msgid "bb2diaspora => Markdown: " -msgstr "bb2diaspora => Markdown: " - -#: mod/babel.php:61 -msgid "bb2diaspora => diaspora2bb: " -msgstr "bb2diaspora => diaspora2bb: " - -#: mod/babel.php:71 -msgid "Source input (Diaspora format): " -msgstr "Source input (Diaspora format): " - -#: mod/babel.php:75 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: mod/bookmarklet.php:21 src/Content/Nav.php:114 src/Module/Login.php:312 -msgid "Login" -msgstr "Login" - -#: mod/bookmarklet.php:49 -msgid "The post was created" -msgstr "The post was created" - -#: mod/community.php:44 -msgid "Community option not available." -msgstr "Community option not available." - -#: mod/community.php:61 -msgid "Not available." -msgstr "Not available." - -#: mod/community.php:74 -msgid "Local Community" -msgstr "Local community" - -#: mod/community.php:77 -msgid "Posts from local users on this server" -msgstr "Posts from local users on this server" - -#: mod/community.php:85 -msgid "Global Community" -msgstr "Global Community" - -#: mod/community.php:88 -msgid "Posts from users of the whole federated network" -msgstr "Posts from users of the whole federated network" - -#: mod/community.php:178 -msgid "" -"This community stream shows all public posts received by this node. They may" -" not reflect the opinions of this node’s users." -msgstr "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users." - -#: mod/directory.php:153 src/Model/Profile.php:421 src/Model/Profile.php:769 -msgid "Status:" -msgstr "Status:" - -#: mod/directory.php:154 src/Model/Profile.php:422 src/Model/Profile.php:786 -msgid "Homepage:" -msgstr "Homepage:" - -#: mod/directory.php:203 view/theme/vier/theme.php:201 -msgid "Global Directory" -msgstr "Global Directory" - -#: mod/directory.php:205 -msgid "Find on this site" -msgstr "Find on this site" - -#: mod/directory.php:207 -msgid "Results for:" -msgstr "Results for:" - -#: mod/directory.php:209 -msgid "Site Directory" -msgstr "Site directory" - -#: mod/directory.php:214 -msgid "No entries (some entries may be hidden)." -msgstr "No entries (entries may be hidden)." - -#: mod/editpost.php:27 mod/editpost.php:37 -msgid "Item not found" -msgstr "Item not found" - -#: mod/editpost.php:44 -msgid "Edit post" -msgstr "Edit post" - -#: mod/events.php:103 mod/events.php:105 -msgid "Event can not end before it has started." -msgstr "Event cannot end before it has started." - -#: mod/events.php:112 mod/events.php:114 -msgid "Event title and start time are required." -msgstr "Event title and starting time are required." - -#: mod/events.php:394 -msgid "Create New Event" -msgstr "Create new event" - -#: mod/events.php:509 -msgid "Event details" -msgstr "Event details" - -#: mod/events.php:510 -msgid "Starting date and Title are required." -msgstr "Starting date and title are required." - -#: mod/events.php:511 mod/events.php:512 -msgid "Event Starts:" -msgstr "Event starts:" - -#: mod/events.php:513 mod/events.php:529 -msgid "Finish date/time is not known or not relevant" -msgstr "Finish date/time is not known or not relevant" - -#: mod/events.php:515 mod/events.php:516 -msgid "Event Finishes:" -msgstr "Event finishes:" - -#: mod/events.php:517 mod/events.php:530 -msgid "Adjust for viewer timezone" -msgstr "Adjust for viewer's time zone" - -#: mod/events.php:519 -msgid "Description:" -msgstr "Description:" - -#: mod/events.php:523 mod/events.php:525 -msgid "Title:" -msgstr "Title:" - -#: mod/events.php:526 mod/events.php:527 -msgid "Share this event" -msgstr "Share this event" - -#: mod/events.php:534 src/Model/Profile.php:864 -msgid "Basic" -msgstr "Basic" - -#: mod/events.php:556 -msgid "Failed to remove event" -msgstr "Failed to remove event" - -#: mod/events.php:558 -msgid "Event removed" -msgstr "Event removed" - -#: mod/fsuggest.php:71 -msgid "Friend suggestion sent." -msgstr "Friend suggestion sent" - -#: mod/fsuggest.php:102 -msgid "Suggest Friends" -msgstr "Suggest friends" - -#: mod/fsuggest.php:104 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Suggest a friend for %s" - -#: mod/group.php:36 -msgid "Group created." -msgstr "Group created." - -#: mod/group.php:42 -msgid "Could not create group." -msgstr "Could not create group." - -#: mod/group.php:56 mod/group.php:158 -msgid "Group not found." -msgstr "Group not found." - -#: mod/group.php:70 -msgid "Group name changed." -msgstr "Group name changed." - -#: mod/group.php:97 -msgid "Save Group" -msgstr "Save group" - -#: mod/group.php:102 -msgid "Create a group of contacts/friends." -msgstr "Create a group of contacts/friends." - -#: mod/group.php:103 mod/group.php:200 src/Model/Group.php:409 -msgid "Group Name: " -msgstr "Group name: " - -#: mod/group.php:127 -msgid "Group removed." -msgstr "Group removed." - -#: mod/group.php:129 -msgid "Unable to remove group." -msgstr "Unable to remove group." - -#: mod/group.php:193 -msgid "Delete Group" -msgstr "Delete group" - -#: mod/group.php:199 -msgid "Group Editor" -msgstr "Group Editor" - -#: mod/group.php:204 -msgid "Edit Group Name" -msgstr "Edit group name" - -#: mod/group.php:214 -msgid "Members" -msgstr "Members" - -#: mod/group.php:217 mod/network.php:639 -msgid "Group is empty" -msgstr "Group is empty" - -#: mod/group.php:230 -msgid "Remove Contact" -msgstr "Remove contact" - -#: mod/group.php:254 -msgid "Add Contact" -msgstr "Add contact" - -#: mod/message.php:30 src/Content/Nav.php:198 -msgid "New Message" -msgstr "New Message" - -#: mod/message.php:77 -msgid "Unable to locate contact information." -msgstr "Unable to locate contact information." - -#: mod/message.php:112 view/theme/frio/theme.php:268 src/Content/Nav.php:195 -msgid "Messages" -msgstr "Messages" - -#: mod/message.php:136 -msgid "Do you really want to delete this message?" -msgstr "Do you really want to delete this message?" - -#: mod/message.php:156 -msgid "Message deleted." -msgstr "Message deleted." - -#: mod/message.php:185 -msgid "Conversation removed." -msgstr "Conversation removed." - -#: mod/message.php:291 -msgid "No messages." -msgstr "No messages." - -#: mod/message.php:330 -msgid "Message not available." -msgstr "Message not available." - -#: mod/message.php:397 -msgid "Delete message" -msgstr "Delete message" - -#: mod/message.php:399 mod/message.php:500 -msgid "D, d M Y - g:i A" -msgstr "D, d M Y - g:i A" - -#: mod/message.php:414 mod/message.php:497 -msgid "Delete conversation" -msgstr "Delete conversation" - -#: mod/message.php:416 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "No secure communications available. You may be able to respond from the sender's profile page." - -#: mod/message.php:420 -msgid "Send Reply" -msgstr "Send reply" - -#: mod/message.php:471 -#, php-format -msgid "Unknown sender - %s" -msgstr "Unknown sender - %s" - -#: mod/message.php:473 -#, php-format -msgid "You and %s" -msgstr "Me and %s" - -#: mod/message.php:475 -#, php-format -msgid "%s and You" -msgstr "%s and me" - -#: mod/message.php:503 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d message" -msgstr[1] "%d messages" - -#: mod/network.php:202 src/Model/Group.php:401 -msgid "add" -msgstr "add" - -#: mod/network.php:547 -#, php-format -msgid "" -"Warning: This group contains %s member from a network that doesn't allow non" -" public messages." -msgid_plural "" -"Warning: This group contains %s members from a network that doesn't allow " -"non public messages." -msgstr[0] "Warning: This group contains %s member from a network that doesn't allow non public messages." -msgstr[1] "Warning: This group contains %s members from a network that doesn't allow non public messages." - -#: mod/network.php:550 -msgid "Messages in this group won't be send to these receivers." -msgstr "Messages in this group won't be send to these receivers." - -#: mod/network.php:618 -msgid "No such group" -msgstr "No such group" - -#: mod/network.php:643 -#, php-format -msgid "Group: %s" -msgstr "Group: %s" - -#: mod/network.php:669 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "Private messages to this person are at risk of public disclosure." - -#: mod/network.php:672 -msgid "Invalid contact." -msgstr "Invalid contact." - -#: mod/network.php:921 -msgid "Commented Order" -msgstr "Commented last" - -#: mod/network.php:924 -msgid "Sort by Comment Date" -msgstr "Sort by comment date" - -#: mod/network.php:929 -msgid "Posted Order" -msgstr "Posted last" - -#: mod/network.php:932 -msgid "Sort by Post Date" -msgstr "Sort by post date" - -#: mod/network.php:943 -msgid "Posts that mention or involve you" -msgstr "Posts mentioning or involving me" - -#: mod/network.php:951 -msgid "New" -msgstr "New" - -#: mod/network.php:954 -msgid "Activity Stream - by date" -msgstr "Activity Stream - by date" - -#: mod/network.php:962 -msgid "Shared Links" -msgstr "Shared links" - -#: mod/network.php:965 -msgid "Interesting Links" -msgstr "Interesting links" - -#: mod/network.php:973 -msgid "Starred" -msgstr "Starred" - -#: mod/network.php:976 -msgid "Favourite Posts" -msgstr "My favourite posts" - -#: mod/notes.php:53 src/Model/Profile.php:946 -msgid "Personal Notes" -msgstr "Personal notes" - -#: mod/photos.php:108 src/Model/Profile.php:907 -msgid "Photo Albums" -msgstr "Photo Albums" - -#: mod/photos.php:109 mod/photos.php:1713 -msgid "Recent Photos" -msgstr "Recent photos" - -#: mod/photos.php:112 mod/photos.php:1210 mod/photos.php:1715 -msgid "Upload New Photos" -msgstr "Upload new photos" - -#: mod/photos.php:126 mod/settings.php:49 -msgid "everybody" -msgstr "everybody" - -#: mod/photos.php:184 -msgid "Contact information unavailable" -msgstr "Contact information unavailable" - -#: mod/photos.php:204 -msgid "Album not found." -msgstr "Album not found." - -#: mod/photos.php:234 mod/photos.php:245 mod/photos.php:1161 -msgid "Delete Album" -msgstr "Delete album" - -#: mod/photos.php:243 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Do you really want to delete this photo album and all its photos?" - -#: mod/photos.php:310 mod/photos.php:321 mod/photos.php:1446 -msgid "Delete Photo" -msgstr "Delete photo" - -#: mod/photos.php:319 -msgid "Do you really want to delete this photo?" -msgstr "Do you really want to delete this photo?" - -#: mod/photos.php:667 -msgid "a photo" -msgstr "a photo" - -#: mod/photos.php:667 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s was tagged in %2$s by %3$s" - -#: mod/photos.php:769 -msgid "Image upload didn't complete, please try again" -msgstr "Image upload didn't complete, please try again" - -#: mod/photos.php:772 -msgid "Image file is missing" -msgstr "Image file is missing" - -#: mod/photos.php:777 -msgid "" -"Server can't accept new file upload at this time, please contact your " -"administrator" -msgstr "Server can't accept new file upload at this time, please contact your administrator" - -#: mod/photos.php:803 -msgid "Image file is empty." -msgstr "Image file is empty." - -#: mod/photos.php:940 -msgid "No photos selected" -msgstr "No photos selected" - -#: mod/photos.php:1036 mod/videos.php:310 -msgid "Access to this item is restricted." -msgstr "Access to this item is restricted." - -#: mod/photos.php:1090 -msgid "Upload Photos" -msgstr "Upload photos" - -#: mod/photos.php:1094 mod/photos.php:1156 -msgid "New album name: " -msgstr "New album name: " - -#: mod/photos.php:1095 -msgid "or existing album name: " -msgstr "or existing album name: " - -#: mod/photos.php:1096 -msgid "Do not show a status post for this upload" -msgstr "Do not show a status post for this upload" - -#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1233 -msgid "Show to Groups" -msgstr "Show to groups" - -#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1234 -msgid "Show to Contacts" -msgstr "Show to contacts" - -#: mod/photos.php:1167 -msgid "Edit Album" -msgstr "Edit album" - -#: mod/photos.php:1172 -msgid "Show Newest First" -msgstr "Show newest first" - -#: mod/photos.php:1174 -msgid "Show Oldest First" -msgstr "Show oldest first" - -#: mod/photos.php:1195 mod/photos.php:1698 -msgid "View Photo" -msgstr "View photo" - -#: mod/photos.php:1236 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permission denied. Access to this item may be restricted." - -#: mod/photos.php:1238 -msgid "Photo not available" -msgstr "Photo not available" - -#: mod/photos.php:1301 -msgid "View photo" -msgstr "View photo" - -#: mod/photos.php:1301 -msgid "Edit photo" -msgstr "Edit photo" - -#: mod/photos.php:1302 -msgid "Use as profile photo" -msgstr "Use as profile photo" - -#: mod/photos.php:1308 src/Object/Post.php:148 -msgid "Private Message" -msgstr "Private message" - -#: mod/photos.php:1327 -msgid "View Full Size" -msgstr "View full size" - -#: mod/photos.php:1414 -msgid "Tags: " -msgstr "Tags: " - -#: mod/photos.php:1417 -msgid "[Remove any tag]" -msgstr "[Remove any tag]" - -#: mod/photos.php:1432 -msgid "New album name" -msgstr "New album name" - -#: mod/photos.php:1433 -msgid "Caption" -msgstr "Caption" - -#: mod/photos.php:1434 -msgid "Add a Tag" -msgstr "Add Tag" - -#: mod/photos.php:1434 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Example: @bob, @jojo@example.com, #California, #camping" - -#: mod/photos.php:1435 -msgid "Do not rotate" -msgstr "Do not rotate" - -#: mod/photos.php:1436 -msgid "Rotate CW (right)" -msgstr "Rotate right (CW)" - -#: mod/photos.php:1437 -msgid "Rotate CCW (left)" -msgstr "Rotate left (CCW)" - -#: mod/photos.php:1471 src/Object/Post.php:295 -msgid "I like this (toggle)" -msgstr "I like this (toggle)" - -#: mod/photos.php:1472 src/Object/Post.php:296 -msgid "I don't like this (toggle)" -msgstr "I don't like this (toggle)" - -#: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 -#: src/Object/Post.php:785 -msgid "This is you" -msgstr "This is me" - -#: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 -#: src/Object/Post.php:391 src/Object/Post.php:787 -msgid "Comment" -msgstr "Comment" - -#: mod/photos.php:1634 -msgid "Map" -msgstr "Map" - -#: mod/photos.php:1704 mod/videos.php:388 -msgid "View Album" -msgstr "View album" - -#: mod/profile.php:36 src/Model/Profile.php:118 -msgid "Requested profile is not available." -msgstr "Requested profile is unavailable." - -#: mod/profile.php:77 src/Protocol/OStatus.php:1247 -#, php-format -msgid "%s's posts" -msgstr "%s's posts" - -#: mod/profile.php:78 src/Protocol/OStatus.php:1248 -#, php-format -msgid "%s's comments" -msgstr "%s's comments" - -#: mod/profile.php:79 src/Protocol/OStatus.php:1246 -#, php-format -msgid "%s's timeline" -msgstr "%s's timeline" - -#: mod/profile.php:194 -msgid "Tips for New Members" -msgstr "Tips for New Members" - -#: mod/settings.php:71 +#: mod/settings.php:72 msgid "Display" msgstr "Display" -#: mod/settings.php:78 mod/settings.php:845 +#: mod/settings.php:79 mod/settings.php:842 msgid "Social Networks" msgstr "Social networks" -#: mod/settings.php:92 src/Content/Nav.php:204 +#: mod/settings.php:93 src/Content/Nav.php:204 msgid "Delegations" msgstr "Delegations" -#: mod/settings.php:99 +#: mod/settings.php:100 msgid "Connected apps" msgstr "Connected apps" -#: mod/settings.php:113 +#: mod/settings.php:114 msgid "Remove account" msgstr "Remove account" -#: mod/settings.php:167 +#: mod/settings.php:168 msgid "Missing some important data!" msgstr "Missing some important data!" -#: mod/settings.php:278 +#: mod/settings.php:279 msgid "Failed to connect with email account using the settings provided." msgstr "Failed to connect with email account using the settings provided." -#: mod/settings.php:283 +#: mod/settings.php:284 msgid "Email settings updated." msgstr "Email settings updated." -#: mod/settings.php:299 +#: mod/settings.php:300 msgid "Features updated" msgstr "Features updated" -#: mod/settings.php:371 +#: mod/settings.php:372 msgid "Relocate message has been send to your contacts" msgstr "Relocate message has been send to your contacts" -#: mod/settings.php:383 src/Model/User.php:312 +#: mod/settings.php:384 src/Model/User.php:325 msgid "Passwords do not match. Password unchanged." msgstr "Passwords do not match. Password unchanged." -#: mod/settings.php:388 +#: mod/settings.php:389 msgid "Empty passwords are not allowed. Password unchanged." msgstr "Empty passwords are not allowed. Password unchanged." -#: mod/settings.php:394 +#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "" + +#: mod/settings.php:400 msgid "Wrong password." msgstr "Wrong password." -#: mod/settings.php:401 +#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 msgid "Password changed." msgstr "Password changed." -#: mod/settings.php:403 +#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 msgid "Password update failed. Please try again." msgstr "Password update failed. Please try again." -#: mod/settings.php:493 +#: mod/settings.php:496 msgid " Please use a shorter name." msgstr " Please use a shorter name." -#: mod/settings.php:496 +#: mod/settings.php:499 msgid " Name too short." msgstr " Name too short." -#: mod/settings.php:504 +#: mod/settings.php:507 msgid "Wrong Password" msgstr "Wrong password" -#: mod/settings.php:509 +#: mod/settings.php:512 msgid "Invalid email." msgstr "Invalid email." -#: mod/settings.php:516 +#: mod/settings.php:519 msgid "Cannot change to that email." msgstr "Cannot change to that email." -#: mod/settings.php:569 +#: mod/settings.php:572 msgid "Private forum has no privacy permissions. Using default privacy group." msgstr "Private forum has no privacy permissions. Using default privacy group." -#: mod/settings.php:572 +#: mod/settings.php:575 msgid "Private forum has no privacy permissions and no default privacy group." msgstr "Private forum has no privacy permissions and no default privacy group." -#: mod/settings.php:612 +#: mod/settings.php:615 msgid "Settings updated." msgstr "Settings updated." -#: mod/settings.php:678 mod/settings.php:704 mod/settings.php:740 +#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 msgid "Add application" msgstr "Add application" -#: mod/settings.php:682 mod/settings.php:708 +#: mod/settings.php:678 mod/settings.php:704 msgid "Consumer Key" msgstr "Consumer key" -#: mod/settings.php:683 mod/settings.php:709 +#: mod/settings.php:679 mod/settings.php:705 msgid "Consumer Secret" msgstr "Consumer secret" -#: mod/settings.php:684 mod/settings.php:710 +#: mod/settings.php:680 mod/settings.php:706 msgid "Redirect" msgstr "Redirect" -#: mod/settings.php:685 mod/settings.php:711 +#: mod/settings.php:681 mod/settings.php:707 msgid "Icon url" msgstr "Icon URL" -#: mod/settings.php:696 +#: mod/settings.php:692 msgid "You can't edit this application." msgstr "You cannot edit this application." -#: mod/settings.php:739 +#: mod/settings.php:735 msgid "Connected Apps" msgstr "Connected Apps" -#: mod/settings.php:741 src/Object/Post.php:154 src/Object/Post.php:156 +#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 msgid "Edit" msgstr "Edit" -#: mod/settings.php:743 +#: mod/settings.php:739 msgid "Client key starts with" msgstr "Client key starts with" -#: mod/settings.php:744 +#: mod/settings.php:740 msgid "No name" msgstr "No name" -#: mod/settings.php:745 +#: mod/settings.php:741 msgid "Remove authorization" msgstr "Remove authorization" -#: mod/settings.php:756 +#: mod/settings.php:752 msgid "No Addon settings configured" msgstr "No addon settings configured" -#: mod/settings.php:765 +#: mod/settings.php:761 msgid "Addon Settings" msgstr "Addon settings" -#: mod/settings.php:786 +#: mod/settings.php:782 msgid "Additional Features" msgstr "Additional Features" -#: mod/settings.php:808 src/Content/ContactSelector.php:83 +#: mod/settings.php:805 src/Content/ContactSelector.php:83 msgid "Diaspora" msgstr "Diaspora" -#: mod/settings.php:808 mod/settings.php:809 +#: mod/settings.php:805 mod/settings.php:806 msgid "enabled" msgstr "enabled" -#: mod/settings.php:808 mod/settings.php:809 +#: mod/settings.php:805 mod/settings.php:806 msgid "disabled" msgstr "disabled" -#: mod/settings.php:808 mod/settings.php:809 +#: mod/settings.php:805 mod/settings.php:806 #, php-format msgid "Built-in support for %s connectivity is %s" msgstr "Built-in support for %s connectivity is %s" -#: mod/settings.php:809 +#: mod/settings.php:806 msgid "GNU Social (OStatus)" msgstr "GNU Social (OStatus)" -#: mod/settings.php:840 +#: mod/settings.php:837 msgid "Email access is disabled on this site." msgstr "Email access is disabled on this site." -#: mod/settings.php:850 +#: mod/settings.php:847 msgid "General Social Media Settings" msgstr "General Social Media Settings" -#: mod/settings.php:851 +#: mod/settings.php:848 +msgid "Disable Content Warning" +msgstr "Disable Content Warning" + +#: mod/settings.php:848 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "Users on networks like Mastodon or Pleroma can set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you set up later." + +#: mod/settings.php:849 msgid "Disable intelligent shortening" msgstr "Disable intelligent shortening" -#: mod/settings.php:851 +#: mod/settings.php:849 msgid "" "Normally the system tries to find the best link to add to shortened posts. " "If this option is enabled then every shortened post will always point to the" " original friendica post." msgstr "Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original Friendica post." -#: mod/settings.php:852 +#: mod/settings.php:850 msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" msgstr "Automatically follow any GNU Social (OStatus) followers/mentioners" -#: mod/settings.php:852 +#: mod/settings.php:850 msgid "" "If you receive a message from an unknown OStatus user, this option decides " "what to do. If it is checked, a new contact will be created for every " "unknown user." msgstr "Create a new contact for every unknown OStatus user from whom you receive a message." -#: mod/settings.php:853 +#: mod/settings.php:851 msgid "Default group for OStatus contacts" msgstr "Default group for OStatus contacts" -#: mod/settings.php:854 +#: mod/settings.php:852 msgid "Your legacy GNU Social account" msgstr "Your legacy GNU Social account" -#: mod/settings.php:854 +#: mod/settings.php:852 msgid "" "If you enter your old GNU Social/Statusnet account name here (in the format " "user@domain.tld), your contacts will be added automatically. The field will " "be emptied when done." msgstr "Entering your old GNU Social/Statusnet account name here (format: user@domain.tld), will automatically added your contacts. The field will be emptied when done." -#: mod/settings.php:857 +#: mod/settings.php:855 msgid "Repair OStatus subscriptions" msgstr "Repair OStatus subscriptions" -#: mod/settings.php:861 +#: mod/settings.php:859 msgid "Email/Mailbox Setup" msgstr "Email/Mailbox setup" -#: mod/settings.php:862 +#: mod/settings.php:860 msgid "" "If you wish to communicate with email contacts using this service " "(optional), please specify how to connect to your mailbox." msgstr "Specify how to connect to your mailbox, if you wish to communicate with existing email contacts." -#: mod/settings.php:863 +#: mod/settings.php:861 msgid "Last successful email check:" msgstr "Last successful email check:" -#: mod/settings.php:865 +#: mod/settings.php:863 msgid "IMAP server name:" msgstr "IMAP server name:" -#: mod/settings.php:866 +#: mod/settings.php:864 msgid "IMAP port:" msgstr "IMAP port:" -#: mod/settings.php:867 +#: mod/settings.php:865 msgid "Security:" msgstr "Security:" -#: mod/settings.php:867 mod/settings.php:872 +#: mod/settings.php:865 mod/settings.php:870 msgid "None" msgstr "None" -#: mod/settings.php:868 +#: mod/settings.php:866 msgid "Email login name:" msgstr "Email login name:" -#: mod/settings.php:869 +#: mod/settings.php:867 msgid "Email password:" msgstr "Email password:" -#: mod/settings.php:870 +#: mod/settings.php:868 msgid "Reply-to address:" msgstr "Reply-to address:" -#: mod/settings.php:871 +#: mod/settings.php:869 msgid "Send public posts to all email contacts:" msgstr "Send public posts to all email contacts:" -#: mod/settings.php:872 +#: mod/settings.php:870 msgid "Action after import:" msgstr "Action after import:" -#: mod/settings.php:872 src/Content/Nav.php:191 +#: mod/settings.php:870 src/Content/Nav.php:191 msgid "Mark as seen" msgstr "Mark as seen" -#: mod/settings.php:872 +#: mod/settings.php:870 msgid "Move to folder" msgstr "Move to folder" -#: mod/settings.php:873 +#: mod/settings.php:871 msgid "Move to folder:" msgstr "Move to folder:" -#: mod/settings.php:916 +#: mod/settings.php:914 #, php-format msgid "%s - (Unsupported)" msgstr "%s - (Unsupported)" -#: mod/settings.php:918 +#: mod/settings.php:916 #, php-format msgid "%s - (Experimental)" msgstr "%s - (Experimental)" -#: mod/settings.php:961 +#: mod/settings.php:959 msgid "Display Settings" msgstr "Display Settings" -#: mod/settings.php:967 mod/settings.php:991 +#: mod/settings.php:965 mod/settings.php:989 msgid "Display Theme:" msgstr "Display theme:" -#: mod/settings.php:968 +#: mod/settings.php:966 msgid "Mobile Theme:" msgstr "Mobile theme:" -#: mod/settings.php:969 +#: mod/settings.php:967 msgid "Suppress warning of insecure networks" msgstr "Suppress warning of insecure networks" -#: mod/settings.php:969 +#: mod/settings.php:967 msgid "" "Should the system suppress the warning that the current group contains " "members of networks that can't receive non public postings." msgstr "Suppresses warnings if groups contains members whose networks that cannot receive non-public postings." -#: mod/settings.php:970 +#: mod/settings.php:968 msgid "Update browser every xx seconds" msgstr "Update browser every so many seconds:" -#: mod/settings.php:970 +#: mod/settings.php:968 msgid "Minimum of 10 seconds. Enter -1 to disable it." msgstr "Minimum 10 seconds; to disable -1." -#: mod/settings.php:971 +#: mod/settings.php:969 msgid "Number of items to display per page:" msgstr "Number of items displayed per page:" -#: mod/settings.php:971 mod/settings.php:972 +#: mod/settings.php:969 mod/settings.php:970 msgid "Maximum of 100 items" msgstr "Maximum of 100 items" -#: mod/settings.php:972 +#: mod/settings.php:970 msgid "Number of items to display per page when viewed from mobile device:" msgstr "Number of items displayed per page on mobile devices:" -#: mod/settings.php:973 +#: mod/settings.php:971 msgid "Don't show emoticons" msgstr "Don't show emoticons" -#: mod/settings.php:974 +#: mod/settings.php:972 msgid "Calendar" msgstr "Calendar" -#: mod/settings.php:975 +#: mod/settings.php:973 msgid "Beginning of week:" msgstr "Week begins: " -#: mod/settings.php:976 +#: mod/settings.php:974 msgid "Don't show notices" msgstr "Don't show notices" -#: mod/settings.php:977 +#: mod/settings.php:975 msgid "Infinite scroll" msgstr "Infinite scroll" -#: mod/settings.php:978 +#: mod/settings.php:976 msgid "Automatic updates only at the top of the network page" msgstr "Automatically updates only top of the network page" -#: mod/settings.php:978 +#: mod/settings.php:976 msgid "" "When disabled, the network page is updated all the time, which could be " "confusing while reading." msgstr "When disabled, the network page is updated all the time, which could be confusing while reading." -#: mod/settings.php:979 +#: mod/settings.php:977 msgid "Bandwith Saver Mode" msgstr "Bandwith saving mode" -#: mod/settings.php:979 +#: mod/settings.php:977 msgid "" "When enabled, embedded content is not displayed on automatic updates, they " "only show on page reload." msgstr "If enabled, embedded content is not displayed on automatic updates; it is only shown on page reload." -#: mod/settings.php:980 +#: mod/settings.php:978 msgid "Smart Threading" msgstr "Smart threading" -#: mod/settings.php:980 +#: mod/settings.php:978 msgid "" "When enabled, suppress extraneous thread indentation while keeping it where " "it matters. Only works if threading is available and enabled." msgstr "Suppresses extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled." -#: mod/settings.php:982 +#: mod/settings.php:980 msgid "General Theme Settings" msgstr "Themes" -#: mod/settings.php:983 +#: mod/settings.php:981 msgid "Custom Theme Settings" msgstr "Theme customisation" -#: mod/settings.php:984 +#: mod/settings.php:982 msgid "Content Settings" msgstr "Content/Layout" -#: mod/settings.php:985 view/theme/duepuntozero/config.php:73 +#: mod/settings.php:983 view/theme/duepuntozero/config.php:73 #: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 #: view/theme/vier/config.php:121 msgid "Theme settings" msgstr "Theme settings" -#: mod/settings.php:1006 +#: mod/settings.php:1002 msgid "Unable to find your profile. Please contact your admin." msgstr "Unable to find your profile. Please contact your admin." -#: mod/settings.php:1048 +#: mod/settings.php:1044 msgid "Account Types" msgstr "Account types:" -#: mod/settings.php:1049 +#: mod/settings.php:1045 msgid "Personal Page Subtypes" msgstr "Personal Page subtypes" -#: mod/settings.php:1050 +#: mod/settings.php:1046 msgid "Community Forum Subtypes" msgstr "Community forum subtypes" -#: mod/settings.php:1057 +#: mod/settings.php:1053 msgid "Personal Page" msgstr "Personal Page" -#: mod/settings.php:1058 +#: mod/settings.php:1054 msgid "Account for a personal profile." msgstr "Account for a personal profile." -#: mod/settings.php:1061 +#: mod/settings.php:1057 msgid "Organisation Page" msgstr "Organisation Page" -#: mod/settings.php:1062 +#: mod/settings.php:1058 msgid "" "Account for an organisation that automatically approves contact requests as " "\"Followers\"." msgstr "Account for an organisation that automatically approves contact requests as \"Followers\"." -#: mod/settings.php:1065 +#: mod/settings.php:1061 msgid "News Page" msgstr "News Page" -#: mod/settings.php:1066 +#: mod/settings.php:1062 msgid "" "Account for a news reflector that automatically approves contact requests as" " \"Followers\"." msgstr "Account for a news reflector that automatically approves contact requests as \"Followers\"." -#: mod/settings.php:1069 +#: mod/settings.php:1065 msgid "Community Forum" msgstr "Community Forum" -#: mod/settings.php:1070 +#: mod/settings.php:1066 msgid "Account for community discussions." msgstr "Account for community discussions." -#: mod/settings.php:1073 +#: mod/settings.php:1069 msgid "Normal Account Page" msgstr "Standard" -#: mod/settings.php:1074 +#: mod/settings.php:1070 msgid "" "Account for a regular personal profile that requires manual approval of " "\"Friends\" and \"Followers\"." msgstr "Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"." -#: mod/settings.php:1077 +#: mod/settings.php:1073 msgid "Soapbox Page" msgstr "Soapbox" -#: mod/settings.php:1078 +#: mod/settings.php:1074 msgid "" "Account for a public profile that automatically approves contact requests as" " \"Followers\"." msgstr "Account for a public profile that automatically approves contact requests as \"Followers\"." -#: mod/settings.php:1081 +#: mod/settings.php:1077 msgid "Public Forum" msgstr "Public forum" -#: mod/settings.php:1082 +#: mod/settings.php:1078 msgid "Automatically approves all contact requests." msgstr "Automatically approves all contact requests." -#: mod/settings.php:1085 +#: mod/settings.php:1081 msgid "Automatic Friend Page" msgstr "Love-all" -#: mod/settings.php:1086 +#: mod/settings.php:1082 msgid "" "Account for a popular profile that automatically approves contact requests " "as \"Friends\"." msgstr "Account for a popular profile that automatically approves contact requests as \"Friends\"." -#: mod/settings.php:1089 +#: mod/settings.php:1085 msgid "Private Forum [Experimental]" msgstr "Private forum [Experimental]" -#: mod/settings.php:1090 +#: mod/settings.php:1086 msgid "Requires manual approval of contact requests." msgstr "Requires manual approval of contact requests." -#: mod/settings.php:1101 +#: mod/settings.php:1097 msgid "OpenID:" msgstr "OpenID:" -#: mod/settings.php:1101 +#: mod/settings.php:1097 msgid "(Optional) Allow this OpenID to login to this account." msgstr "(Optional) Allow this OpenID to login to this account." -#: mod/settings.php:1109 +#: mod/settings.php:1105 msgid "Publish your default profile in your local site directory?" msgstr "Publish default profile in local site directory?" -#: mod/settings.php:1109 +#: mod/settings.php:1105 #, php-format msgid "" "Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." msgstr "Your profile will be published in the global Friendica directories (e.g. %s). Your profile will be publicly visible." -#: mod/settings.php:1115 +#: mod/settings.php:1111 msgid "Publish your default profile in the global social directory?" msgstr "Publish default profile in global directory?" -#: mod/settings.php:1115 +#: mod/settings.php:1111 #, php-format msgid "" "Your profile will be published in this node's local " @@ -7131,583 +7278,339 @@ msgid "" " system settings." msgstr "Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings." -#: mod/settings.php:1122 +#: mod/settings.php:1118 msgid "Hide your contact/friend list from viewers of your default profile?" msgstr "Hide my contact list from others?" -#: mod/settings.php:1122 +#: mod/settings.php:1118 msgid "" "Your contact list won't be shown in your default profile page. You can " "decide to show your contact list separately for each additional profile you " "create" msgstr "Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create" -#: mod/settings.php:1126 +#: mod/settings.php:1122 msgid "Hide your profile details from anonymous viewers?" msgstr "Hide profile details from anonymous viewers?" -#: mod/settings.php:1126 +#: mod/settings.php:1122 msgid "" "Anonymous visitors will only see your profile picture, your display name and" " the nickname you are using on your profile page. Disables posting public " "messages to Diaspora and other networks." msgstr "Anonymous visitors will only see your profile picture, display name, and nickname. Disables posting public messages to Diaspora and other networks." -#: mod/settings.php:1130 +#: mod/settings.php:1126 msgid "Allow friends to post to your profile page?" msgstr "Allow friends to post to my wall?" -#: mod/settings.php:1130 +#: mod/settings.php:1126 msgid "" "Your contacts may write posts on your profile wall. These posts will be " "distributed to your contacts" msgstr "Your contacts may write posts on your profile wall. These posts will be distributed to your contacts" -#: mod/settings.php:1134 +#: mod/settings.php:1130 msgid "Allow friends to tag your posts?" msgstr "Allow friends to tag my post?" -#: mod/settings.php:1134 +#: mod/settings.php:1130 msgid "Your contacts can add additional tags to your posts." msgstr "Your contacts can add additional tags to your posts." -#: mod/settings.php:1138 +#: mod/settings.php:1134 msgid "Allow us to suggest you as a potential friend to new members?" msgstr "Allow us to suggest you as a potential friend to new members?" -#: mod/settings.php:1138 +#: mod/settings.php:1134 msgid "" "If you like, Friendica may suggest new members to add you as a contact." msgstr "If you like, Friendica may suggest new members to add you as a contact." -#: mod/settings.php:1142 +#: mod/settings.php:1138 msgid "Permit unknown people to send you private mail?" msgstr "Allow unknown people to send me private messages?" -#: mod/settings.php:1142 +#: mod/settings.php:1138 msgid "" "Friendica network users may send you private messages even if they are not " "in your contact list." msgstr "Friendica network users may send you private messages even if they are not in your contact list." -#: mod/settings.php:1146 +#: mod/settings.php:1142 msgid "Profile is not published." msgstr "Profile is not published." -#: mod/settings.php:1152 +#: mod/settings.php:1148 #, php-format msgid "Your Identity Address is '%s' or '%s'." msgstr "My identity address: '%s' or '%s'" -#: mod/settings.php:1159 +#: mod/settings.php:1155 msgid "Automatically expire posts after this many days:" msgstr "Automatically expire posts after this many days:" -#: mod/settings.php:1159 +#: mod/settings.php:1155 msgid "If empty, posts will not expire. Expired posts will be deleted" msgstr "Posts will not expire if empty; expired posts will be deleted" -#: mod/settings.php:1160 +#: mod/settings.php:1156 msgid "Advanced expiration settings" msgstr "Advanced expiration settings" -#: mod/settings.php:1161 +#: mod/settings.php:1157 msgid "Advanced Expiration" msgstr "Advanced expiration" -#: mod/settings.php:1162 +#: mod/settings.php:1158 msgid "Expire posts:" msgstr "Expire posts:" -#: mod/settings.php:1163 +#: mod/settings.php:1159 msgid "Expire personal notes:" msgstr "Expire personal notes:" -#: mod/settings.php:1164 +#: mod/settings.php:1160 msgid "Expire starred posts:" msgstr "Expire starred posts:" -#: mod/settings.php:1165 +#: mod/settings.php:1161 msgid "Expire photos:" msgstr "Expire photos:" -#: mod/settings.php:1166 +#: mod/settings.php:1162 msgid "Only expire posts by others:" msgstr "Only expire posts by others:" -#: mod/settings.php:1196 +#: mod/settings.php:1192 msgid "Account Settings" msgstr "Account Settings" -#: mod/settings.php:1204 +#: mod/settings.php:1200 msgid "Password Settings" msgstr "Password change" -#: mod/settings.php:1206 +#: mod/settings.php:1202 msgid "Leave password fields blank unless changing" msgstr "Leave password fields blank unless changing" -#: mod/settings.php:1207 +#: mod/settings.php:1203 msgid "Current Password:" msgstr "Current password:" -#: mod/settings.php:1207 mod/settings.php:1208 +#: mod/settings.php:1203 mod/settings.php:1204 msgid "Your current password to confirm the changes" msgstr "Current password to confirm change" -#: mod/settings.php:1208 +#: mod/settings.php:1204 msgid "Password:" msgstr "Password:" -#: mod/settings.php:1212 +#: mod/settings.php:1208 msgid "Basic Settings" msgstr "Basic information" -#: mod/settings.php:1213 src/Model/Profile.php:738 +#: mod/settings.php:1209 src/Model/Profile.php:738 msgid "Full Name:" msgstr "Full name:" -#: mod/settings.php:1214 +#: mod/settings.php:1210 msgid "Email Address:" msgstr "Email address:" -#: mod/settings.php:1215 +#: mod/settings.php:1211 msgid "Your Timezone:" msgstr "Time zone:" -#: mod/settings.php:1216 +#: mod/settings.php:1212 msgid "Your Language:" msgstr "Language:" -#: mod/settings.php:1216 +#: mod/settings.php:1212 msgid "" "Set the language we use to show you friendica interface and to send you " "emails" msgstr "Set the language of your Friendica interface and emails receiving" -#: mod/settings.php:1217 +#: mod/settings.php:1213 msgid "Default Post Location:" msgstr "Posting location:" -#: mod/settings.php:1218 +#: mod/settings.php:1214 msgid "Use Browser Location:" msgstr "Use browser location:" -#: mod/settings.php:1221 +#: mod/settings.php:1217 msgid "Security and Privacy Settings" msgstr "Security and privacy" -#: mod/settings.php:1223 +#: mod/settings.php:1219 msgid "Maximum Friend Requests/Day:" msgstr "Maximum friend requests per day:" -#: mod/settings.php:1223 mod/settings.php:1252 +#: mod/settings.php:1219 mod/settings.php:1248 msgid "(to prevent spam abuse)" msgstr "May prevent spam or abuse registrations" -#: mod/settings.php:1224 +#: mod/settings.php:1220 msgid "Default Post Permissions" msgstr "Default post permissions" -#: mod/settings.php:1225 +#: mod/settings.php:1221 msgid "(click to open/close)" msgstr "(click to open/close)" -#: mod/settings.php:1235 +#: mod/settings.php:1231 msgid "Default Private Post" msgstr "Default private post" -#: mod/settings.php:1236 +#: mod/settings.php:1232 msgid "Default Public Post" msgstr "Default public post" -#: mod/settings.php:1240 +#: mod/settings.php:1236 msgid "Default Permissions for New Posts" msgstr "Default permissions for new posts" -#: mod/settings.php:1252 +#: mod/settings.php:1248 msgid "Maximum private messages per day from unknown people:" msgstr "Maximum private messages per day from unknown people:" -#: mod/settings.php:1255 +#: mod/settings.php:1251 msgid "Notification Settings" msgstr "Notification" -#: mod/settings.php:1256 +#: mod/settings.php:1252 msgid "By default post a status message when:" msgstr "By default post a status message when:" -#: mod/settings.php:1257 +#: mod/settings.php:1253 msgid "accepting a friend request" msgstr "accepting friend requests" -#: mod/settings.php:1258 +#: mod/settings.php:1254 msgid "joining a forum/community" msgstr "joining forums or communities" -#: mod/settings.php:1259 +#: mod/settings.php:1255 msgid "making an interesting profile change" msgstr "making an interesting profile change" -#: mod/settings.php:1260 +#: mod/settings.php:1256 msgid "Send a notification email when:" msgstr "Send notification email when:" -#: mod/settings.php:1261 +#: mod/settings.php:1257 msgid "You receive an introduction" msgstr "Receiving an introduction" -#: mod/settings.php:1262 +#: mod/settings.php:1258 msgid "Your introductions are confirmed" msgstr "My introductions are confirmed" -#: mod/settings.php:1263 +#: mod/settings.php:1259 msgid "Someone writes on your profile wall" msgstr "Someone writes on my wall" -#: mod/settings.php:1264 +#: mod/settings.php:1260 msgid "Someone writes a followup comment" msgstr "A follow up comment is posted" -#: mod/settings.php:1265 +#: mod/settings.php:1261 msgid "You receive a private message" msgstr "receiving a private message" -#: mod/settings.php:1266 +#: mod/settings.php:1262 msgid "You receive a friend suggestion" msgstr "Receiving a friend suggestion" -#: mod/settings.php:1267 +#: mod/settings.php:1263 msgid "You are tagged in a post" msgstr "Tagged in a post" -#: mod/settings.php:1268 +#: mod/settings.php:1264 msgid "You are poked/prodded/etc. in a post" msgstr "Poked in a post" -#: mod/settings.php:1270 +#: mod/settings.php:1266 msgid "Activate desktop notifications" msgstr "Activate desktop notifications" -#: mod/settings.php:1270 +#: mod/settings.php:1266 msgid "Show desktop popup on new notifications" msgstr "Show desktop pop-up on new notifications" -#: mod/settings.php:1272 +#: mod/settings.php:1268 msgid "Text-only notification emails" msgstr "Text-only notification emails" -#: mod/settings.php:1274 +#: mod/settings.php:1270 msgid "Send text only notification emails, without the html part" msgstr "Receive text only emails without HTML " -#: mod/settings.php:1276 +#: mod/settings.php:1272 msgid "Show detailled notifications" msgstr "Show detailled notifications" -#: mod/settings.php:1278 +#: mod/settings.php:1274 msgid "" -"Per default the notificiation are condensed to a single notification per " -"item. When enabled, every notification is displayed." -msgstr "Per default notifications are condensed to a single notification per item. When enabled, every notification is displayed." +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "By default, notifications are condensed into a single notification for each item. When enabled, every notification is displayed." -#: mod/settings.php:1280 +#: mod/settings.php:1276 msgid "Advanced Account/Page Type Settings" msgstr "Advanced account types" -#: mod/settings.php:1281 +#: mod/settings.php:1277 msgid "Change the behaviour of this account for special situations" msgstr "Change behaviour of this account for special situations" -#: mod/settings.php:1284 +#: mod/settings.php:1280 msgid "Relocate" msgstr "Recent relocation" -#: mod/settings.php:1285 +#: mod/settings.php:1281 msgid "" "If you have moved this profile from another server, and some of your " "contacts don't receive your updates, try pushing this button." msgstr "If you have moved this profile from another server and some of your contacts don't receive your updates:" -#: mod/settings.php:1286 +#: mod/settings.php:1282 msgid "Resend relocate message to contacts" msgstr "Resend relocation message to contacts" -#: mod/videos.php:140 -msgid "Do you really want to delete this video?" -msgstr "Do you really want to delete this video?" - -#: mod/videos.php:145 -msgid "Delete Video" -msgstr "Delete video" - -#: mod/videos.php:208 -msgid "No videos selected" -msgstr "No videos selected" - -#: mod/videos.php:397 -msgid "Recent Videos" -msgstr "Recent videos" - -#: mod/videos.php:399 -msgid "Upload New Videos" -msgstr "Upload new videos" - -#: view/theme/duepuntozero/config.php:54 src/Model/User.php:475 -msgid "default" -msgstr "default" - -#: view/theme/duepuntozero/config.php:55 -msgid "greenzero" -msgstr "greenzero" - -#: view/theme/duepuntozero/config.php:56 -msgid "purplezero" -msgstr "purplezero" - -#: view/theme/duepuntozero/config.php:57 -msgid "easterbunny" -msgstr "easterbunny" - -#: view/theme/duepuntozero/config.php:58 -msgid "darkzero" -msgstr "darkzero" - -#: view/theme/duepuntozero/config.php:59 -msgid "comix" -msgstr "comix" - -#: view/theme/duepuntozero/config.php:60 -msgid "slackr" -msgstr "slackr" - -#: view/theme/duepuntozero/config.php:74 -msgid "Variations" -msgstr "Variations" - -#: view/theme/frio/php/Image.php:25 -msgid "Repeat the image" -msgstr "Repeat the image" - -#: view/theme/frio/php/Image.php:25 -msgid "Will repeat your image to fill the background." -msgstr "Will repeat your image to fill the background." - -#: view/theme/frio/php/Image.php:27 -msgid "Stretch" -msgstr "Stretch" - -#: view/theme/frio/php/Image.php:27 -msgid "Will stretch to width/height of the image." -msgstr "Will stretch to width/height of the image." - -#: view/theme/frio/php/Image.php:29 -msgid "Resize fill and-clip" -msgstr "Resize fill and-clip" - -#: view/theme/frio/php/Image.php:29 -msgid "Resize to fill and retain aspect ratio." -msgstr "Resize to fill and retain aspect ratio." - -#: view/theme/frio/php/Image.php:31 -msgid "Resize best fit" -msgstr "Resize to best fit" - -#: view/theme/frio/php/Image.php:31 -msgid "Resize to best fit and retain aspect ratio." -msgstr "Resize to best fit and retain aspect ratio." - -#: view/theme/frio/config.php:97 -msgid "Default" -msgstr "Default" - -#: view/theme/frio/config.php:109 -msgid "Note" -msgstr "Note" - -#: view/theme/frio/config.php:109 -msgid "Check image permissions if all users are allowed to visit the image" -msgstr "Check image permissions if all users are allowed to visit the image" - -#: view/theme/frio/config.php:116 -msgid "Select scheme" -msgstr "Select scheme:" - -#: view/theme/frio/config.php:117 -msgid "Navigation bar background color" -msgstr "Navigation bar background colour:" - -#: view/theme/frio/config.php:118 -msgid "Navigation bar icon color " -msgstr "Navigation bar icon colour:" - -#: view/theme/frio/config.php:119 -msgid "Link color" -msgstr "Link colour:" - -#: view/theme/frio/config.php:120 -msgid "Set the background color" -msgstr "Background colour:" - -#: view/theme/frio/config.php:121 -msgid "Content background opacity" -msgstr "Content background opacity" - -#: view/theme/frio/config.php:122 -msgid "Set the background image" -msgstr "Background image:" - -#: view/theme/frio/config.php:127 -msgid "Login page background image" -msgstr "Login page background image" - -#: view/theme/frio/config.php:130 -msgid "Login page background color" -msgstr "Login page background colour" - -#: view/theme/frio/config.php:130 -msgid "Leave background image and color empty for theme defaults" -msgstr "Leave background image and colour empty for theme defaults" - -#: view/theme/frio/theme.php:238 -msgid "Guest" -msgstr "Guest" - -#: view/theme/frio/theme.php:243 -msgid "Visitor" -msgstr "Visitor" - -#: view/theme/frio/theme.php:256 src/Content/Nav.php:97 -#: src/Module/Login.php:311 -msgid "Logout" -msgstr "Logout" - -#: view/theme/frio/theme.php:256 src/Content/Nav.php:97 -msgid "End this session" -msgstr "End this session" - -#: view/theme/frio/theme.php:259 src/Content/Nav.php:100 -#: src/Content/Nav.php:181 -msgid "Your posts and conversations" -msgstr "My posts and conversations" - -#: view/theme/frio/theme.php:260 src/Content/Nav.php:101 -msgid "Your profile page" -msgstr "My profile page" - -#: view/theme/frio/theme.php:261 src/Content/Nav.php:102 -msgid "Your photos" -msgstr "My photos" - -#: view/theme/frio/theme.php:262 src/Content/Nav.php:103 -#: src/Model/Profile.php:912 src/Model/Profile.php:915 -msgid "Videos" -msgstr "Videos" - -#: view/theme/frio/theme.php:262 src/Content/Nav.php:103 -msgid "Your videos" -msgstr "My videos" - -#: view/theme/frio/theme.php:263 src/Content/Nav.php:104 -msgid "Your events" -msgstr "My events" - -#: view/theme/frio/theme.php:266 src/Content/Nav.php:178 -msgid "Conversations from your friends" -msgstr "My friends' conversations" - -#: view/theme/frio/theme.php:267 src/Content/Nav.php:169 -#: src/Model/Profile.php:927 src/Model/Profile.php:938 -msgid "Events and Calendar" -msgstr "Events and calendar" - -#: view/theme/frio/theme.php:268 src/Content/Nav.php:195 -msgid "Private mail" -msgstr "Private messages" - -#: view/theme/frio/theme.php:269 src/Content/Nav.php:206 -msgid "Account settings" -msgstr "Account settings" - -#: view/theme/frio/theme.php:270 src/Content/Nav.php:212 -msgid "Manage/edit friends and contacts" -msgstr "Manage/Edit friends and contacts" - -#: view/theme/quattro/config.php:76 -msgid "Alignment" -msgstr "Alignment" - -#: view/theme/quattro/config.php:76 -msgid "Left" -msgstr "Left" - -#: view/theme/quattro/config.php:76 -msgid "Center" -msgstr "Centre" - -#: view/theme/quattro/config.php:77 -msgid "Color scheme" -msgstr "Colour scheme" - -#: view/theme/quattro/config.php:78 -msgid "Posts font size" -msgstr "Posts font size" - -#: view/theme/quattro/config.php:79 -msgid "Textareas font size" -msgstr "Text areas font size" - -#: view/theme/vier/config.php:75 -msgid "Comma separated list of helper forums" -msgstr "Comma separated list of helper forums" - -#: view/theme/vier/config.php:122 -msgid "Set style" -msgstr "Set style" - -#: view/theme/vier/config.php:123 -msgid "Community Pages" -msgstr "Community pages" - -#: view/theme/vier/config.php:124 view/theme/vier/theme.php:150 -msgid "Community Profiles" -msgstr "Community profiles" - -#: view/theme/vier/config.php:125 -msgid "Help or @NewHere ?" -msgstr "Help or @NewHere ?" - -#: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 -msgid "Connect Services" -msgstr "Connect services" - -#: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 -msgid "Find Friends" -msgstr "Find friends" - -#: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 -msgid "Last users" -msgstr "Last users" - -#: view/theme/vier/theme.php:200 -msgid "Local Directory" -msgstr "Local directory" - -#: view/theme/vier/theme.php:202 src/Content/Widget.php:65 -msgid "Similar Interests" -msgstr "Similar interests" - -#: view/theme/vier/theme.php:204 src/Content/Widget.php:67 -msgid "Invite Friends" -msgstr "Invite friends" - -#: view/theme/vier/theme.php:256 src/Content/ForumManager.php:127 -msgid "External link to forum" -msgstr "External link to forum" - -#: view/theme/vier/theme.php:292 -msgid "Quick Start" -msgstr "Quick start" +#: src/Core/UserImport.php:104 +msgid "Error decoding account file" +msgstr "Error decoding account file" + +#: src/Core/UserImport.php:110 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Error! No version data in file! Is this a Friendica account file?" + +#: src/Core/UserImport.php:118 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "User '%s' already exists on this server!" + +#: src/Core/UserImport.php:151 +msgid "User creation error" +msgstr "User creation error" + +#: src/Core/UserImport.php:169 +msgid "User profile creation error" +msgstr "User profile creation error" + +#: src/Core/UserImport.php:213 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d contact not imported" +msgstr[1] "%d contacts not imported" + +#: src/Core/UserImport.php:278 +msgid "Done. You can now login with your username and password" +msgstr "Done. You can now login with your username and password" #: src/Core/NotificationsManager.php:171 msgid "System" @@ -7762,49 +7665,46 @@ msgstr "%s may go to %s's event" msgid "%s is now friends with %s" msgstr "%s is now friends with %s" -#: src/Core/NotificationsManager.php:813 +#: src/Core/NotificationsManager.php:825 msgid "Friend Suggestion" msgstr "Friend suggestion" -#: src/Core/NotificationsManager.php:839 +#: src/Core/NotificationsManager.php:851 msgid "Friend/Connect Request" msgstr "Friend/Contact request" -#: src/Core/NotificationsManager.php:839 +#: src/Core/NotificationsManager.php:851 msgid "New Follower" msgstr "New follower" -#: src/Core/UserImport.php:104 -msgid "Error decoding account file" -msgstr "Error decoding account file" +#: src/Core/ACL.php:295 +msgid "Post to Email" +msgstr "Post to email" -#: src/Core/UserImport.php:110 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Error! No version data in file! Is this a Friendica account file?" +#: src/Core/ACL.php:301 +msgid "Hide your profile details from unknown viewers?" +msgstr "Hide profile details from unknown viewers?" -#: src/Core/UserImport.php:118 +#: src/Core/ACL.php:300 #, php-format -msgid "User '%s' already exists on this server!" -msgstr "User '%s' already exists on this server!" +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Connectors are disabled since \"%s\" is enabled." -#: src/Core/UserImport.php:151 -msgid "User creation error" -msgstr "User creation error" +#: src/Core/ACL.php:307 +msgid "Visible to everybody" +msgstr "Visible to everybody" -#: src/Core/UserImport.php:169 -msgid "User profile creation error" -msgstr "User profile creation error" +#: src/Core/ACL.php:308 view/theme/vier/config.php:115 +msgid "show" +msgstr "show" -#: src/Core/UserImport.php:213 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d contact not imported" -msgstr[1] "%d contacts not imported" +#: src/Core/ACL.php:309 view/theme/vier/config.php:115 +msgid "don't show" +msgstr "don't show" -#: src/Core/UserImport.php:278 -msgid "Done. You can now login with your username and password" -msgstr "Done. You can now login with your username and password" +#: src/Core/ACL.php:319 +msgid "Close" +msgstr "Close" #: src/Util/Temporal.php:147 src/Model/Profile.php:758 msgid "Birthday:" @@ -7871,343 +7771,39 @@ msgstr "seconds" msgid "%1$d %2$s ago" msgstr "%1$d %2$s ago" -#: src/Content/Text/BBCode.php:547 +#: src/Content/Text/BBCode.php:555 msgid "view full size" msgstr "view full size" -#: src/Content/Text/BBCode.php:1000 src/Content/Text/BBCode.php:1761 -#: src/Content/Text/BBCode.php:1762 +#: src/Content/Text/BBCode.php:981 src/Content/Text/BBCode.php:1750 +#: src/Content/Text/BBCode.php:1751 msgid "Image/photo" msgstr "Image/Photo" -#: src/Content/Text/BBCode.php:1138 +#: src/Content/Text/BBCode.php:1119 #, php-format msgid "%2$s %3$s" msgstr "%2$s %3$s" -#: src/Content/Text/BBCode.php:1696 src/Content/Text/BBCode.php:1718 +#: src/Content/Text/BBCode.php:1677 src/Content/Text/BBCode.php:1699 msgid "$1 wrote:" msgstr "$1 wrote:" -#: src/Content/Text/BBCode.php:1770 src/Content/Text/BBCode.php:1771 +#: src/Content/Text/BBCode.php:1759 src/Content/Text/BBCode.php:1760 msgid "Encrypted content" msgstr "Encrypted content" -#: src/Content/Text/BBCode.php:1888 +#: src/Content/Text/BBCode.php:1879 msgid "Invalid source protocol" msgstr "Invalid source protocol" -#: src/Content/Text/BBCode.php:1899 +#: src/Content/Text/BBCode.php:1890 msgid "Invalid link protocol" msgstr "Invalid link protocol" -#: src/Content/ContactSelector.php:55 -msgid "Frequently" -msgstr "Frequently" - -#: src/Content/ContactSelector.php:56 -msgid "Hourly" -msgstr "Hourly" - -#: src/Content/ContactSelector.php:57 -msgid "Twice daily" -msgstr "Twice daily" - -#: src/Content/ContactSelector.php:58 -msgid "Daily" -msgstr "Daily" - -#: src/Content/ContactSelector.php:59 -msgid "Weekly" -msgstr "Weekly" - -#: src/Content/ContactSelector.php:60 -msgid "Monthly" -msgstr "Monthly" - -#: src/Content/ContactSelector.php:80 -msgid "OStatus" -msgstr "OStatus" - -#: src/Content/ContactSelector.php:81 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: src/Content/ContactSelector.php:84 -msgid "Facebook" -msgstr "Facebook" - -#: src/Content/ContactSelector.php:85 -msgid "Zot!" -msgstr "Zot!" - -#: src/Content/ContactSelector.php:86 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: src/Content/ContactSelector.php:87 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: src/Content/ContactSelector.php:88 -msgid "MySpace" -msgstr "MySpace" - -#: src/Content/ContactSelector.php:89 -msgid "Google+" -msgstr "Google+" - -#: src/Content/ContactSelector.php:90 -msgid "pump.io" -msgstr "Pump.io" - -#: src/Content/ContactSelector.php:91 -msgid "Twitter" -msgstr "Twitter" - -#: src/Content/ContactSelector.php:92 -msgid "Diaspora Connector" -msgstr "Diaspora connector" - -#: src/Content/ContactSelector.php:93 -msgid "GNU Social Connector" -msgstr "GNU Social connector" - -#: src/Content/ContactSelector.php:94 -msgid "pnut" -msgstr "Pnut" - -#: src/Content/ContactSelector.php:95 -msgid "App.net" -msgstr "App.net" - -#: src/Content/ContactSelector.php:125 -msgid "Male" -msgstr "Male" - -#: src/Content/ContactSelector.php:125 -msgid "Female" -msgstr "Female" - -#: src/Content/ContactSelector.php:125 -msgid "Currently Male" -msgstr "Currently Male" - -#: src/Content/ContactSelector.php:125 -msgid "Currently Female" -msgstr "Currently Female" - -#: src/Content/ContactSelector.php:125 -msgid "Mostly Male" -msgstr "Mostly Male" - -#: src/Content/ContactSelector.php:125 -msgid "Mostly Female" -msgstr "Mostly Female" - -#: src/Content/ContactSelector.php:125 -msgid "Transgender" -msgstr "Transgender" - -#: src/Content/ContactSelector.php:125 -msgid "Intersex" -msgstr "Intersex" - -#: src/Content/ContactSelector.php:125 -msgid "Transsexual" -msgstr "Transsexual" - -#: src/Content/ContactSelector.php:125 -msgid "Hermaphrodite" -msgstr "Hermaphrodite" - -#: src/Content/ContactSelector.php:125 -msgid "Neuter" -msgstr "Neuter" - -#: src/Content/ContactSelector.php:125 -msgid "Non-specific" -msgstr "Non-specific" - -#: src/Content/ContactSelector.php:125 -msgid "Other" -msgstr "Other" - -#: src/Content/ContactSelector.php:147 -msgid "Males" -msgstr "Males" - -#: src/Content/ContactSelector.php:147 -msgid "Females" -msgstr "Females" - -#: src/Content/ContactSelector.php:147 -msgid "Gay" -msgstr "Gay" - -#: src/Content/ContactSelector.php:147 -msgid "Lesbian" -msgstr "Lesbian" - -#: src/Content/ContactSelector.php:147 -msgid "No Preference" -msgstr "No Preference" - -#: src/Content/ContactSelector.php:147 -msgid "Bisexual" -msgstr "Bisexual" - -#: src/Content/ContactSelector.php:147 -msgid "Autosexual" -msgstr "Auto-sexual" - -#: src/Content/ContactSelector.php:147 -msgid "Abstinent" -msgstr "Abstinent" - -#: src/Content/ContactSelector.php:147 -msgid "Virgin" -msgstr "Virgin" - -#: src/Content/ContactSelector.php:147 -msgid "Deviant" -msgstr "Deviant" - -#: src/Content/ContactSelector.php:147 -msgid "Fetish" -msgstr "Fetish" - -#: src/Content/ContactSelector.php:147 -msgid "Oodles" -msgstr "Oodles" - -#: src/Content/ContactSelector.php:147 -msgid "Nonsexual" -msgstr "Asexual" - -#: src/Content/ContactSelector.php:169 -msgid "Single" -msgstr "Single" - -#: src/Content/ContactSelector.php:169 -msgid "Lonely" -msgstr "Lonely" - -#: src/Content/ContactSelector.php:169 -msgid "Available" -msgstr "Available" - -#: src/Content/ContactSelector.php:169 -msgid "Unavailable" -msgstr "Unavailable" - -#: src/Content/ContactSelector.php:169 -msgid "Has crush" -msgstr "Having a crush" - -#: src/Content/ContactSelector.php:169 -msgid "Infatuated" -msgstr "Infatuated" - -#: src/Content/ContactSelector.php:169 -msgid "Dating" -msgstr "Dating" - -#: src/Content/ContactSelector.php:169 -msgid "Unfaithful" -msgstr "Unfaithful" - -#: src/Content/ContactSelector.php:169 -msgid "Sex Addict" -msgstr "Sex addict" - -#: src/Content/ContactSelector.php:169 src/Model/User.php:492 -msgid "Friends" -msgstr "Friends" - -#: src/Content/ContactSelector.php:169 -msgid "Friends/Benefits" -msgstr "Friends with benefits" - -#: src/Content/ContactSelector.php:169 -msgid "Casual" -msgstr "Casual" - -#: src/Content/ContactSelector.php:169 -msgid "Engaged" -msgstr "Engaged" - -#: src/Content/ContactSelector.php:169 -msgid "Married" -msgstr "Married" - -#: src/Content/ContactSelector.php:169 -msgid "Imaginarily married" -msgstr "Imaginarily married" - -#: src/Content/ContactSelector.php:169 -msgid "Partners" -msgstr "Partners" - -#: src/Content/ContactSelector.php:169 -msgid "Cohabiting" -msgstr "Cohabiting" - -#: src/Content/ContactSelector.php:169 -msgid "Common law" -msgstr "Common law spouse" - -#: src/Content/ContactSelector.php:169 -msgid "Happy" -msgstr "Happy" - -#: src/Content/ContactSelector.php:169 -msgid "Not looking" -msgstr "Not looking" - -#: src/Content/ContactSelector.php:169 -msgid "Swinger" -msgstr "Swinger" - -#: src/Content/ContactSelector.php:169 -msgid "Betrayed" -msgstr "Betrayed" - -#: src/Content/ContactSelector.php:169 -msgid "Separated" -msgstr "Separated" - -#: src/Content/ContactSelector.php:169 -msgid "Unstable" -msgstr "Unstable" - -#: src/Content/ContactSelector.php:169 -msgid "Divorced" -msgstr "Divorced" - -#: src/Content/ContactSelector.php:169 -msgid "Imaginarily divorced" -msgstr "Imaginarily divorced" - -#: src/Content/ContactSelector.php:169 -msgid "Widowed" -msgstr "Widowed" - -#: src/Content/ContactSelector.php:169 -msgid "Uncertain" -msgstr "Uncertain" - -#: src/Content/ContactSelector.php:169 -msgid "It's complicated" -msgstr "It's complicated" - -#: src/Content/ContactSelector.php:169 -msgid "Don't care" -msgstr "Don't care" - -#: src/Content/ContactSelector.php:169 -msgid "Ask me" -msgstr "Ask me" +#: src/Content/ForumManager.php:127 view/theme/vier/theme.php:256 +msgid "External link to forum" +msgstr "External link to forum" #: src/Content/Nav.php:53 msgid "Nothing new here" @@ -8217,6 +7813,41 @@ msgstr "Nothing new here" msgid "Clear notifications" msgstr "Clear notifications" +#: src/Content/Nav.php:97 src/Module/Login.php:311 +#: view/theme/frio/theme.php:256 +msgid "Logout" +msgstr "Logout" + +#: src/Content/Nav.php:97 view/theme/frio/theme.php:256 +msgid "End this session" +msgstr "End this session" + +#: src/Content/Nav.php:100 src/Content/Nav.php:181 +#: view/theme/frio/theme.php:259 +msgid "Your posts and conversations" +msgstr "My posts and conversations" + +#: src/Content/Nav.php:101 view/theme/frio/theme.php:260 +msgid "Your profile page" +msgstr "My profile page" + +#: src/Content/Nav.php:102 view/theme/frio/theme.php:261 +msgid "Your photos" +msgstr "My photos" + +#: src/Content/Nav.php:103 src/Model/Profile.php:912 src/Model/Profile.php:915 +#: view/theme/frio/theme.php:262 +msgid "Videos" +msgstr "Videos" + +#: src/Content/Nav.php:103 view/theme/frio/theme.php:262 +msgid "Your videos" +msgstr "My videos" + +#: src/Content/Nav.php:104 view/theme/frio/theme.php:263 +msgid "Your events" +msgstr "My events" + #: src/Content/Nav.php:105 msgid "Personal notes" msgstr "Personal notes" @@ -8261,6 +7892,11 @@ msgstr "Community" msgid "Conversations on this and other servers" msgstr "Conversations on this and other servers" +#: src/Content/Nav.php:169 src/Model/Profile.php:927 src/Model/Profile.php:938 +#: view/theme/frio/theme.php:267 +msgid "Events and Calendar" +msgstr "Events and calendar" + #: src/Content/Nav.php:172 msgid "Directory" msgstr "Directory" @@ -8273,6 +7909,10 @@ msgstr "People directory" msgid "Information about this friendica instance" msgstr "Information about this Friendica instance" +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 +msgid "Conversations from your friends" +msgstr "My friends' conversations" + #: src/Content/Nav.php:179 msgid "Network Reset" msgstr "Network reset" @@ -8293,6 +7933,10 @@ msgstr "See all notifications" msgid "Mark all system notifications seen" msgstr "Mark all system notifications seen" +#: src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Private mail" +msgstr "Private messages" + #: src/Content/Nav.php:196 msgid "Inbox" msgstr "Inbox" @@ -8309,6 +7953,10 @@ msgstr "Manage" msgid "Manage other pages" msgstr "Manage other pages" +#: src/Content/Nav.php:206 view/theme/frio/theme.php:269 +msgid "Account settings" +msgstr "Account settings" + #: src/Content/Nav.php:209 src/Model/Profile.php:372 msgid "Profiles" msgstr "Profiles" @@ -8317,6 +7965,10 @@ msgstr "Profiles" msgid "Manage/Edit Profiles" msgstr "Manage/Edit profiles" +#: src/Content/Nav.php:212 view/theme/frio/theme.php:270 +msgid "Manage/edit friends and contacts" +msgstr "Manage/Edit friends and contacts" + #: src/Content/Nav.php:217 msgid "Site setup and configuration" msgstr "Site setup and configuration" @@ -8329,6 +7981,26 @@ msgstr "Navigation" msgid "Site map" msgstr "Site map" +#: src/Content/OEmbed.php:253 +msgid "Embedding disabled" +msgstr "Embedding disabled" + +#: src/Content/OEmbed.php:373 +msgid "Embedded content" +msgstr "Embedded content" + +#: src/Content/Widget/CalendarExport.php:61 +msgid "Export" +msgstr "Export" + +#: src/Content/Widget/CalendarExport.php:62 +msgid "Export calendar as ical" +msgstr "Export calendar as ical" + +#: src/Content/Widget/CalendarExport.php:63 +msgid "Export calendar as csv" +msgstr "Export calendar as csv" + #: src/Content/Feature.php:79 msgid "General Features" msgstr "General" @@ -8540,14 +8212,6 @@ msgstr "Display membership date" msgid "Display membership date in profile" msgstr "Display membership date in profile" -#: src/Content/OEmbed.php:253 -msgid "Embedding disabled" -msgstr "Embedding disabled" - -#: src/Content/OEmbed.php:373 -msgid "Embedded content" -msgstr "Embedded content" - #: src/Content/Widget.php:33 msgid "Add New Contact" msgstr "Add new contact" @@ -8579,10 +8243,18 @@ msgstr "Enter name or interest" msgid "Examples: Robert Morgenstein, Fishing" msgstr "Examples: Robert Morgenstein, fishing" +#: src/Content/Widget.php:65 view/theme/vier/theme.php:202 +msgid "Similar Interests" +msgstr "Similar interests" + #: src/Content/Widget.php:66 msgid "Random Profile" msgstr "Random profile" +#: src/Content/Widget.php:67 view/theme/vier/theme.php:204 +msgid "Invite Friends" +msgstr "Invite friends" + #: src/Content/Widget.php:68 msgid "View Global Directory" msgstr "View global directory" @@ -8610,6 +8282,314 @@ msgid_plural "%d contacts in common" msgstr[0] "%d contact in common" msgstr[1] "%d contacts in common" +#: src/Content/ContactSelector.php:55 +msgid "Frequently" +msgstr "Frequently" + +#: src/Content/ContactSelector.php:56 +msgid "Hourly" +msgstr "Hourly" + +#: src/Content/ContactSelector.php:57 +msgid "Twice daily" +msgstr "Twice daily" + +#: src/Content/ContactSelector.php:58 +msgid "Daily" +msgstr "Daily" + +#: src/Content/ContactSelector.php:59 +msgid "Weekly" +msgstr "Weekly" + +#: src/Content/ContactSelector.php:60 +msgid "Monthly" +msgstr "Monthly" + +#: src/Content/ContactSelector.php:80 +msgid "OStatus" +msgstr "OStatus" + +#: src/Content/ContactSelector.php:81 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: src/Content/ContactSelector.php:84 +msgid "Facebook" +msgstr "Facebook" + +#: src/Content/ContactSelector.php:85 +msgid "Zot!" +msgstr "Zot!" + +#: src/Content/ContactSelector.php:86 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: src/Content/ContactSelector.php:87 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: src/Content/ContactSelector.php:88 +msgid "MySpace" +msgstr "MySpace" + +#: src/Content/ContactSelector.php:89 +msgid "Google+" +msgstr "Google+" + +#: src/Content/ContactSelector.php:90 +msgid "pump.io" +msgstr "pump.io" + +#: src/Content/ContactSelector.php:91 +msgid "Twitter" +msgstr "Twitter" + +#: src/Content/ContactSelector.php:92 +msgid "Diaspora Connector" +msgstr "Diaspora Connector" + +#: src/Content/ContactSelector.php:93 +msgid "GNU Social Connector" +msgstr "GNU Social Connector" + +#: src/Content/ContactSelector.php:94 +msgid "pnut" +msgstr "pnut" + +#: src/Content/ContactSelector.php:95 +msgid "App.net" +msgstr "App.net" + +#: src/Content/ContactSelector.php:125 +msgid "Male" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Female" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Male" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Female" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Male" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Female" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Transgender" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Intersex" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Transsexual" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Hermaphrodite" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Neuter" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Non-specific" +msgstr "Non-specific" + +#: src/Content/ContactSelector.php:125 +msgid "Other" +msgstr "Other" + +#: src/Content/ContactSelector.php:147 +msgid "Males" +msgstr "Males" + +#: src/Content/ContactSelector.php:147 +msgid "Females" +msgstr "Females" + +#: src/Content/ContactSelector.php:147 +msgid "Gay" +msgstr "Gay" + +#: src/Content/ContactSelector.php:147 +msgid "Lesbian" +msgstr "Lesbian" + +#: src/Content/ContactSelector.php:147 +msgid "No Preference" +msgstr "No Preference" + +#: src/Content/ContactSelector.php:147 +msgid "Bisexual" +msgstr "Bisexual" + +#: src/Content/ContactSelector.php:147 +msgid "Autosexual" +msgstr "Auto-sexual" + +#: src/Content/ContactSelector.php:147 +msgid "Abstinent" +msgstr "Abstinent" + +#: src/Content/ContactSelector.php:147 +msgid "Virgin" +msgstr "Virgin" + +#: src/Content/ContactSelector.php:147 +msgid "Deviant" +msgstr "Deviant" + +#: src/Content/ContactSelector.php:147 +msgid "Fetish" +msgstr "Fetish" + +#: src/Content/ContactSelector.php:147 +msgid "Oodles" +msgstr "Oodles" + +#: src/Content/ContactSelector.php:147 +msgid "Nonsexual" +msgstr "Asexual" + +#: src/Content/ContactSelector.php:169 +msgid "Single" +msgstr "Single" + +#: src/Content/ContactSelector.php:169 +msgid "Lonely" +msgstr "Lonely" + +#: src/Content/ContactSelector.php:169 +msgid "Available" +msgstr "Available" + +#: src/Content/ContactSelector.php:169 +msgid "Unavailable" +msgstr "Unavailable" + +#: src/Content/ContactSelector.php:169 +msgid "Has crush" +msgstr "Having a crush" + +#: src/Content/ContactSelector.php:169 +msgid "Infatuated" +msgstr "Infatuated" + +#: src/Content/ContactSelector.php:169 +msgid "Dating" +msgstr "Dating" + +#: src/Content/ContactSelector.php:169 +msgid "Unfaithful" +msgstr "Unfaithful" + +#: src/Content/ContactSelector.php:169 +msgid "Sex Addict" +msgstr "Sex addict" + +#: src/Content/ContactSelector.php:169 src/Model/User.php:505 +msgid "Friends" +msgstr "Friends" + +#: src/Content/ContactSelector.php:169 +msgid "Friends/Benefits" +msgstr "Friends with benefits" + +#: src/Content/ContactSelector.php:169 +msgid "Casual" +msgstr "Casual" + +#: src/Content/ContactSelector.php:169 +msgid "Engaged" +msgstr "Engaged" + +#: src/Content/ContactSelector.php:169 +msgid "Married" +msgstr "Married" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily married" +msgstr "Imaginarily married" + +#: src/Content/ContactSelector.php:169 +msgid "Partners" +msgstr "Partners" + +#: src/Content/ContactSelector.php:169 +msgid "Cohabiting" +msgstr "Cohabiting" + +#: src/Content/ContactSelector.php:169 +msgid "Common law" +msgstr "Common law spouse" + +#: src/Content/ContactSelector.php:169 +msgid "Happy" +msgstr "Happy" + +#: src/Content/ContactSelector.php:169 +msgid "Not looking" +msgstr "Not looking" + +#: src/Content/ContactSelector.php:169 +msgid "Swinger" +msgstr "Swinger" + +#: src/Content/ContactSelector.php:169 +msgid "Betrayed" +msgstr "Betrayed" + +#: src/Content/ContactSelector.php:169 +msgid "Separated" +msgstr "Separated" + +#: src/Content/ContactSelector.php:169 +msgid "Unstable" +msgstr "Unstable" + +#: src/Content/ContactSelector.php:169 +msgid "Divorced" +msgstr "Divorced" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily divorced" +msgstr "Imaginarily divorced" + +#: src/Content/ContactSelector.php:169 +msgid "Widowed" +msgstr "Widowed" + +#: src/Content/ContactSelector.php:169 +msgid "Uncertain" +msgstr "Uncertain" + +#: src/Content/ContactSelector.php:169 +msgid "It's complicated" +msgstr "It's complicated" + +#: src/Content/ContactSelector.php:169 +msgid "Don't care" +msgstr "Don't care" + +#: src/Content/ContactSelector.php:169 +msgid "Ask me" +msgstr "Ask me" + #: src/Database/DBStructure.php:32 msgid "There are no tables on MyISAM." msgstr "There are no tables on MyISAM." @@ -8643,11 +8623,11 @@ msgstr "\nError %d occurred during database update:\n%s\n" msgid "Errors encountered performing database changes: " msgstr "Errors encountered performing database changes: " -#: src/Database/DBStructure.php:209 +#: src/Database/DBStructure.php:210 msgid ": Database update" msgstr ": Database update" -#: src/Database/DBStructure.php:458 +#: src/Database/DBStructure.php:460 #, php-format msgid "%s: updating %s table." msgstr "%s: updating %s table." @@ -8656,21 +8636,6 @@ msgstr "%s: updating %s table." msgid "[no subject]" msgstr "[no subject]" -#: src/Model/Item.php:1666 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "%1$s is going to %2$s's %3$s" - -#: src/Model/Item.php:1671 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "%1$s is not going to %2$s's %3$s" - -#: src/Model/Item.php:1676 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "%1$s may go to %2$s's %3$s" - #: src/Model/Profile.php:97 msgid "Requested account is not available." msgstr "Requested account is unavailable." @@ -8789,88 +8754,20 @@ msgstr "Forums:" msgid "Only You Can See This" msgstr "Only you can see this." -#: src/Model/Contact.php:559 -msgid "Drop Contact" -msgstr "Drop contact" - -#: src/Model/Contact.php:962 -msgid "Organisation" -msgstr "Organisation" - -#: src/Model/Contact.php:965 -msgid "News" -msgstr "News" - -#: src/Model/Contact.php:968 -msgid "Forum" -msgstr "Forum" - -#: src/Model/Contact.php:1147 -msgid "Connect URL missing." -msgstr "Connect URL missing." - -#: src/Model/Contact.php:1156 -msgid "" -"The contact could not be added. Please check the relevant network " -"credentials in your Settings -> Social Networks page." -msgstr "The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page." - -#: src/Model/Contact.php:1184 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "This site is not configured to allow communications with other networks." - -#: src/Model/Contact.php:1185 src/Model/Contact.php:1199 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "No compatible communication protocols or feeds were discovered." - -#: src/Model/Contact.php:1197 -msgid "The profile address specified does not provide adequate information." -msgstr "The profile address specified does not provide adequate information." - -#: src/Model/Contact.php:1202 -msgid "An author or name was not found." -msgstr "An author or name was not found." - -#: src/Model/Contact.php:1205 -msgid "No browser URL could be matched to this address." -msgstr "No browser URL could be matched to this address." - -#: src/Model/Contact.php:1208 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Unable to match @-style identity address with a known protocol or email contact." - -#: src/Model/Contact.php:1209 -msgid "Use mailto: in front of address to force email check." -msgstr "Use mailto: in front of address to force email check." - -#: src/Model/Contact.php:1215 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "The profile address specified belongs to a network which has been disabled on this site." - -#: src/Model/Contact.php:1220 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Limited profile: This person will be unable to receive direct/private messages from you." - -#: src/Model/Contact.php:1290 -msgid "Unable to retrieve contact information." -msgstr "Unable to retrieve contact information." - -#: src/Model/Contact.php:1502 +#: src/Model/Item.php:1676 #, php-format -msgid "%s's birthday" -msgstr "%s's birthday" +msgid "%1$s is attending %2$s's %3$s" +msgstr "%1$s is going to %2$s's %3$s" -#: src/Model/Contact.php:1503 src/Protocol/DFRN.php:1398 +#: src/Model/Item.php:1681 #, php-format -msgid "Happy Birthday %s" -msgstr "Happy Birthday, %s!" +msgid "%1$s is not attending %2$s's %3$s" +msgstr "%1$s is not going to %2$s's %3$s" + +#: src/Model/Item.php:1686 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "%1$s may go to %2$s's %3$s" #: src/Model/Group.php:44 msgid "" @@ -8879,122 +8776,267 @@ msgid "" "not what you intended, please create another group with a different name." msgstr "A deleted group with this name has been revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name." -#: src/Model/Group.php:329 +#: src/Model/Group.php:328 msgid "Default privacy group for new contacts" msgstr "Default privacy group for new contacts" -#: src/Model/Group.php:362 +#: src/Model/Group.php:361 msgid "Everybody" msgstr "Everybody" -#: src/Model/Group.php:382 +#: src/Model/Group.php:381 msgid "edit" msgstr "edit" -#: src/Model/Group.php:406 +#: src/Model/Group.php:405 msgid "Edit group" msgstr "Edit group" -#: src/Model/Group.php:407 +#: src/Model/Group.php:406 msgid "Contacts not in any group" msgstr "Contacts not in any group" -#: src/Model/Group.php:408 +#: src/Model/Group.php:407 msgid "Create a new group" msgstr "Create new group" -#: src/Model/Group.php:410 +#: src/Model/Group.php:409 msgid "Edit groups" msgstr "Edit groups" -#: src/Model/User.php:142 +#: src/Model/Contact.php:645 +msgid "Drop Contact" +msgstr "Drop contact" + +#: src/Model/Contact.php:1048 +msgid "Organisation" +msgstr "Organisation" + +#: src/Model/Contact.php:1051 +msgid "News" +msgstr "News" + +#: src/Model/Contact.php:1054 +msgid "Forum" +msgstr "Forum" + +#: src/Model/Contact.php:1233 +msgid "Connect URL missing." +msgstr "Connect URL missing." + +#: src/Model/Contact.php:1242 +msgid "" +"The contact could not be added. Please check the relevant network " +"credentials in your Settings -> Social Networks page." +msgstr "The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page." + +#: src/Model/Contact.php:1289 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "This site is not configured to allow communications with other networks." + +#: src/Model/Contact.php:1290 src/Model/Contact.php:1304 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "No compatible communication protocols or feeds were discovered." + +#: src/Model/Contact.php:1302 +msgid "The profile address specified does not provide adequate information." +msgstr "The profile address specified does not provide adequate information." + +#: src/Model/Contact.php:1307 +msgid "An author or name was not found." +msgstr "An author or name was not found." + +#: src/Model/Contact.php:1310 +msgid "No browser URL could be matched to this address." +msgstr "No browser URL could be matched to this address." + +#: src/Model/Contact.php:1313 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Unable to match @-style identity address with a known protocol or email contact." + +#: src/Model/Contact.php:1314 +msgid "Use mailto: in front of address to force email check." +msgstr "Use mailto: in front of address to force email check." + +#: src/Model/Contact.php:1320 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "The profile address specified belongs to a network which has been disabled on this site." + +#: src/Model/Contact.php:1325 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Limited profile: This person will be unable to receive direct/private messages from you." + +#: src/Model/Contact.php:1376 +msgid "Unable to retrieve contact information." +msgstr "Unable to retrieve contact information." + +#: src/Model/Contact.php:1588 +#, php-format +msgid "%s's birthday" +msgstr "%s's birthday" + +#: src/Model/Contact.php:1589 src/Protocol/DFRN.php:1478 +#, php-format +msgid "Happy Birthday %s" +msgstr "Happy Birthday, %s!" + +#: src/Model/Event.php:53 src/Model/Event.php:70 src/Model/Event.php:419 +#: src/Model/Event.php:882 +msgid "Starts:" +msgstr "Starts:" + +#: src/Model/Event.php:56 src/Model/Event.php:76 src/Model/Event.php:420 +#: src/Model/Event.php:886 +msgid "Finishes:" +msgstr "Finishes:" + +#: src/Model/Event.php:368 +msgid "all-day" +msgstr "All-day" + +#: src/Model/Event.php:391 +msgid "Jun" +msgstr "Jun" + +#: src/Model/Event.php:394 +msgid "Sept" +msgstr "Sep" + +#: src/Model/Event.php:417 +msgid "No events to display" +msgstr "No events to display" + +#: src/Model/Event.php:543 +msgid "l, F j" +msgstr "l, F j" + +#: src/Model/Event.php:566 +msgid "Edit event" +msgstr "Edit event" + +#: src/Model/Event.php:567 +msgid "Duplicate event" +msgstr "Duplicate event" + +#: src/Model/Event.php:568 +msgid "Delete event" +msgstr "Delete event" + +#: src/Model/Event.php:815 +msgid "D g:i A" +msgstr "D g:i A" + +#: src/Model/Event.php:816 +msgid "g:i A" +msgstr "g:i A" + +#: src/Model/Event.php:901 src/Model/Event.php:903 +msgid "Show map" +msgstr "Show map" + +#: src/Model/Event.php:902 +msgid "Hide map" +msgstr "Hide map" + +#: src/Model/User.php:144 msgid "Login failed" msgstr "Login failed" -#: src/Model/User.php:173 +#: src/Model/User.php:175 msgid "Not enough information to authenticate" msgstr "Not enough information to authenticate" -#: src/Model/User.php:319 +#: src/Model/User.php:332 msgid "An invitation is required." msgstr "An invitation is required." -#: src/Model/User.php:323 +#: src/Model/User.php:336 msgid "Invitation could not be verified." msgstr "Invitation could not be verified." -#: src/Model/User.php:330 +#: src/Model/User.php:343 msgid "Invalid OpenID url" msgstr "Invalid OpenID URL" -#: src/Model/User.php:343 src/Module/Login.php:100 +#: src/Model/User.php:356 src/Module/Login.php:100 msgid "" "We encountered a problem while logging in with the OpenID you provided. " "Please check the correct spelling of the ID." msgstr "We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID." -#: src/Model/User.php:343 src/Module/Login.php:100 +#: src/Model/User.php:356 src/Module/Login.php:100 msgid "The error message was:" msgstr "The error message was:" -#: src/Model/User.php:349 +#: src/Model/User.php:362 msgid "Please enter the required information." msgstr "Please enter the required information." -#: src/Model/User.php:362 +#: src/Model/User.php:375 msgid "Please use a shorter name." msgstr "Please use a shorter name." -#: src/Model/User.php:365 +#: src/Model/User.php:378 msgid "Name too short." msgstr "Name too short." -#: src/Model/User.php:373 +#: src/Model/User.php:386 msgid "That doesn't appear to be your full (First Last) name." msgstr "That doesn't appear to be your full (i.e first and last) name." -#: src/Model/User.php:378 +#: src/Model/User.php:391 msgid "Your email domain is not among those allowed on this site." msgstr "Your email domain is not allowed on this site." -#: src/Model/User.php:382 +#: src/Model/User.php:395 msgid "Not a valid email address." msgstr "Not a valid email address." -#: src/Model/User.php:386 src/Model/User.php:394 +#: src/Model/User.php:399 src/Model/User.php:407 msgid "Cannot use that email." msgstr "Cannot use that email." -#: src/Model/User.php:401 +#: src/Model/User.php:414 msgid "Your nickname can only contain a-z, 0-9 and _." msgstr "Your nickname can only contain a-z, 0-9 and _." -#: src/Model/User.php:408 src/Model/User.php:464 +#: src/Model/User.php:421 src/Model/User.php:477 msgid "Nickname is already registered. Please choose another." msgstr "Nickname is already registered. Please choose another." -#: src/Model/User.php:418 +#: src/Model/User.php:431 msgid "SERIOUS ERROR: Generation of security keys failed." msgstr "SERIOUS ERROR: Generation of security keys failed." -#: src/Model/User.php:451 src/Model/User.php:455 +#: src/Model/User.php:464 src/Model/User.php:468 msgid "An error occurred during registration. Please try again." msgstr "An error occurred during registration. Please try again." -#: src/Model/User.php:480 +#: src/Model/User.php:488 view/theme/duepuntozero/config.php:54 +msgid "default" +msgstr "default" + +#: src/Model/User.php:493 msgid "An error occurred creating your default profile. Please try again." msgstr "An error occurred creating your default profile. Please try again." -#: src/Model/User.php:487 +#: src/Model/User.php:500 msgid "An error occurred creating your self contact. Please try again." msgstr "An error occurred creating your self-contact. Please try again." -#: src/Model/User.php:496 +#: src/Model/User.php:509 msgid "" "An error occurred creating your default contact group. Please try again." msgstr "An error occurred while creating your default contact group. Please try again." -#: src/Model/User.php:570 +#: src/Model/User.php:583 #, php-format msgid "" "\n" @@ -9003,12 +9045,12 @@ msgid "" "\t\t" msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n\t\t" -#: src/Model/User.php:580 +#: src/Model/User.php:593 #, php-format msgid "Registration at %s" msgstr "Registration at %s" -#: src/Model/User.php:598 +#: src/Model/User.php:611 #, php-format msgid "" "\n" @@ -9017,16 +9059,17 @@ msgid "" "\t\t" msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tThank you for registering at %2$s. Your account has been created.\n\t\t" -#: src/Model/User.php:602 +#: src/Model/User.php:615 #, php-format msgid "" "\n" "\t\t\tThe login details are as follows:\n" -"\t\t\t\tSite Location:\t%3$s\n" -"\t\t\t\tLogin Name:\t%1$s\n" -"\t\t\t\tPassword:\t%5$s\n" "\n" -"\t\t\tYou may change your password from your account Settings page after logging\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" "\t\t\tin.\n" "\n" "\t\t\tPlease take a few moments to review the other account settings on that page.\n" @@ -9035,7 +9078,7 @@ msgid "" "\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" "\n" "\t\t\tWe recommend setting your full name, adding a profile photo,\n" -"\t\t\tadding some profile keywords (very useful in making new friends) - and\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" "\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" "\t\t\tthan that.\n" "\n" @@ -9043,45 +9086,169 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" "\n" "\t\t\tThank you and welcome to %2$s." -msgstr "\n\t\t\tThe login details are as follows:\n\t\t\t\tSite Location:\t%3$s\n\t\t\t\tLogin Name:\t%1$s\n\t\t\t\tPassword:\t%5$s\n\n\t\t\tYou may change your password from your account Settings page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile keywords (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\n\t\t\tThank you and welcome to %2$s." +msgstr "" -#: src/Protocol/DFRN.php:1397 -#, php-format -msgid "%s\\'s birthday" -msgstr "%s\\'s birthday" - -#: src/Protocol/OStatus.php:1774 +#: src/Protocol/OStatus.php:1799 #, php-format msgid "%s is now following %s." msgstr "%s is now following %s." -#: src/Protocol/OStatus.php:1775 +#: src/Protocol/OStatus.php:1800 msgid "following" msgstr "following" -#: src/Protocol/OStatus.php:1778 +#: src/Protocol/OStatus.php:1803 #, php-format msgid "%s stopped following %s." msgstr "%s stopped following %s." -#: src/Protocol/OStatus.php:1779 +#: src/Protocol/OStatus.php:1804 msgid "stopped following" msgstr "stopped following" -#: src/Protocol/Diaspora.php:2584 +#: src/Protocol/DFRN.php:1477 +#, php-format +msgid "%s\\'s birthday" +msgstr "%s\\'s birthday" + +#: src/Protocol/Diaspora.php:2651 msgid "Sharing notification from Diaspora network" msgstr "Sharing notification from Diaspora network" -#: src/Protocol/Diaspora.php:3660 +#: src/Protocol/Diaspora.php:3738 msgid "Attachments:" msgstr "Attachments:" -#: src/Worker/Delivery.php:391 +#: src/Worker/Delivery.php:392 msgid "(no subject)" msgstr "(no subject)" +#: src/Object/Post.php:128 +msgid "This entry was edited" +msgstr "This entry was edited" + +#: src/Object/Post.php:182 +msgid "save to folder" +msgstr "Save to folder" + +#: src/Object/Post.php:235 +msgid "I will attend" +msgstr "I will attend" + +#: src/Object/Post.php:235 +msgid "I will not attend" +msgstr "I will not attend" + +#: src/Object/Post.php:235 +msgid "I might attend" +msgstr "I might attend" + +#: src/Object/Post.php:263 +msgid "add star" +msgstr "Add star" + +#: src/Object/Post.php:264 +msgid "remove star" +msgstr "Remove star" + +#: src/Object/Post.php:265 +msgid "toggle star status" +msgstr "Toggle star status" + +#: src/Object/Post.php:268 +msgid "starred" +msgstr "Starred" + +#: src/Object/Post.php:274 +msgid "ignore thread" +msgstr "Ignore thread" + +#: src/Object/Post.php:275 +msgid "unignore thread" +msgstr "Unignore thread" + +#: src/Object/Post.php:276 +msgid "toggle ignore status" +msgstr "Toggle ignore status" + +#: src/Object/Post.php:285 +msgid "add tag" +msgstr "Add tag" + +#: src/Object/Post.php:296 +msgid "like" +msgstr "Like" + +#: src/Object/Post.php:297 +msgid "dislike" +msgstr "Dislike" + +#: src/Object/Post.php:300 +msgid "Share this" +msgstr "Share this" + +#: src/Object/Post.php:300 +msgid "share" +msgstr "Share" + +#: src/Object/Post.php:365 +msgid "to" +msgstr "to" + +#: src/Object/Post.php:366 +msgid "via" +msgstr "via" + +#: src/Object/Post.php:367 +msgid "Wall-to-Wall" +msgstr "Wall-to-wall" + +#: src/Object/Post.php:368 +msgid "via Wall-To-Wall:" +msgstr "via wall-to-wall:" + +#: src/Object/Post.php:427 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d comment" +msgstr[1] "%d comments -" + +#: src/Object/Post.php:797 +msgid "Bold" +msgstr "Bold" + +#: src/Object/Post.php:798 +msgid "Italic" +msgstr "Italic" + +#: src/Object/Post.php:799 +msgid "Underline" +msgstr "Underline" + +#: src/Object/Post.php:800 +msgid "Quote" +msgstr "Quote" + +#: src/Object/Post.php:801 +msgid "Code" +msgstr "Code" + +#: src/Object/Post.php:802 +msgid "Image" +msgstr "Image" + +#: src/Object/Post.php:803 +msgid "Link" +msgstr "Link" + +#: src/Object/Post.php:804 +msgid "Video" +msgstr "Video" + #: src/Module/Login.php:282 msgid "Create a New Account" msgstr "Create a new account" @@ -9122,142 +9289,203 @@ msgstr "Privacy policy" msgid "Logged out." msgstr "Logged out." -#: src/Object/Post.php:127 -msgid "This entry was edited" -msgstr "This entry was edited" - -#: src/Object/Post.php:181 -msgid "save to folder" -msgstr "Save to folder" - -#: src/Object/Post.php:234 -msgid "I will attend" -msgstr "I will attend" - -#: src/Object/Post.php:234 -msgid "I will not attend" -msgstr "I will not attend" - -#: src/Object/Post.php:234 -msgid "I might attend" -msgstr "I might attend" - -#: src/Object/Post.php:262 -msgid "add star" -msgstr "Add star" - -#: src/Object/Post.php:263 -msgid "remove star" -msgstr "Remove star" - -#: src/Object/Post.php:264 -msgid "toggle star status" -msgstr "Toggle star status" - -#: src/Object/Post.php:267 -msgid "starred" -msgstr "Starred" - -#: src/Object/Post.php:273 -msgid "ignore thread" -msgstr "Ignore thread" - -#: src/Object/Post.php:274 -msgid "unignore thread" -msgstr "Unignore thread" - -#: src/Object/Post.php:275 -msgid "toggle ignore status" -msgstr "Toggle ignore status" - -#: src/Object/Post.php:284 -msgid "add tag" -msgstr "Add tag" - -#: src/Object/Post.php:295 -msgid "like" -msgstr "Like" - -#: src/Object/Post.php:296 -msgid "dislike" -msgstr "Dislike" - -#: src/Object/Post.php:299 -msgid "Share this" -msgstr "Share this" - -#: src/Object/Post.php:299 -msgid "share" -msgstr "Share" - -#: src/Object/Post.php:357 -msgid "to" -msgstr "to" - -#: src/Object/Post.php:358 -msgid "via" -msgstr "via" - -#: src/Object/Post.php:359 -msgid "Wall-to-Wall" -msgstr "Wall-to-wall" - -#: src/Object/Post.php:360 -msgid "via Wall-To-Wall:" -msgstr "via wall-to-wall:" - -#: src/Object/Post.php:419 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d comment" -msgstr[1] "%d comments -" - -#: src/Object/Post.php:789 -msgid "Bold" -msgstr "Bold" - -#: src/Object/Post.php:790 -msgid "Italic" -msgstr "Italic" - -#: src/Object/Post.php:791 -msgid "Underline" -msgstr "Underline" - -#: src/Object/Post.php:792 -msgid "Quote" -msgstr "Quote" - -#: src/Object/Post.php:793 -msgid "Code" -msgstr "Code" - -#: src/Object/Post.php:794 -msgid "Image" -msgstr "Image" - -#: src/Object/Post.php:795 -msgid "Link" -msgstr "Link" - -#: src/Object/Post.php:796 -msgid "Video" -msgstr "Video" - -#: src/App.php:513 +#: src/App.php:511 msgid "Delete this item?" msgstr "Delete this item?" -#: src/App.php:515 +#: src/App.php:513 msgid "show fewer" msgstr "Show fewer." -#: index.php:441 +#: view/theme/duepuntozero/config.php:55 +msgid "greenzero" +msgstr "greenzero" + +#: view/theme/duepuntozero/config.php:56 +msgid "purplezero" +msgstr "purplezero" + +#: view/theme/duepuntozero/config.php:57 +msgid "easterbunny" +msgstr "easterbunny" + +#: view/theme/duepuntozero/config.php:58 +msgid "darkzero" +msgstr "darkzero" + +#: view/theme/duepuntozero/config.php:59 +msgid "comix" +msgstr "comix" + +#: view/theme/duepuntozero/config.php:60 +msgid "slackr" +msgstr "slackr" + +#: view/theme/duepuntozero/config.php:74 +msgid "Variations" +msgstr "Variations" + +#: view/theme/frio/php/Image.php:25 +msgid "Repeat the image" +msgstr "Repeat the image" + +#: view/theme/frio/php/Image.php:25 +msgid "Will repeat your image to fill the background." +msgstr "Will repeat your image to fill the background." + +#: view/theme/frio/php/Image.php:27 +msgid "Stretch" +msgstr "Stretch" + +#: view/theme/frio/php/Image.php:27 +msgid "Will stretch to width/height of the image." +msgstr "Will stretch to width/height of the image." + +#: view/theme/frio/php/Image.php:29 +msgid "Resize fill and-clip" +msgstr "Resize fill and-clip" + +#: view/theme/frio/php/Image.php:29 +msgid "Resize to fill and retain aspect ratio." +msgstr "Resize to fill and retain aspect ratio." + +#: view/theme/frio/php/Image.php:31 +msgid "Resize best fit" +msgstr "Resize to best fit" + +#: view/theme/frio/php/Image.php:31 +msgid "Resize to best fit and retain aspect ratio." +msgstr "Resize to best fit and retain aspect ratio." + +#: view/theme/frio/config.php:97 +msgid "Default" +msgstr "Default" + +#: view/theme/frio/config.php:109 +msgid "Note" +msgstr "Note" + +#: view/theme/frio/config.php:109 +msgid "Check image permissions if all users are allowed to visit the image" +msgstr "Check image permissions if all users are allowed to visit the image" + +#: view/theme/frio/config.php:116 +msgid "Select scheme" +msgstr "Select scheme:" + +#: view/theme/frio/config.php:117 +msgid "Navigation bar background color" +msgstr "Navigation bar background colour:" + +#: view/theme/frio/config.php:118 +msgid "Navigation bar icon color " +msgstr "Navigation bar icon colour:" + +#: view/theme/frio/config.php:119 +msgid "Link color" +msgstr "Link colour:" + +#: view/theme/frio/config.php:120 +msgid "Set the background color" +msgstr "Background colour:" + +#: view/theme/frio/config.php:121 +msgid "Content background opacity" +msgstr "Content background opacity" + +#: view/theme/frio/config.php:122 +msgid "Set the background image" +msgstr "Background image:" + +#: view/theme/frio/config.php:127 +msgid "Login page background image" +msgstr "Login page background image" + +#: view/theme/frio/config.php:130 +msgid "Login page background color" +msgstr "Login page background colour" + +#: view/theme/frio/config.php:130 +msgid "Leave background image and color empty for theme defaults" +msgstr "Leave background image and colour empty for theme defaults" + +#: view/theme/frio/theme.php:238 +msgid "Guest" +msgstr "Guest" + +#: view/theme/frio/theme.php:243 +msgid "Visitor" +msgstr "Visitor" + +#: view/theme/quattro/config.php:76 +msgid "Alignment" +msgstr "Alignment" + +#: view/theme/quattro/config.php:76 +msgid "Left" +msgstr "Left" + +#: view/theme/quattro/config.php:76 +msgid "Center" +msgstr "Centre" + +#: view/theme/quattro/config.php:77 +msgid "Color scheme" +msgstr "Colour scheme" + +#: view/theme/quattro/config.php:78 +msgid "Posts font size" +msgstr "Posts font size" + +#: view/theme/quattro/config.php:79 +msgid "Textareas font size" +msgstr "Text areas font size" + +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "Comma separated list of helper forums" + +#: view/theme/vier/config.php:122 +msgid "Set style" +msgstr "Set style" + +#: view/theme/vier/config.php:123 +msgid "Community Pages" +msgstr "Community pages" + +#: view/theme/vier/config.php:124 view/theme/vier/theme.php:150 +msgid "Community Profiles" +msgstr "Community profiles" + +#: view/theme/vier/config.php:125 +msgid "Help or @NewHere ?" +msgstr "Help or @NewHere ?" + +#: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 +msgid "Connect Services" +msgstr "Connect services" + +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 +msgid "Find Friends" +msgstr "Find friends" + +#: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 +msgid "Last users" +msgstr "Last users" + +#: view/theme/vier/theme.php:200 +msgid "Local Directory" +msgstr "Local directory" + +#: view/theme/vier/theme.php:292 +msgid "Quick Start" +msgstr "Quick start" + +#: index.php:444 msgid "toggle mobile" msgstr "Toggle mobile" -#: boot.php:786 +#: boot.php:791 #, php-format msgid "Update %s failed. See error logs." msgstr "Update %s failed. See error logs." diff --git a/view/lang/en-gb/strings.php b/view/lang/en-gb/strings.php index b55569753..2d27d76aa 100644 --- a/view/lang/en-gb/strings.php +++ b/view/lang/en-gb/strings.php @@ -9,6 +9,17 @@ $a->strings["Welcome "] = "Welcome "; $a->strings["Please upload a profile photo."] = "Please upload a profile photo."; $a->strings["Welcome back "] = "Welcome back "; $a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "The form security token was incorrect. This probably happened because the form has not been submitted within 3 hours."; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Cannot locate DNS info for database server '%s'"; +$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ + 0 => "Daily posting limit of %d post reached. The post was rejected.", + 1 => "Daily posting limit of %d posts are reached. This post was rejected.", +]; +$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ + 0 => "Weekly posting limit of %d post reached. The post was rejected.", + 1 => "Weekly posting limit of %d posts are reached. This post was rejected.", +]; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Monthly posting limit of %d posts are reached. The post was rejected."; +$a->strings["Profile Photos"] = "Profile photos"; $a->strings["Friendica Notification"] = "Friendica notification"; $a->strings["Thank You,"] = "Thank you"; $a->strings["%s Administrator"] = "%s Administrator"; @@ -66,67 +77,8 @@ $a->strings["Please visit %s if you wish to make any changes to this relationsh $a->strings["[Friendica System:Notify] registration request"] = "[Friendica:Notify] registration request"; $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "You've received a registration request from '%1\$s' at %2\$s."; $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "You've received a [url=%1\$s]registration request[/url] from %2\$s."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s("] = "Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s("; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = ""; $a->strings["Please visit %s to approve or reject the request."] = "Please visit %s to approve or reject the request."; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; -$a->strings["Starts:"] = "Starts:"; -$a->strings["Finishes:"] = "Finishes:"; -$a->strings["Location:"] = "Location:"; -$a->strings["all-day"] = "All-day"; -$a->strings["Sun"] = "Sun"; -$a->strings["Mon"] = "Mon"; -$a->strings["Tue"] = "Tue"; -$a->strings["Wed"] = "Wed"; -$a->strings["Thu"] = "Thu"; -$a->strings["Fri"] = "Fri"; -$a->strings["Sat"] = "Sat"; -$a->strings["Sunday"] = "Sunday"; -$a->strings["Monday"] = "Monday"; -$a->strings["Tuesday"] = "Tuesday"; -$a->strings["Wednesday"] = "Wednesday"; -$a->strings["Thursday"] = "Thursday"; -$a->strings["Friday"] = "Friday"; -$a->strings["Saturday"] = "Saturday"; -$a->strings["Jan"] = "Jan"; -$a->strings["Feb"] = "Feb"; -$a->strings["Mar"] = "Mar"; -$a->strings["Apr"] = "Apr"; -$a->strings["May"] = "May"; -$a->strings["Jun"] = "Jun"; -$a->strings["Jul"] = "Jul"; -$a->strings["Aug"] = "Aug"; -$a->strings["Sept"] = "Sep"; -$a->strings["Oct"] = "Oct"; -$a->strings["Nov"] = "Nov"; -$a->strings["Dec"] = "Dec"; -$a->strings["January"] = "January"; -$a->strings["February"] = "February"; -$a->strings["March"] = "March"; -$a->strings["April"] = "April"; -$a->strings["June"] = "June"; -$a->strings["July"] = "July"; -$a->strings["August"] = "August"; -$a->strings["September"] = "September"; -$a->strings["October"] = "October"; -$a->strings["November"] = "November"; -$a->strings["December"] = "December"; -$a->strings["today"] = "today"; -$a->strings["month"] = "month"; -$a->strings["week"] = "week"; -$a->strings["day"] = "day"; -$a->strings["No events to display"] = "No events to display"; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Edit event"; -$a->strings["Duplicate event"] = "Duplicate event"; -$a->strings["Delete event"] = "Delete event"; -$a->strings["link to source"] = "Link to source"; -$a->strings["Export"] = "Export"; -$a->strings["Export calendar as ical"] = "Export calendar as ical"; -$a->strings["Export calendar as csv"] = "Export calendar as csv"; -$a->strings["D g:i A"] = "D g:i A"; -$a->strings["g:i A"] = "g:i A"; -$a->strings["Show map"] = "Show map"; -$a->strings["Hide map"] = "Hide map"; $a->strings["Item not found."] = "Item not found."; $a->strings["Do you really want to delete this item?"] = "Do you really want to delete this item?"; $a->strings["Yes"] = "Yes"; @@ -134,76 +86,9 @@ $a->strings["Cancel"] = "Cancel"; $a->strings["Permission denied."] = "Permission denied."; $a->strings["Archives"] = "Archives"; $a->strings["show more"] = "Show more..."; -$a->strings["newer"] = "Later posts"; -$a->strings["older"] = "Earlier posts"; -$a->strings["first"] = "first"; -$a->strings["prev"] = "prev"; -$a->strings["next"] = "next"; -$a->strings["last"] = "last"; -$a->strings["Loading more entries..."] = "Loading more entries..."; -$a->strings["The end"] = "The end"; -$a->strings["No contacts"] = "No contacts"; -$a->strings["%d Contact"] = [ - 0 => "%d contact", - 1 => "%d contacts", -]; -$a->strings["View Contacts"] = "View contacts"; -$a->strings["Save"] = "Save"; -$a->strings["Follow"] = "Follow"; -$a->strings["Search"] = "Search"; -$a->strings["@name, !forum, #tags, content"] = "@name, !forum, #tags, content"; -$a->strings["Full Text"] = "Full text"; -$a->strings["Tags"] = "Tags"; -$a->strings["Contacts"] = "Contacts"; -$a->strings["Forums"] = "Forums"; -$a->strings["poke"] = "poke"; -$a->strings["poked"] = "poked"; -$a->strings["ping"] = "ping"; -$a->strings["pinged"] = "pinged"; -$a->strings["prod"] = "prod"; -$a->strings["prodded"] = "prodded"; -$a->strings["slap"] = "slap"; -$a->strings["slapped"] = "slapped"; -$a->strings["finger"] = "finger"; -$a->strings["fingered"] = "fingered"; -$a->strings["rebuff"] = "rebuff"; -$a->strings["rebuffed"] = "rebuffed"; -$a->strings["Sep"] = "Sep"; -$a->strings["View Video"] = "View video"; -$a->strings["bytes"] = "bytes"; -$a->strings["Click to open/close"] = "Click to open/close"; -$a->strings["View on separate page"] = "View on separate page"; -$a->strings["view on separate page"] = "view on separate page"; $a->strings["event"] = "event"; -$a->strings["photo"] = "photo"; -$a->strings["activity"] = "activity"; -$a->strings["comment"] = [ - 0 => "comment", - 1 => "comments", -]; -$a->strings["post"] = "post"; -$a->strings["Item filed"] = "Item filed"; -$a->strings["Post to Email"] = "Post to email"; -$a->strings["Hide your profile details from unknown viewers?"] = "Hide profile details from unknown viewers?"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connectors are disabled since \"%s\" is enabled."; -$a->strings["Visible to everybody"] = "Visible to everybody"; -$a->strings["show"] = "show"; -$a->strings["don't show"] = "don't show"; -$a->strings["CC: email addresses"] = "CC: email addresses"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Example: bob@example.com, mary@example.com"; -$a->strings["Permissions"] = "Permissions"; -$a->strings["Close"] = "Close"; -$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ - 0 => "Daily posting limit of %d post reached. The post was rejected.", - 1 => "Daily posting limit of %d posts are reached. This post was rejected.", -]; -$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ - 0 => "Weekly posting limit of %d post reached. The post was rejected.", - 1 => "Weekly posting limit of %d posts are reached. This post was rejected.", -]; -$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Monthly posting limit of %d posts are reached. The post was rejected."; -$a->strings["Profile Photos"] = "Profile photos"; $a->strings["status"] = "status"; +$a->strings["photo"] = "photo"; $a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s likes %2\$s's %3\$s"; $a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s doesn't like %2\$s's %3\$s"; $a->strings["%1\$s attends %2\$s's %3\$s"] = "%1\$s goes to %2\$s's %3\$s"; @@ -266,6 +151,7 @@ $a->strings["Tag term:"] = "Tag term:"; $a->strings["Save to Folder:"] = "Save to folder:"; $a->strings["Where are you right now?"] = "Where are you right now?"; $a->strings["Delete item(s)?"] = "Delete item(s)?"; +$a->strings["New Post"] = ""; $a->strings["Share"] = "Share"; $a->strings["Upload photo"] = "Upload photo"; $a->strings["upload photo"] = "upload photo"; @@ -309,7 +195,90 @@ $a->strings["Undecided"] = [ 0 => "Undecided", 1 => "Undecided", ]; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Cannot locate DNS info for database server '%s'"; +$a->strings["newer"] = "Later posts"; +$a->strings["older"] = "Earlier posts"; +$a->strings["first"] = "first"; +$a->strings["prev"] = "prev"; +$a->strings["next"] = "next"; +$a->strings["last"] = "last"; +$a->strings["Loading more entries..."] = "Loading more entries..."; +$a->strings["The end"] = "The end"; +$a->strings["No contacts"] = "No contacts"; +$a->strings["%d Contact"] = [ + 0 => "%d contact", + 1 => "%d contacts", +]; +$a->strings["View Contacts"] = "View contacts"; +$a->strings["Save"] = "Save"; +$a->strings["Follow"] = "Follow"; +$a->strings["Search"] = "Search"; +$a->strings["@name, !forum, #tags, content"] = "@name, !forum, #tags, content"; +$a->strings["Full Text"] = "Full text"; +$a->strings["Tags"] = "Tags"; +$a->strings["Contacts"] = "Contacts"; +$a->strings["Forums"] = "Forums"; +$a->strings["poke"] = "poke"; +$a->strings["poked"] = "poked"; +$a->strings["ping"] = "ping"; +$a->strings["pinged"] = "pinged"; +$a->strings["prod"] = "prod"; +$a->strings["prodded"] = "prodded"; +$a->strings["slap"] = "slap"; +$a->strings["slapped"] = "slapped"; +$a->strings["finger"] = "finger"; +$a->strings["fingered"] = "fingered"; +$a->strings["rebuff"] = "rebuff"; +$a->strings["rebuffed"] = "rebuffed"; +$a->strings["Monday"] = "Monday"; +$a->strings["Tuesday"] = "Tuesday"; +$a->strings["Wednesday"] = "Wednesday"; +$a->strings["Thursday"] = "Thursday"; +$a->strings["Friday"] = "Friday"; +$a->strings["Saturday"] = "Saturday"; +$a->strings["Sunday"] = "Sunday"; +$a->strings["January"] = "January"; +$a->strings["February"] = "February"; +$a->strings["March"] = "March"; +$a->strings["April"] = "April"; +$a->strings["May"] = "May"; +$a->strings["June"] = "June"; +$a->strings["July"] = "July"; +$a->strings["August"] = "August"; +$a->strings["September"] = "September"; +$a->strings["October"] = "October"; +$a->strings["November"] = "November"; +$a->strings["December"] = "December"; +$a->strings["Mon"] = "Mon"; +$a->strings["Tue"] = "Tue"; +$a->strings["Wed"] = "Wed"; +$a->strings["Thu"] = "Thu"; +$a->strings["Fri"] = "Fri"; +$a->strings["Sat"] = "Sat"; +$a->strings["Sun"] = "Sun"; +$a->strings["Jan"] = "Jan"; +$a->strings["Feb"] = "Feb"; +$a->strings["Mar"] = "Mar"; +$a->strings["Apr"] = "Apr"; +$a->strings["Jul"] = "Jul"; +$a->strings["Aug"] = "Aug"; +$a->strings["Sep"] = "Sep"; +$a->strings["Oct"] = "Oct"; +$a->strings["Nov"] = "Nov"; +$a->strings["Dec"] = "Dec"; +$a->strings["Content warning: %s"] = ""; +$a->strings["View Video"] = "View video"; +$a->strings["bytes"] = "bytes"; +$a->strings["Click to open/close"] = "Click to open/close"; +$a->strings["View on separate page"] = "View on separate page"; +$a->strings["view on separate page"] = "view on separate page"; +$a->strings["link to source"] = "Link to source"; +$a->strings["activity"] = "activity"; +$a->strings["comment"] = [ + 0 => "comment", + 1 => "comments", +]; +$a->strings["post"] = "post"; +$a->strings["Item filed"] = "Item filed"; $a->strings["No friends to display."] = "No friends to display."; $a->strings["Connect"] = "Connect"; $a->strings["Authorize application connection"] = "Authorize application connection"; @@ -408,16 +377,6 @@ $a->strings["Do you really want to delete this suggestion?"] = "Do you really wa $a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "No suggestions available. If this is a new site, please try again in 24 hours."; $a->strings["Ignore/Hide"] = "Ignore/Hide"; $a->strings["Friend Suggestions"] = "Friend suggestions"; -$a->strings["Contact wasn't found or can't be unfollowed."] = "Contact wasn't found or can't be unfollowed."; -$a->strings["Contact unfollowed"] = "Contact unfollowed"; -$a->strings["Submit Request"] = "Submit request"; -$a->strings["You aren't a friend of this contact."] = "You aren't a friend of this contact."; -$a->strings["Unfollowing is currently not supported by your network."] = "Unfollowing is currently not supported by your network."; -$a->strings["Disconnect/Unfollow"] = "Disconnect/Unfollow"; -$a->strings["Your Identity Address:"] = "My identity address:"; -$a->strings["Profile URL"] = "Profile URL:"; -$a->strings["Status Messages and Posts"] = "Status Messages and Posts"; -$a->strings["[Embedded content - reload page to view]"] = "[Embedded content - reload page to view]"; $a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."; $a->strings["Import"] = "Import profile"; $a->strings["Move account"] = "Move Existing Friendica Account"; @@ -426,24 +385,12 @@ $a->strings["You need to export your account from the old server and upload it h $a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = "This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora."; $a->strings["Account file"] = "Account file:"; $a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "To export your account, go to \"Settings->Export personal data\" and select \"Export account\""; +$a->strings["[Embedded content - reload page to view]"] = "[Embedded content - reload page to view]"; $a->strings["%1\$s welcomes %2\$s"] = "%1\$s welcomes %2\$s"; -$a->strings["People Search - %s"] = "People search - %s"; -$a->strings["Forum Search - %s"] = "Forum search - %s"; -$a->strings["No matches"] = "No matches"; -$a->strings["This is Friendica, version"] = "This is Friendica, version"; -$a->strings["running at web location"] = "running at web location"; -$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = "Please visit Friendi.ca to learn more about the Friendica project."; -$a->strings["Bug reports and issues: please visit"] = "Bug reports and issues: please visit"; -$a->strings["the bugtracker at github"] = "the bugtracker at github"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"; -$a->strings["Installed addons/apps:"] = "Installed addons/apps:"; -$a->strings["No installed addons/apps"] = "No installed addons/apps"; -$a->strings["On this server the following remote servers are blocked."] = "On this server the following remote servers are blocked."; -$a->strings["Blocked domain"] = "Blocked domain"; -$a->strings["Reason for the block"] = "Reason for the block"; $a->strings["No keywords to match. Please add keywords to your default profile."] = "No keywords to match. Please add keywords to your default profile."; $a->strings["is interested in:"] = "is interested in:"; $a->strings["Profile Match"] = "Profile Match"; +$a->strings["No matches"] = "No matches"; $a->strings["Invalid request identifier."] = "Invalid request identifier."; $a->strings["Discard"] = "Discard"; $a->strings["Ignore"] = "Ignore"; @@ -470,35 +417,19 @@ $a->strings["Accepting %s as a sharer allows them to subscribe to your posts, bu $a->strings["Friend"] = "Friend"; $a->strings["Sharer"] = "Sharer"; $a->strings["Subscriber"] = "Subscriber"; +$a->strings["Location:"] = "Location:"; $a->strings["About:"] = "About:"; $a->strings["Tags:"] = "Tags:"; $a->strings["Gender:"] = "Gender:"; +$a->strings["Profile URL"] = "Profile URL:"; $a->strings["Network:"] = "Network:"; $a->strings["No introductions."] = "No introductions."; $a->strings["Show unread"] = "Show unread"; $a->strings["Show all"] = "Show all"; $a->strings["No more %s notifications."] = "No more %s notifications."; -$a->strings["Post successful."] = "Post successful."; $a->strings["OpenID protocol error. No ID returned."] = "OpenID protocol error. No ID returned."; $a->strings["Account not found and OpenID registration is not permitted on this site."] = "Account not found and OpenID registration is not permitted on this site."; $a->strings["Login failed."] = "Login failed."; -$a->strings["Subscribing to OStatus contacts"] = "Subscribing to OStatus contacts"; -$a->strings["No contact provided."] = "No contact provided."; -$a->strings["Couldn't fetch information for contact."] = "Couldn't fetch information for contact."; -$a->strings["Couldn't fetch friends for contact."] = "Couldn't fetch friends for contact."; -$a->strings["success"] = "success"; -$a->strings["failed"] = "failed"; -$a->strings["ignored"] = "Ignored"; -$a->strings["Access to this profile has been restricted."] = "Access to this profile has been restricted."; -$a->strings["Events"] = "Events"; -$a->strings["View"] = "View"; -$a->strings["Previous"] = "Previous"; -$a->strings["Next"] = "Next"; -$a->strings["list"] = "List"; -$a->strings["User not found"] = "User not found"; -$a->strings["This calendar format is not supported"] = "This calendar format is not supported"; -$a->strings["No exportable data found"] = "No exportable data found"; -$a->strings["calendar"] = "calendar"; $a->strings["Profile not found."] = "Profile not found."; $a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "This may occasionally happen if contact was requested by both persons and it has already been approved."; $a->strings["Response from remote site was not understood."] = "Response from remote site was not understood."; @@ -541,9 +472,448 @@ $a->strings["You are cordially invited to join me and other close friends on Fri $a->strings["You will need to supply this invitation code: \$invite_code"] = "You will need to supply this invitation code: \$invite_code"; $a->strings["Once you have registered, please connect with me via my profile page at:"] = "Once you have signed up, please connect with me via my profile page at:"; $a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca"] = "For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca"; +$a->strings["Invalid request."] = "Invalid request."; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Sorry, maybe your upload is bigger than the PHP configuration allows"; +$a->strings["Or - did you try to upload an empty file?"] = "Or did you try to upload an empty file?"; +$a->strings["File exceeds size limit of %s"] = "File exceeds size limit of %s"; +$a->strings["File upload failed."] = "File upload failed."; $a->strings["Manage Identities and/or Pages"] = "Manage Identities and Pages"; $a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Accounts that I manage or own."; $a->strings["Select an identity to manage: "] = "Select identity:"; +$a->strings["This introduction has already been accepted."] = "This introduction has already been accepted."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Profile location is not valid or does not contain profile information."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Warning: profile location has no identifiable owner name."; +$a->strings["Warning: profile location has no profile photo."] = "Warning: profile location has no profile photo."; +$a->strings["%d required parameter was not found at the given location"] = [ + 0 => "%d required parameter was not found at the given location", + 1 => "%d required parameters were not found at the given location", +]; +$a->strings["Introduction complete."] = "Introduction complete."; +$a->strings["Unrecoverable protocol error."] = "Unrecoverable protocol error."; +$a->strings["Profile unavailable."] = "Profile unavailable."; +$a->strings["%s has received too many connection requests today."] = "%s has received too many connection requests today."; +$a->strings["Spam protection measures have been invoked."] = "Spam protection measures have been invoked."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Friends are advised to please try again in 24 hours."; +$a->strings["Invalid locator"] = "Invalid locator"; +$a->strings["You have already introduced yourself here."] = "You have already introduced yourself here."; +$a->strings["Apparently you are already friends with %s."] = "Apparently you are already friends with %s."; +$a->strings["Invalid profile URL."] = "Invalid profile URL."; +$a->strings["Disallowed profile URL."] = "Disallowed profile URL."; +$a->strings["Blocked domain"] = "Blocked domain"; +$a->strings["Failed to update contact record."] = "Failed to update contact record."; +$a->strings["Your introduction has been sent."] = "Your introduction has been sent."; +$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Remote subscription can't be done for your network. Please subscribe directly on your system."; +$a->strings["Please login to confirm introduction."] = "Please login to confirm introduction."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Incorrect identity currently logged in. Please login to this profile."; +$a->strings["Confirm"] = "Confirm"; +$a->strings["Hide this contact"] = "Hide this contact"; +$a->strings["Welcome home %s."] = "Welcome home %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Please confirm your introduction/connection request to %s."; +$a->strings["Public access denied."] = "Public access denied."; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Please enter your 'Identity address' from one of the following supported communications networks:"; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "If you are not yet part of the free social web, follow this link to find a public Friendica site and join us today."; +$a->strings["Friend/Connection Request"] = "Friend/Connection request"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = "Examples: jojo@demo.friendi.ca, http://demo.friendi.ca/profile/jojo, user@gnusocial.de"; +$a->strings["Please answer the following:"] = "Please answer the following:"; +$a->strings["Does %s know you?"] = "Does %s know you?"; +$a->strings["Add a personal note:"] = "Add a personal note:"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["GNU Social (Pleroma, Mastodon)"] = "GNU Social (Pleroma, Mastodon)"; +$a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla)"; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - please do not use this form. Instead, enter %s into your Diaspora search bar."; +$a->strings["Your Identity Address:"] = "My identity address:"; +$a->strings["Submit Request"] = "Submit request"; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["Time Conversion"] = "Time conversion"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica provides this service for sharing events with other networks and friends in unknown time zones."; +$a->strings["UTC time: %s"] = "UTC time: %s"; +$a->strings["Current timezone: %s"] = "Current time zone: %s"; +$a->strings["Converted localtime: %s"] = "Converted local time: %s"; +$a->strings["Please select your timezone:"] = "Please select your time zone:"; +$a->strings["Only logged in users are permitted to perform a probing."] = "Only logged in users are permitted to perform a probing."; +$a->strings["Permission denied"] = "Permission denied"; +$a->strings["Invalid profile identifier."] = "Invalid profile identifier."; +$a->strings["Profile Visibility Editor"] = "Profile Visibility Editor"; +$a->strings["Click on a contact to add or remove."] = "Click on a contact to add or remove."; +$a->strings["Visible To"] = "Visible to"; +$a->strings["All Contacts (with secure profile access)"] = "All contacts with secure profile access"; +$a->strings["Account approved."] = "Account approved."; +$a->strings["Registration revoked for %s"] = "Registration revoked for %s"; +$a->strings["Please login."] = "Please login."; +$a->strings["Remove My Account"] = "Remove My Account"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "This will completely remove your account. Once this has been done it is not recoverable."; +$a->strings["Please enter your password for verification:"] = "Please enter your password for verification:"; +$a->strings["No contacts."] = "No contacts."; +$a->strings["Access denied."] = "Access denied."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Number of daily wall messages for %s exceeded. Message failed."; +$a->strings["No recipient selected."] = "No recipient selected."; +$a->strings["Unable to check your home location."] = "Unable to check your home location."; +$a->strings["Message could not be sent."] = "Message could not be sent."; +$a->strings["Message collection failure."] = "Message collection failure."; +$a->strings["Message sent."] = "Message sent."; +$a->strings["No recipient."] = "No recipient."; +$a->strings["Send Private Message"] = "Send private message"; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."; +$a->strings["To:"] = "To:"; +$a->strings["Subject:"] = "Subject:"; +$a->strings["Export account"] = "Export account"; +$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Export your account info and contacts. Use this to backup your account or to move it to another server."; +$a->strings["Export all"] = "Export all"; +$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"; +$a->strings["Export personal data"] = "Export personal data"; +$a->strings["- select -"] = "- select -"; +$a->strings["No more system notifications."] = "No more system notifications."; +$a->strings["{0} wants to be your friend"] = "{0} wants to be your friend"; +$a->strings["{0} sent you a message"] = "{0} sent you a message"; +$a->strings["{0} requested registration"] = "{0} requested registration"; +$a->strings["Poke/Prod"] = "Poke/Prod"; +$a->strings["poke, prod or do other things to somebody"] = "Poke, prod or do other things to somebody"; +$a->strings["Recipient"] = "Recipient:"; +$a->strings["Choose what you wish to do to recipient"] = "Choose what you wish to do:"; +$a->strings["Make this post private"] = "Make this post private"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s is following %2\$s's %3\$s"; +$a->strings["Tag removed"] = "Tag removed"; +$a->strings["Remove Item Tag"] = "Remove Item tag"; +$a->strings["Select a tag to remove: "] = "Select a tag to remove: "; +$a->strings["Remove"] = "Remove"; +$a->strings["Image exceeds size limit of %s"] = "Image exceeds size limit of %s"; +$a->strings["Unable to process image."] = "Unable to process image."; +$a->strings["Wall Photos"] = "Wall photos"; +$a->strings["Image upload failed."] = "Image upload failed."; +$a->strings["Remove term"] = "Remove term"; +$a->strings["Saved Searches"] = "Saved searches"; +$a->strings["Only logged in users are permitted to perform a search."] = "Only logged in users are permitted to perform a search."; +$a->strings["Too Many Requests"] = "Too many requests"; +$a->strings["Only one search per minute is permitted for not logged in users."] = "Only one search per minute is permitted for not logged in users."; +$a->strings["No results."] = "No results."; +$a->strings["Items tagged with: %s"] = "Items tagged with: %s"; +$a->strings["Results for: %s"] = "Results for: %s"; +$a->strings["Login"] = "Login"; +$a->strings["The post was created"] = "The post was created"; +$a->strings["Community option not available."] = "Community option not available."; +$a->strings["Not available."] = "Not available."; +$a->strings["Local Community"] = "Local community"; +$a->strings["Posts from local users on this server"] = "Posts from local users on this server"; +$a->strings["Global Community"] = "Global Community"; +$a->strings["Posts from users of the whole federated network"] = "Posts from users of the whole federated network"; +$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."; +$a->strings["Item not found"] = "Item not found"; +$a->strings["Edit post"] = "Edit post"; +$a->strings["CC: email addresses"] = "CC: email addresses"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Example: bob@example.com, mary@example.com"; +$a->strings["You must be logged in to use this module"] = ""; +$a->strings["Source URL"] = ""; +$a->strings["Friend suggestion sent."] = "Friend suggestion sent"; +$a->strings["Suggest Friends"] = "Suggest friends"; +$a->strings["Suggest a friend for %s"] = "Suggest a friend for %s"; +$a->strings["Group created."] = "Group created."; +$a->strings["Could not create group."] = "Could not create group."; +$a->strings["Group not found."] = "Group not found."; +$a->strings["Group name changed."] = "Group name changed."; +$a->strings["Save Group"] = "Save group"; +$a->strings["Create a group of contacts/friends."] = "Create a group of contacts/friends."; +$a->strings["Group Name: "] = "Group name: "; +$a->strings["Group removed."] = "Group removed."; +$a->strings["Unable to remove group."] = "Unable to remove group."; +$a->strings["Delete Group"] = "Delete group"; +$a->strings["Group Editor"] = "Group Editor"; +$a->strings["Edit Group Name"] = "Edit group name"; +$a->strings["Members"] = "Members"; +$a->strings["All Contacts"] = "All contacts"; +$a->strings["Group is empty"] = "Group is empty"; +$a->strings["Remove Contact"] = "Remove contact"; +$a->strings["Add Contact"] = "Add contact"; +$a->strings["Unable to locate original post."] = "Unable to locate original post."; +$a->strings["Empty post discarded."] = "Empty post discarded."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "This message was sent to you by %s, a member of the Friendica social network."; +$a->strings["You may visit them online at %s"] = "You may visit them online at %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Please contact the sender by replying to this post if you do not wish to receive these messages."; +$a->strings["%s posted an update."] = "%s posted an update."; +$a->strings["New Message"] = "New Message"; +$a->strings["Unable to locate contact information."] = "Unable to locate contact information."; +$a->strings["Messages"] = "Messages"; +$a->strings["Do you really want to delete this message?"] = "Do you really want to delete this message?"; +$a->strings["Message deleted."] = "Message deleted."; +$a->strings["Conversation removed."] = "Conversation removed."; +$a->strings["No messages."] = "No messages."; +$a->strings["Message not available."] = "Message not available."; +$a->strings["Delete message"] = "Delete message"; +$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; +$a->strings["Delete conversation"] = "Delete conversation"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "No secure communications available. You may be able to respond from the sender's profile page."; +$a->strings["Send Reply"] = "Send reply"; +$a->strings["Unknown sender - %s"] = "Unknown sender - %s"; +$a->strings["You and %s"] = "Me and %s"; +$a->strings["%s and You"] = "%s and me"; +$a->strings["%d message"] = [ + 0 => "%d message", + 1 => "%d messages", +]; +$a->strings["add"] = "add"; +$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ + 0 => "Warning: This group contains %s member from a network that doesn't allow non public messages.", + 1 => "Warning: This group contains %s members from a network that doesn't allow non public messages.", +]; +$a->strings["Messages in this group won't be send to these receivers."] = "Messages in this group won't be send to these receivers."; +$a->strings["No such group"] = "No such group"; +$a->strings["Group: %s"] = "Group: %s"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Private messages to this person are at risk of public disclosure."; +$a->strings["Invalid contact."] = "Invalid contact."; +$a->strings["Commented Order"] = "Commented last"; +$a->strings["Sort by Comment Date"] = "Sort by comment date"; +$a->strings["Posted Order"] = "Posted last"; +$a->strings["Sort by Post Date"] = "Sort by post date"; +$a->strings["Personal"] = "Personal"; +$a->strings["Posts that mention or involve you"] = "Posts mentioning or involving me"; +$a->strings["New"] = "New"; +$a->strings["Activity Stream - by date"] = "Activity Stream - by date"; +$a->strings["Shared Links"] = "Shared links"; +$a->strings["Interesting Links"] = "Interesting links"; +$a->strings["Starred"] = "Starred"; +$a->strings["Favourite Posts"] = "My favourite posts"; +$a->strings["Personal Notes"] = "Personal notes"; +$a->strings["Post successful."] = "Post successful."; +$a->strings["Photo Albums"] = "Photo Albums"; +$a->strings["Recent Photos"] = "Recent photos"; +$a->strings["Upload New Photos"] = "Upload new photos"; +$a->strings["everybody"] = "everybody"; +$a->strings["Contact information unavailable"] = "Contact information unavailable"; +$a->strings["Album not found."] = "Album not found."; +$a->strings["Delete Album"] = "Delete album"; +$a->strings["Do you really want to delete this photo album and all its photos?"] = "Do you really want to delete this photo album and all its photos?"; +$a->strings["Delete Photo"] = "Delete photo"; +$a->strings["Do you really want to delete this photo?"] = "Do you really want to delete this photo?"; +$a->strings["a photo"] = "a photo"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s was tagged in %2\$s by %3\$s"; +$a->strings["Image upload didn't complete, please try again"] = "Image upload didn't complete, please try again"; +$a->strings["Image file is missing"] = "Image file is missing"; +$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = "Server can't accept new file upload at this time, please contact your administrator"; +$a->strings["Image file is empty."] = "Image file is empty."; +$a->strings["No photos selected"] = "No photos selected"; +$a->strings["Access to this item is restricted."] = "Access to this item is restricted."; +$a->strings["Upload Photos"] = "Upload photos"; +$a->strings["New album name: "] = "New album name: "; +$a->strings["or existing album name: "] = "or existing album name: "; +$a->strings["Do not show a status post for this upload"] = "Do not show a status post for this upload"; +$a->strings["Permissions"] = "Permissions"; +$a->strings["Show to Groups"] = "Show to groups"; +$a->strings["Show to Contacts"] = "Show to contacts"; +$a->strings["Edit Album"] = "Edit album"; +$a->strings["Show Newest First"] = "Show newest first"; +$a->strings["Show Oldest First"] = "Show oldest first"; +$a->strings["View Photo"] = "View photo"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Permission denied. Access to this item may be restricted."; +$a->strings["Photo not available"] = "Photo not available"; +$a->strings["View photo"] = "View photo"; +$a->strings["Edit photo"] = "Edit photo"; +$a->strings["Use as profile photo"] = "Use as profile photo"; +$a->strings["Private Message"] = "Private message"; +$a->strings["View Full Size"] = "View full size"; +$a->strings["Tags: "] = "Tags: "; +$a->strings["[Remove any tag]"] = "[Remove any tag]"; +$a->strings["New album name"] = "New album name"; +$a->strings["Caption"] = "Caption"; +$a->strings["Add a Tag"] = "Add Tag"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Example: @bob, @jojo@example.com, #California, #camping"; +$a->strings["Do not rotate"] = "Do not rotate"; +$a->strings["Rotate CW (right)"] = "Rotate right (CW)"; +$a->strings["Rotate CCW (left)"] = "Rotate left (CCW)"; +$a->strings["I like this (toggle)"] = "I like this (toggle)"; +$a->strings["I don't like this (toggle)"] = "I don't like this (toggle)"; +$a->strings["This is you"] = "This is me"; +$a->strings["Comment"] = "Comment"; +$a->strings["Map"] = "Map"; +$a->strings["View Album"] = "View album"; +$a->strings["Requested profile is not available."] = "Requested profile is unavailable."; +$a->strings["%s's posts"] = "%s's posts"; +$a->strings["%s's comments"] = "%s's comments"; +$a->strings["%s's timeline"] = "%s's timeline"; +$a->strings["Access to this profile has been restricted."] = "Access to this profile has been restricted."; +$a->strings["Tips for New Members"] = "Tips for New Members"; +$a->strings["Do you really want to delete this video?"] = "Do you really want to delete this video?"; +$a->strings["Delete Video"] = "Delete video"; +$a->strings["No videos selected"] = "No videos selected"; +$a->strings["Recent Videos"] = "Recent videos"; +$a->strings["Upload New Videos"] = "Upload new videos"; +$a->strings["Parent user not found."] = ""; +$a->strings["No parent user"] = "No parent user"; +$a->strings["Parent Password:"] = ""; +$a->strings["Please enter the password of the parent account to legitimize your request."] = ""; +$a->strings["Parent User"] = "Parent user"; +$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Parent users have total control of this account, including core settings. Please double-check whom you grant such access."; +$a->strings["Save Settings"] = "Save settings"; +$a->strings["Delegate Page Management"] = "Delegate Page Management"; +$a->strings["Delegates"] = "Delegates"; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely."; +$a->strings["Existing Page Delegates"] = "Existing page delegates"; +$a->strings["Potential Delegates"] = "Potential delegates"; +$a->strings["Add"] = "Add"; +$a->strings["No entries."] = "No entries."; +$a->strings["People Search - %s"] = "People search - %s"; +$a->strings["Forum Search - %s"] = "Forum search - %s"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Communications Server - Setup"; +$a->strings["Could not connect to database."] = "Could not connect to database."; +$a->strings["Could not create table."] = "Could not create table."; +$a->strings["Your Friendica site database has been installed."] = "Your Friendica site database has been installed."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Please see the file \"INSTALL.txt\"."; +$a->strings["Database already in use."] = "Database already in use."; +$a->strings["System check"] = "System check"; +$a->strings["Next"] = "Next"; +$a->strings["Check again"] = "Check again"; +$a->strings["Database connection"] = "Database connection"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "In order to install Friendica we need to know how to connect to your database."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Please contact your hosting provider or site administrator if you have questions about these settings."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "The database you specify below should already exist. If it does not, please create it before continuing."; +$a->strings["Database Server Name"] = "Database server name"; +$a->strings["Database Login Name"] = "Database login name"; +$a->strings["Database Login Password"] = "Database login password"; +$a->strings["For security reasons the password must not be empty"] = "For security reasons the password must not be empty"; +$a->strings["Database Name"] = "Database name"; +$a->strings["Site administrator email address"] = "Site administrator email address"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Your account email address must match this in order to use the web admin panel."; +$a->strings["Please select a default timezone for your website"] = "Please select a default time zone for your website"; +$a->strings["Site settings"] = "Site settings"; +$a->strings["System Language:"] = "System language:"; +$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Set the default language for your Friendica installation interface and email communication."; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Could not find a command line version of PHP in the web server PATH."; +$a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = "If your server doesn't have a command line version of PHP installed, you won't be able to run background processing. See 'Setup the worker'"; +$a->strings["PHP executable path"] = "PHP executable path"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Enter full path to php executable. You can leave this blank to continue the installation."; +$a->strings["Command line PHP"] = "Command line PHP"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "PHP executable is not a php cli binary; it could possibly be a cgi-fgci version."; +$a->strings["Found PHP version: "] = "Found PHP version: "; +$a->strings["PHP cli binary"] = "PHP cli binary"; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "The command line version of PHP on your system does not have \"register_argc_argv\" enabled."; +$a->strings["This is required for message delivery to work."] = "This is required for message delivery to work."; +$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "If running under Windows OS, please see \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Generate encryption keys"; +$a->strings["libCurl PHP module"] = "libCurl PHP module"; +$a->strings["GD graphics PHP module"] = "GD graphics PHP module"; +$a->strings["OpenSSL PHP module"] = "OpenSSL PHP module"; +$a->strings["PDO or MySQLi PHP module"] = "PDO or MySQLi PHP module"; +$a->strings["mb_string PHP module"] = "mb_string PHP module"; +$a->strings["XML PHP module"] = "XML PHP module"; +$a->strings["iconv PHP module"] = "iconv PHP module"; +$a->strings["POSIX PHP module"] = "POSIX PHP module"; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: Apache web server mod-rewrite module is required but not installed."; +$a->strings["Error: libCURL PHP module required but not installed."] = "Error: libCURL PHP module required but not installed."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: GD graphics PHP module with JPEG support required but not installed."; +$a->strings["Error: openssl PHP module required but not installed."] = "Error: openssl PHP module required but not installed."; +$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = "Error: PDO or MySQLi PHP module required but not installed."; +$a->strings["Error: The MySQL driver for PDO is not installed."] = "Error: MySQL driver for PDO is not installed."; +$a->strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; +$a->strings["Error: iconv PHP module required but not installed."] = "Error: iconv PHP module required but not installed."; +$a->strings["Error: POSIX PHP module required but not installed."] = ""; +$a->strings["Error, XML PHP module required but not installed."] = "Error, XML PHP module required but not installed."; +$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so."; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can."; +$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top-level directory."; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternatively, you may skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php is writeable"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."; +$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top-level directory."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Please ensure the user (e.g. www-data) that your web server runs as has write access to this directory."; +$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 is writeable"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "URL rewrite in .htaccess is not working. Check your server configuration."; +$a->strings["Url rewrite is working"] = "URL rewrite is working"; +$a->strings["ImageMagick PHP extension is not installed"] = "ImageMagick PHP extension is not installed"; +$a->strings["ImageMagick PHP extension is installed"] = "ImageMagick PHP extension is installed"; +$a->strings["ImageMagick supports GIF"] = "ImageMagick supports GIF"; +$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."; +$a->strings["

What next

"] = "

What next

"; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "IMPORTANT: You will need to [manually] setup a scheduled task for the worker."; +$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = "Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."; +$a->strings["Subscribing to OStatus contacts"] = "Subscribing to OStatus contacts"; +$a->strings["No contact provided."] = "No contact provided."; +$a->strings["Couldn't fetch information for contact."] = "Couldn't fetch information for contact."; +$a->strings["Couldn't fetch friends for contact."] = "Couldn't fetch friends for contact."; +$a->strings["success"] = "success"; +$a->strings["failed"] = "failed"; +$a->strings["ignored"] = "Ignored"; +$a->strings["Contact wasn't found or can't be unfollowed."] = "Contact wasn't found or can't be unfollowed."; +$a->strings["Contact unfollowed"] = "Contact unfollowed"; +$a->strings["You aren't a friend of this contact."] = "You aren't a friend of this contact."; +$a->strings["Unfollowing is currently not supported by your network."] = "Unfollowing is currently not supported by your network."; +$a->strings["Disconnect/Unfollow"] = "Disconnect/Unfollow"; +$a->strings["Status Messages and Posts"] = "Status Messages and Posts"; +$a->strings["Events"] = "Events"; +$a->strings["View"] = "View"; +$a->strings["Previous"] = "Previous"; +$a->strings["today"] = "today"; +$a->strings["month"] = "month"; +$a->strings["week"] = "week"; +$a->strings["day"] = "day"; +$a->strings["list"] = "List"; +$a->strings["User not found"] = "User not found"; +$a->strings["This calendar format is not supported"] = "This calendar format is not supported"; +$a->strings["No exportable data found"] = "No exportable data found"; +$a->strings["calendar"] = "calendar"; +$a->strings["Event can not end before it has started."] = "Event cannot end before it has started."; +$a->strings["Event title and start time are required."] = "Event title and starting time are required."; +$a->strings["Create New Event"] = "Create new event"; +$a->strings["Event details"] = "Event details"; +$a->strings["Starting date and Title are required."] = "Starting date and title are required."; +$a->strings["Event Starts:"] = "Event starts:"; +$a->strings["Required"] = "Required"; +$a->strings["Finish date/time is not known or not relevant"] = "Finish date/time is not known or not relevant"; +$a->strings["Event Finishes:"] = "Event finishes:"; +$a->strings["Adjust for viewer timezone"] = "Adjust for viewer's time zone"; +$a->strings["Description:"] = "Description:"; +$a->strings["Title:"] = "Title:"; +$a->strings["Share this event"] = "Share this event"; +$a->strings["Basic"] = "Basic"; +$a->strings["Advanced"] = "Advanced"; +$a->strings["Failed to remove event"] = "Failed to remove event"; +$a->strings["Event removed"] = "Event removed"; +$a->strings["Image uploaded but image cropping failed."] = "Image uploaded but image cropping failed."; +$a->strings["Image size reduction [%s] failed."] = "Image size reduction [%s] failed."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Shift-reload the page or clear browser cache if the new photo does not display immediately."; +$a->strings["Unable to process image"] = "Unable to process image"; +$a->strings["Upload File:"] = "Upload File:"; +$a->strings["Select a profile:"] = "Select a profile:"; +$a->strings["or"] = "or"; +$a->strings["skip this step"] = "skip this step"; +$a->strings["select a photo from your photo albums"] = "select a photo from your photo albums"; +$a->strings["Crop Image"] = "Crop Image"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Please adjust the image cropping for optimum viewing."; +$a->strings["Done Editing"] = "Done editing"; +$a->strings["Image uploaded successfully."] = "Image uploaded successfully."; +$a->strings["Status:"] = "Status:"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["Global Directory"] = "Global Directory"; +$a->strings["Find on this site"] = "Find on this site"; +$a->strings["Results for:"] = "Results for:"; +$a->strings["Site Directory"] = "Site directory"; +$a->strings["Find"] = "Find"; +$a->strings["No entries (some entries may be hidden)."] = "No entries (entries may be hidden)."; +$a->strings["Source input"] = ""; +$a->strings["BBCode::convert (raw HTML)"] = ""; +$a->strings["BBCode::convert"] = ""; +$a->strings["BBCode::convert => HTML::toBBCode"] = ""; +$a->strings["BBCode::toMarkdown"] = "BBCode::toMarkdown"; +$a->strings["BBCode::toMarkdown => Markdown::convert"] = "BBCode::toMarkdown => Markdown::convert"; +$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = ""; +$a->strings["Source input \\x28Diaspora format\\x29"] = ""; +$a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; +$a->strings["Raw HTML input"] = ""; +$a->strings["HTML Input"] = ""; +$a->strings["HTML::toBBCode"] = "HTML::toBBCode"; +$a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; +$a->strings["Source text"] = ""; +$a->strings["BBCode"] = "BBCode"; +$a->strings["Markdown"] = "Markdown"; +$a->strings["HTML"] = "HTML"; +$a->strings["The contact could not be added."] = "Contact could not be added."; +$a->strings["You already added this contact."] = "You already added this contact."; +$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora support isn't enabled. Contact can't be added."; +$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus support is disabled. Contact can't be added."; +$a->strings["The network type couldn't be detected. Contact can't be added."] = "The network type couldn't be detected. Contact can't be added."; $a->strings["Profile deleted."] = "Profile deleted."; $a->strings["Profile-"] = "Profile-"; $a->strings["New profile created."] = "New profile created."; @@ -583,7 +953,6 @@ $a->strings["Profile picture"] = "Profile picture"; $a->strings["Preferences"] = "Preferences"; $a->strings["Status information"] = "Status information"; $a->strings["Additional information"] = "Additional information"; -$a->strings["Personal"] = "Personal"; $a->strings["Relation"] = "Relation"; $a->strings["Miscellaneous"] = "Miscellaneous"; $a->strings["Your Gender:"] = "Gender:"; @@ -591,7 +960,6 @@ $a->strings[" Marital Status:"] = "strings["Sexual Preference:"] = "Sexual preference:"; $a->strings["Example: fishing photography software"] = "Example: fishing photography software"; $a->strings["Profile Name:"] = "Profile name:"; -$a->strings["Required"] = "Required"; $a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "This is your public profile.
It may be visible to anybody using the internet."; $a->strings["Your Full Name:"] = "My full name:"; $a->strings["Title/Description:"] = "Title/Description:"; @@ -631,11 +999,6 @@ $a->strings["visible to everybody"] = "Visible to everybody"; $a->strings["Edit/Manage Profiles"] = "Edit/Manage Profiles"; $a->strings["Change profile photo"] = "Change profile photo"; $a->strings["Create New Profile"] = "Create new profile"; -$a->strings["Invalid request."] = "Invalid request."; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Sorry, maybe your upload is bigger than the PHP configuration allows"; -$a->strings["Or - did you try to upload an empty file?"] = "Or did you try to upload an empty file?"; -$a->strings["File exceeds size limit of %s"] = "File exceeds size limit of %s"; -$a->strings["File upload failed."] = "File upload failed."; $a->strings["%d contact edited."] = [ 0 => "%d contact edited.", 1 => "%d contacts edited.", @@ -643,7 +1006,6 @@ $a->strings["%d contact edited."] = [ $a->strings["Could not access contact record."] = "Could not access contact record."; $a->strings["Could not locate selected profile."] = "Could not locate selected profile."; $a->strings["Contact updated."] = "Contact updated."; -$a->strings["Failed to update contact record."] = "Failed to update contact record."; $a->strings["Contact has been blocked"] = "Contact has been blocked"; $a->strings["Contact has been unblocked"] = "Contact has been unblocked"; $a->strings["Contact has been ignored"] = "Contact has been ignored"; @@ -700,7 +1062,6 @@ $a->strings["Status"] = "Status"; $a->strings["Contact Settings"] = "Notification and privacy "; $a->strings["Suggestions"] = "Suggestions"; $a->strings["Suggest potential friends"] = "Suggest potential friends"; -$a->strings["All Contacts"] = "All contacts"; $a->strings["Show all contacts"] = "Show all contacts"; $a->strings["Unblocked"] = "Unblocked"; $a->strings["Only show unblocked contacts"] = "Only show unblocked contacts"; @@ -713,8 +1074,6 @@ $a->strings["Only show archived contacts"] = "Only show archived contacts"; $a->strings["Hidden"] = "Hidden"; $a->strings["Only show hidden contacts"] = "Only show hidden contacts"; $a->strings["Search your contacts"] = "Search your contacts"; -$a->strings["Results for: %s"] = "Results for: %s"; -$a->strings["Find"] = "Find"; $a->strings["Update"] = "Update"; $a->strings["Archive"] = "Archive"; $a->strings["Unarchive"] = "Unarchive"; @@ -722,7 +1081,6 @@ $a->strings["Batch Actions"] = "Batch actions"; $a->strings["Profile Details"] = "Profile Details"; $a->strings["View all contacts"] = "View all contacts"; $a->strings["View all common friends"] = "View all common friends"; -$a->strings["Advanced"] = "Advanced"; $a->strings["Advanced Contact Settings"] = "Advanced contact settings"; $a->strings["Mutual Friendship"] = "Mutual friendship"; $a->strings["is a fan of yours"] = "is a fan of yours"; @@ -731,144 +1089,21 @@ $a->strings["Toggle Blocked status"] = "Toggle blocked status"; $a->strings["Toggle Ignored status"] = "Toggle ignored status"; $a->strings["Toggle Archive status"] = "Toggle archive status"; $a->strings["Delete contact"] = "Delete contact"; -$a->strings["No parent user"] = "No parent user"; -$a->strings["Parent User"] = "Parent user"; -$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Parent users have total control of this account, including core settings. Please double-check whom you grant such access."; -$a->strings["Save Settings"] = "Save settings"; -$a->strings["Delegate Page Management"] = "Delegate Page Management"; -$a->strings["Delegates"] = "Delegates"; -$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely."; -$a->strings["Existing Page Managers"] = "Existing page managers"; -$a->strings["Existing Page Delegates"] = "Existing page delegates"; -$a->strings["Potential Delegates"] = "Potential delegates"; -$a->strings["Remove"] = "Remove"; -$a->strings["Add"] = "Add"; -$a->strings["No entries."] = "No entries."; -$a->strings["This introduction has already been accepted."] = "This introduction has already been accepted."; -$a->strings["Profile location is not valid or does not contain profile information."] = "Profile location is not valid or does not contain profile information."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Warning: profile location has no identifiable owner name."; -$a->strings["Warning: profile location has no profile photo."] = "Warning: profile location has no profile photo."; -$a->strings["%d required parameter was not found at the given location"] = [ - 0 => "%d required parameter was not found at the given location", - 1 => "%d required parameters were not found at the given location", -]; -$a->strings["Introduction complete."] = "Introduction complete."; -$a->strings["Unrecoverable protocol error."] = "Unrecoverable protocol error."; -$a->strings["Profile unavailable."] = "Profile unavailable."; -$a->strings["%s has received too many connection requests today."] = "%s has received too many connection requests today."; -$a->strings["Spam protection measures have been invoked."] = "Spam protection measures have been invoked."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Friends are advised to please try again in 24 hours."; -$a->strings["Invalid locator"] = "Invalid locator"; -$a->strings["You have already introduced yourself here."] = "You have already introduced yourself here."; -$a->strings["Apparently you are already friends with %s."] = "Apparently you are already friends with %s."; -$a->strings["Invalid profile URL."] = "Invalid profile URL."; -$a->strings["Disallowed profile URL."] = "Disallowed profile URL."; -$a->strings["Your introduction has been sent."] = "Your introduction has been sent."; -$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Remote subscription can't be done for your network. Please subscribe directly on your system."; -$a->strings["Please login to confirm introduction."] = "Please login to confirm introduction."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Incorrect identity currently logged in. Please login to this profile."; -$a->strings["Confirm"] = "Confirm"; -$a->strings["Hide this contact"] = "Hide this contact"; -$a->strings["Welcome home %s."] = "Welcome home %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Please confirm your introduction/connection request to %s."; -$a->strings["Public access denied."] = "Public access denied."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Please enter your 'Identity address' from one of the following supported communications networks:"; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "If you are not yet part of the free social web, follow this link to find a public Friendica site and join us today."; -$a->strings["Friend/Connection Request"] = "Friend/Connection request"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = "Examples: jojo@demo.friendi.ca, http://demo.friendi.ca/profile/jojo, user@gnusocial.de"; -$a->strings["Please answer the following:"] = "Please answer the following:"; -$a->strings["Does %s know you?"] = "Does %s know you?"; -$a->strings["Add a personal note:"] = "Add a personal note:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["GNU Social (Pleroma, Mastodon)"] = "GNU Social (Pleroma, Mastodon)"; -$a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla)"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - please do not use this form. Instead, enter %s into your Diaspora search bar."; -$a->strings["- select -"] = "- select -"; -$a->strings["The contact could not be added."] = "Contact could not be added."; -$a->strings["You already added this contact."] = "You already added this contact."; -$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora support isn't enabled. Contact can't be added."; -$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus support is disabled. Contact can't be added."; -$a->strings["The network type couldn't be detected. Contact can't be added."] = "The network type couldn't be detected. Contact can't be added."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Communications Server - Setup"; -$a->strings["Could not connect to database."] = "Could not connect to database."; -$a->strings["Could not create table."] = "Could not create table."; -$a->strings["Your Friendica site database has been installed."] = "Your Friendica site database has been installed."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Please see the file \"INSTALL.txt\"."; -$a->strings["Database already in use."] = "Database already in use."; -$a->strings["System check"] = "System check"; -$a->strings["Check again"] = "Check again"; -$a->strings["Database connection"] = "Database connection"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "In order to install Friendica we need to know how to connect to your database."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Please contact your hosting provider or site administrator if you have questions about these settings."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "The database you specify below should already exist. If it does not, please create it before continuing."; -$a->strings["Database Server Name"] = "Database server name"; -$a->strings["Database Login Name"] = "Database login name"; -$a->strings["Database Login Password"] = "Database login password"; -$a->strings["For security reasons the password must not be empty"] = "For security reasons the password must not be empty"; -$a->strings["Database Name"] = "Database name"; -$a->strings["Site administrator email address"] = "Site administrator email address"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Your account email address must match this in order to use the web admin panel."; -$a->strings["Please select a default timezone for your website"] = "Please select a default time zone for your website"; -$a->strings["Site settings"] = "Site settings"; -$a->strings["System Language:"] = "System language:"; -$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Set the default language for your Friendica installation interface and email communication."; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Could not find a command line version of PHP in the web server PATH."; -$a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = "If your server doesn't have a command line version of PHP installed, you won't be able to run background processing. See 'Setup the worker'"; -$a->strings["PHP executable path"] = "PHP executable path"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Enter full path to php executable. You can leave this blank to continue the installation."; -$a->strings["Command line PHP"] = "Command line PHP"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "PHP executable is not a php cli binary; it could possibly be a cgi-fgci version."; -$a->strings["Found PHP version: "] = "Found PHP version: "; -$a->strings["PHP cli binary"] = "PHP cli binary"; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "The command line version of PHP on your system does not have \"register_argc_argv\" enabled."; -$a->strings["This is required for message delivery to work."] = "This is required for message delivery to work."; -$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "If running under Windows OS, please see \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Generate encryption keys"; -$a->strings["libCurl PHP module"] = "libCurl PHP module"; -$a->strings["GD graphics PHP module"] = "GD graphics PHP module"; -$a->strings["OpenSSL PHP module"] = "OpenSSL PHP module"; -$a->strings["PDO or MySQLi PHP module"] = "PDO or MySQLi PHP module"; -$a->strings["mb_string PHP module"] = "mb_string PHP module"; -$a->strings["XML PHP module"] = "XML PHP module"; -$a->strings["iconv module"] = "iconv module"; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: Apache web server mod-rewrite module is required but not installed."; -$a->strings["Error: libCURL PHP module required but not installed."] = "Error: libCURL PHP module required but not installed."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: GD graphics PHP module with JPEG support required but not installed."; -$a->strings["Error: openssl PHP module required but not installed."] = "Error: openssl PHP module required but not installed."; -$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = "Error: PDO or MySQLi PHP module required but not installed."; -$a->strings["Error: The MySQL driver for PDO is not installed."] = "Error: MySQL driver for PDO is not installed."; -$a->strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; -$a->strings["Error: iconv PHP module required but not installed."] = "Error: iconv PHP module required but not installed."; -$a->strings["Error, XML PHP module required but not installed."] = "Error, XML PHP module required but not installed."; -$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so."; -$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can."; -$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top-level directory."; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternatively, you may skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php is writeable"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."; -$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top-level directory."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Please ensure the user (e.g. www-data) that your web server runs as has write access to this directory."; -$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 is writeable"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "URL rewrite in .htaccess is not working. Check your server configuration."; -$a->strings["Url rewrite is working"] = "URL rewrite is working"; -$a->strings["ImageMagick PHP extension is not installed"] = "ImageMagick PHP extension is not installed"; -$a->strings["ImageMagick PHP extension is installed"] = "ImageMagick PHP extension is installed"; -$a->strings["ImageMagick supports GIF"] = "ImageMagick supports GIF"; -$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."; -$a->strings["

What next

"] = "

What next

"; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "IMPORTANT: You will need to [manually] setup a scheduled task for the worker."; -$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = "Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."; -$a->strings["Time Conversion"] = "Time conversion"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica provides this service for sharing events with other networks and friends in unknown time zones."; -$a->strings["UTC time: %s"] = "UTC time: %s"; -$a->strings["Current timezone: %s"] = "Current time zone: %s"; -$a->strings["Converted localtime: %s"] = "Converted local time: %s"; -$a->strings["Please select your timezone:"] = "Please select your time zone:"; +$a->strings["Terms of Service"] = "Terms of Service"; +$a->strings["Privacy Statement"] = "Privacy Statement"; +$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = ""; +$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = ""; +$a->strings["This is Friendica, version"] = "This is Friendica, version"; +$a->strings["running at web location"] = "running at web location"; +$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = "Please visit Friendi.ca to learn more about the Friendica project."; +$a->strings["Bug reports and issues: please visit"] = "Bug reports and issues: please visit"; +$a->strings["the bugtracker at github"] = "the bugtracker at github"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"; +$a->strings["Installed addons/apps:"] = "Installed addons/apps:"; +$a->strings["No installed addons/apps"] = "No installed addons/apps"; +$a->strings["Read about the Terms of Service of this node."] = ""; +$a->strings["On this server the following remote servers are blocked."] = "On this server the following remote servers are blocked."; +$a->strings["Reason for the block"] = "Reason for the block"; $a->strings["No valid account found."] = "No valid account found."; $a->strings["Password reset request issued. Check your email."] = "Password reset request issued. Please check your email."; $a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\n\t\tDear %1\$s,\n\t\t\tA request was received at \"%2\$s\" to reset your account password.\n\t\tTo confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser's address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided; ignore or delete this email, as the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."; @@ -889,80 +1124,6 @@ $a->strings["Your password may be changed from the Settings page after $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"; $a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = "\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"; $a->strings["Your password has been changed at %s"] = "Your password has been changed at %s"; -$a->strings["No more system notifications."] = "No more system notifications."; -$a->strings["{0} wants to be your friend"] = "{0} wants to be your friend"; -$a->strings["{0} sent you a message"] = "{0} sent you a message"; -$a->strings["{0} requested registration"] = "{0} requested registration"; -$a->strings["Poke/Prod"] = "Poke/Prod"; -$a->strings["poke, prod or do other things to somebody"] = "Poke, prod or do other things to somebody"; -$a->strings["Recipient"] = "Recipient:"; -$a->strings["Choose what you wish to do to recipient"] = "Choose what you wish to do:"; -$a->strings["Make this post private"] = "Make this post private"; -$a->strings["Only logged in users are permitted to perform a probing."] = "Only logged in users are permitted to perform a probing."; -$a->strings["Image uploaded but image cropping failed."] = "Image uploaded but image cropping failed."; -$a->strings["Image size reduction [%s] failed."] = "Image size reduction [%s] failed."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Shift-reload the page or clear browser cache if the new photo does not display immediately."; -$a->strings["Unable to process image"] = "Unable to process image"; -$a->strings["Image exceeds size limit of %s"] = "Image exceeds size limit of %s"; -$a->strings["Unable to process image."] = "Unable to process image."; -$a->strings["Upload File:"] = "Upload File:"; -$a->strings["Select a profile:"] = "Select a profile:"; -$a->strings["or"] = "or"; -$a->strings["skip this step"] = "skip this step"; -$a->strings["select a photo from your photo albums"] = "select a photo from your photo albums"; -$a->strings["Crop Image"] = "Crop Image"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Please adjust the image cropping for optimum viewing."; -$a->strings["Done Editing"] = "Done editing"; -$a->strings["Image uploaded successfully."] = "Image uploaded successfully."; -$a->strings["Image upload failed."] = "Image upload failed."; -$a->strings["Permission denied"] = "Permission denied"; -$a->strings["Invalid profile identifier."] = "Invalid profile identifier."; -$a->strings["Profile Visibility Editor"] = "Profile Visibility Editor"; -$a->strings["Click on a contact to add or remove."] = "Click on a contact to add or remove."; -$a->strings["Visible To"] = "Visible to"; -$a->strings["All Contacts (with secure profile access)"] = "All contacts with secure profile access"; -$a->strings["Account approved."] = "Account approved."; -$a->strings["Registration revoked for %s"] = "Registration revoked for %s"; -$a->strings["Please login."] = "Please login."; -$a->strings["Remove My Account"] = "Remove My Account"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "This will completely remove your account. Once this has been done it is not recoverable."; -$a->strings["Please enter your password for verification:"] = "Please enter your password for verification:"; -$a->strings["Remove term"] = "Remove term"; -$a->strings["Saved Searches"] = "Saved searches"; -$a->strings["Only logged in users are permitted to perform a search."] = "Only logged in users are permitted to perform a search."; -$a->strings["Too Many Requests"] = "Too many requests"; -$a->strings["Only one search per minute is permitted for not logged in users."] = "Only one search per minute is permitted for not logged in users."; -$a->strings["No results."] = "No results."; -$a->strings["Items tagged with: %s"] = "Items tagged with: %s"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s is following %2\$s's %3\$s"; -$a->strings["Tag removed"] = "Tag removed"; -$a->strings["Remove Item Tag"] = "Remove Item tag"; -$a->strings["Select a tag to remove: "] = "Select a tag to remove: "; -$a->strings["Export account"] = "Export account"; -$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Export your account info and contacts. Use this to backup your account or to move it to another server."; -$a->strings["Export all"] = "Export all"; -$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"; -$a->strings["Export personal data"] = "Export personal data"; -$a->strings["No contacts."] = "No contacts."; -$a->strings["Access denied."] = "Access denied."; -$a->strings["Wall Photos"] = "Wall photos"; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Number of daily wall messages for %s exceeded. Message failed."; -$a->strings["No recipient selected."] = "No recipient selected."; -$a->strings["Unable to check your home location."] = "Unable to check your home location."; -$a->strings["Message could not be sent."] = "Message could not be sent."; -$a->strings["Message collection failure."] = "Message collection failure."; -$a->strings["Message sent."] = "Message sent."; -$a->strings["No recipient."] = "No recipient."; -$a->strings["Send Private Message"] = "Send private message"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."; -$a->strings["To:"] = "To:"; -$a->strings["Subject:"] = "Subject:"; -$a->strings["Unable to locate original post."] = "Unable to locate original post."; -$a->strings["Empty post discarded."] = "Empty post discarded."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "This message was sent to you by %s, a member of the Friendica social network."; -$a->strings["You may visit them online at %s"] = "You may visit them online at %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Please contact the sender by replying to this post if you do not wish to receive these messages."; -$a->strings["%s posted an update."] = "%s posted an update."; $a->strings["Registration successful. Please check your email for further instructions."] = "Registration successful. Please check your email for further instructions."; $a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = "Failed to send email message. Here your account details:
login: %s
password: %s

You can change your password after login."; $a->strings["Registration successful."] = "Registration successful."; @@ -1012,11 +1173,17 @@ $a->strings["check webfinger"] = "Check webfinger"; $a->strings["Admin"] = "Admin"; $a->strings["Addon Features"] = "Addon features"; $a->strings["User registrations waiting for confirmation"] = "User registrations awaiting confirmation"; +$a->strings["Administration"] = "Administration"; +$a->strings["Display Terms of Service"] = ""; +$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = ""; +$a->strings["Display Privacy Statement"] = ""; +$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = ""; +$a->strings["The Terms of Service"] = ""; +$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = ""; $a->strings["The blocked domain"] = "Blocked domain"; $a->strings["The reason why you blocked this domain."] = "Reason why you blocked this domain."; $a->strings["Delete domain"] = "Delete domain"; $a->strings["Check to delete this entry from the blocklist"] = "Check to delete this entry from the blocklist"; -$a->strings["Administration"] = "Administration"; $a->strings["This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."] = "This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."; $a->strings["The list of blocked servers will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = "The list of blocked servers will publicly available on the Friendica page so that your users and people investigating communication problems can readily find the reason."; $a->strings["Add new entry to block list"] = "Add new entry to block list"; @@ -1067,9 +1234,9 @@ $a->strings["Network"] = "Network"; $a->strings["Created"] = "Created"; $a->strings["Last Tried"] = "Last Tried"; $a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = "This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."; -$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php scripts/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
"] = "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB, because Friendica will use InnoDB only features in the future. See here for a guide that may be helpful converting the table engines. You may also use the command php scripts/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
"; +$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = ""; $a->strings["There is a new version of Friendica available for download. Your current version is %1\$s, upstream version is %2\$s"] = "A new Friendica version is available now. Your current version is %1\$s, upstream version is %2\$s"; -$a->strings["The database update failed. Please run \"php scripts/dbstructure.php update\" from the command line and have a look at the errors that might appear."] = "The database update failed. Please run \"php scripts/dbstructure.php update\" from the command line; check logs for errors."; +$a->strings["The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and have a look at the errors that might appear."] = ""; $a->strings["The worker was never executed. Please check your database structure!"] = "The worker process has never been executed. Please check your database structure!"; $a->strings["The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings."] = "The last worker process started at %s UTC. This is more than one hour ago. Please adjust your crontab settings."; $a->strings["Normal Account"] = "Standard account"; @@ -1113,6 +1280,7 @@ $a->strings["Policies"] = "Policies"; $a->strings["Auto Discovered Contact Directory"] = "Auto-discovered contact directory"; $a->strings["Performance"] = "Performance"; $a->strings["Worker"] = "Worker"; +$a->strings["Message Relay"] = ""; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Relocate - Warning, advanced function: This could make this server unreachable."; $a->strings["Site name"] = "Site name"; $a->strings["Host name"] = "Host name"; @@ -1148,7 +1316,7 @@ $a->strings["Register policy"] = "Registration policy"; $a->strings["Maximum Daily Registrations"] = "Maximum daily registrations"; $a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = "If open registration is permitted, this sets the maximum number of new registrations per day. This setting has no effect for registrations by approval."; $a->strings["Register text"] = "Registration text"; -$a->strings["Will be displayed prominently on the registration page."] = "Will be displayed prominently on the registration page."; +$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = ""; $a->strings["Accounts abandoned after x days"] = "Accounts abandoned after so many days"; $a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Will not waste system resources polling external sites for abandoned accounts. Enter 0 for no time limit."; $a->strings["Allowed friend domains"] = "Allowed friend domains"; @@ -1245,6 +1413,7 @@ $a->strings["New base url"] = "New base URL"; $a->strings["Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."] = "Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."; $a->strings["RINO Encryption"] = "RINO Encryption"; $a->strings["Encryption layer between nodes."] = "Encryption layer between nodes."; +$a->strings["Enabled"] = ""; $a->strings["Maximum number of parallel workers"] = "Maximum number of parallel workers"; $a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = "On shared hosts set this to 2. On larger systems, values of 10 are great. Default value is 4."; $a->strings["Don't use 'proc_open' with the worker"] = "Don't use 'proc_open' with the worker"; @@ -1253,6 +1422,20 @@ $a->strings["Enable fastlane"] = "Enable fast-lane"; $a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = "The fast-lane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."; $a->strings["Enable frontend worker"] = "Enable frontend worker"; $a->strings["When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = "Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."; +$a->strings["Subscribe to relay"] = ""; +$a->strings["Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page."] = ""; +$a->strings["Relay server"] = ""; +$a->strings["Address of the relay server where public posts should be send to. For example https://relay.diasp.org"] = ""; +$a->strings["Direct relay transfer"] = ""; +$a->strings["Enables the direct transfer to other servers without using the relay servers"] = ""; +$a->strings["Relay scope"] = ""; +$a->strings["Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."] = ""; +$a->strings["all"] = ""; +$a->strings["tags"] = ""; +$a->strings["Server tags"] = ""; +$a->strings["Comma separated list of tags for the 'tags' subscription."] = ""; +$a->strings["Allow user tags"] = ""; +$a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = ""; $a->strings["Update has been marked successful"] = "Update has been marked successful"; $a->strings["Database structure update %s was successfully applied."] = "Database structure update %s was successfully applied."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Executing of database structure update %s failed with error: %s"; @@ -1267,7 +1450,7 @@ $a->strings["This does not include updates prior to 1139, which did not return a $a->strings["Mark success (if update was manually applied)"] = "Mark success (if update was manually applied)"; $a->strings["Attempt to execute this update step automatically"] = "Attempt to execute this update step automatically"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThe administrator of %2\$s has set up an account for you."; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."] = "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, this may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = ""; $a->strings["Registration details for %s"] = "Registration details for %s"; $a->strings["%s user blocked/unblocked"] = [ 0 => "%s user blocked/unblocked", @@ -1333,166 +1516,6 @@ $a->strings["Off"] = "Off"; $a->strings["On"] = "On"; $a->strings["Lock feature %s"] = "Lock feature %s"; $a->strings["Manage Additional Features"] = "Manage additional features"; -$a->strings["Source (bbcode) text:"] = "Source (bbcode) text:"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Source (Diaspora) text to convert to BBcode:"; -$a->strings["Source input: "] = "Source input: "; -$a->strings["bbcode (raw HTML(: "] = "bbcode (raw HTML(: "; -$a->strings["bbcode: "] = "bbcode: "; -$a->strings["bbcode => html2bbcode: "] = "bbcode => html2bbcode: "; -$a->strings["bb2diaspora: "] = "bb2diaspora: "; -$a->strings["bb2diaspora => Markdown: "] = "bb2diaspora => Markdown: "; -$a->strings["bb2diaspora => diaspora2bb: "] = "bb2diaspora => diaspora2bb: "; -$a->strings["Source input (Diaspora format): "] = "Source input (Diaspora format): "; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Login"] = "Login"; -$a->strings["The post was created"] = "The post was created"; -$a->strings["Community option not available."] = "Community option not available."; -$a->strings["Not available."] = "Not available."; -$a->strings["Local Community"] = "Local community"; -$a->strings["Posts from local users on this server"] = "Posts from local users on this server"; -$a->strings["Global Community"] = "Global Community"; -$a->strings["Posts from users of the whole federated network"] = "Posts from users of the whole federated network"; -$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."; -$a->strings["Status:"] = "Status:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["Global Directory"] = "Global Directory"; -$a->strings["Find on this site"] = "Find on this site"; -$a->strings["Results for:"] = "Results for:"; -$a->strings["Site Directory"] = "Site directory"; -$a->strings["No entries (some entries may be hidden)."] = "No entries (entries may be hidden)."; -$a->strings["Item not found"] = "Item not found"; -$a->strings["Edit post"] = "Edit post"; -$a->strings["Event can not end before it has started."] = "Event cannot end before it has started."; -$a->strings["Event title and start time are required."] = "Event title and starting time are required."; -$a->strings["Create New Event"] = "Create new event"; -$a->strings["Event details"] = "Event details"; -$a->strings["Starting date and Title are required."] = "Starting date and title are required."; -$a->strings["Event Starts:"] = "Event starts:"; -$a->strings["Finish date/time is not known or not relevant"] = "Finish date/time is not known or not relevant"; -$a->strings["Event Finishes:"] = "Event finishes:"; -$a->strings["Adjust for viewer timezone"] = "Adjust for viewer's time zone"; -$a->strings["Description:"] = "Description:"; -$a->strings["Title:"] = "Title:"; -$a->strings["Share this event"] = "Share this event"; -$a->strings["Basic"] = "Basic"; -$a->strings["Failed to remove event"] = "Failed to remove event"; -$a->strings["Event removed"] = "Event removed"; -$a->strings["Friend suggestion sent."] = "Friend suggestion sent"; -$a->strings["Suggest Friends"] = "Suggest friends"; -$a->strings["Suggest a friend for %s"] = "Suggest a friend for %s"; -$a->strings["Group created."] = "Group created."; -$a->strings["Could not create group."] = "Could not create group."; -$a->strings["Group not found."] = "Group not found."; -$a->strings["Group name changed."] = "Group name changed."; -$a->strings["Save Group"] = "Save group"; -$a->strings["Create a group of contacts/friends."] = "Create a group of contacts/friends."; -$a->strings["Group Name: "] = "Group name: "; -$a->strings["Group removed."] = "Group removed."; -$a->strings["Unable to remove group."] = "Unable to remove group."; -$a->strings["Delete Group"] = "Delete group"; -$a->strings["Group Editor"] = "Group Editor"; -$a->strings["Edit Group Name"] = "Edit group name"; -$a->strings["Members"] = "Members"; -$a->strings["Group is empty"] = "Group is empty"; -$a->strings["Remove Contact"] = "Remove contact"; -$a->strings["Add Contact"] = "Add contact"; -$a->strings["New Message"] = "New Message"; -$a->strings["Unable to locate contact information."] = "Unable to locate contact information."; -$a->strings["Messages"] = "Messages"; -$a->strings["Do you really want to delete this message?"] = "Do you really want to delete this message?"; -$a->strings["Message deleted."] = "Message deleted."; -$a->strings["Conversation removed."] = "Conversation removed."; -$a->strings["No messages."] = "No messages."; -$a->strings["Message not available."] = "Message not available."; -$a->strings["Delete message"] = "Delete message"; -$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; -$a->strings["Delete conversation"] = "Delete conversation"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "No secure communications available. You may be able to respond from the sender's profile page."; -$a->strings["Send Reply"] = "Send reply"; -$a->strings["Unknown sender - %s"] = "Unknown sender - %s"; -$a->strings["You and %s"] = "Me and %s"; -$a->strings["%s and You"] = "%s and me"; -$a->strings["%d message"] = [ - 0 => "%d message", - 1 => "%d messages", -]; -$a->strings["add"] = "add"; -$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ - 0 => "Warning: This group contains %s member from a network that doesn't allow non public messages.", - 1 => "Warning: This group contains %s members from a network that doesn't allow non public messages.", -]; -$a->strings["Messages in this group won't be send to these receivers."] = "Messages in this group won't be send to these receivers."; -$a->strings["No such group"] = "No such group"; -$a->strings["Group: %s"] = "Group: %s"; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Private messages to this person are at risk of public disclosure."; -$a->strings["Invalid contact."] = "Invalid contact."; -$a->strings["Commented Order"] = "Commented last"; -$a->strings["Sort by Comment Date"] = "Sort by comment date"; -$a->strings["Posted Order"] = "Posted last"; -$a->strings["Sort by Post Date"] = "Sort by post date"; -$a->strings["Posts that mention or involve you"] = "Posts mentioning or involving me"; -$a->strings["New"] = "New"; -$a->strings["Activity Stream - by date"] = "Activity Stream - by date"; -$a->strings["Shared Links"] = "Shared links"; -$a->strings["Interesting Links"] = "Interesting links"; -$a->strings["Starred"] = "Starred"; -$a->strings["Favourite Posts"] = "My favourite posts"; -$a->strings["Personal Notes"] = "Personal notes"; -$a->strings["Photo Albums"] = "Photo Albums"; -$a->strings["Recent Photos"] = "Recent photos"; -$a->strings["Upload New Photos"] = "Upload new photos"; -$a->strings["everybody"] = "everybody"; -$a->strings["Contact information unavailable"] = "Contact information unavailable"; -$a->strings["Album not found."] = "Album not found."; -$a->strings["Delete Album"] = "Delete album"; -$a->strings["Do you really want to delete this photo album and all its photos?"] = "Do you really want to delete this photo album and all its photos?"; -$a->strings["Delete Photo"] = "Delete photo"; -$a->strings["Do you really want to delete this photo?"] = "Do you really want to delete this photo?"; -$a->strings["a photo"] = "a photo"; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s was tagged in %2\$s by %3\$s"; -$a->strings["Image upload didn't complete, please try again"] = "Image upload didn't complete, please try again"; -$a->strings["Image file is missing"] = "Image file is missing"; -$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = "Server can't accept new file upload at this time, please contact your administrator"; -$a->strings["Image file is empty."] = "Image file is empty."; -$a->strings["No photos selected"] = "No photos selected"; -$a->strings["Access to this item is restricted."] = "Access to this item is restricted."; -$a->strings["Upload Photos"] = "Upload photos"; -$a->strings["New album name: "] = "New album name: "; -$a->strings["or existing album name: "] = "or existing album name: "; -$a->strings["Do not show a status post for this upload"] = "Do not show a status post for this upload"; -$a->strings["Show to Groups"] = "Show to groups"; -$a->strings["Show to Contacts"] = "Show to contacts"; -$a->strings["Edit Album"] = "Edit album"; -$a->strings["Show Newest First"] = "Show newest first"; -$a->strings["Show Oldest First"] = "Show oldest first"; -$a->strings["View Photo"] = "View photo"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Permission denied. Access to this item may be restricted."; -$a->strings["Photo not available"] = "Photo not available"; -$a->strings["View photo"] = "View photo"; -$a->strings["Edit photo"] = "Edit photo"; -$a->strings["Use as profile photo"] = "Use as profile photo"; -$a->strings["Private Message"] = "Private message"; -$a->strings["View Full Size"] = "View full size"; -$a->strings["Tags: "] = "Tags: "; -$a->strings["[Remove any tag]"] = "[Remove any tag]"; -$a->strings["New album name"] = "New album name"; -$a->strings["Caption"] = "Caption"; -$a->strings["Add a Tag"] = "Add Tag"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Example: @bob, @jojo@example.com, #California, #camping"; -$a->strings["Do not rotate"] = "Do not rotate"; -$a->strings["Rotate CW (right)"] = "Rotate right (CW)"; -$a->strings["Rotate CCW (left)"] = "Rotate left (CCW)"; -$a->strings["I like this (toggle)"] = "I like this (toggle)"; -$a->strings["I don't like this (toggle)"] = "I don't like this (toggle)"; -$a->strings["This is you"] = "This is me"; -$a->strings["Comment"] = "Comment"; -$a->strings["Map"] = "Map"; -$a->strings["View Album"] = "View album"; -$a->strings["Requested profile is not available."] = "Requested profile is unavailable."; -$a->strings["%s's posts"] = "%s's posts"; -$a->strings["%s's comments"] = "%s's comments"; -$a->strings["%s's timeline"] = "%s's timeline"; -$a->strings["Tips for New Members"] = "Tips for New Members"; $a->strings["Display"] = "Display"; $a->strings["Social Networks"] = "Social networks"; $a->strings["Delegations"] = "Delegations"; @@ -1505,6 +1528,7 @@ $a->strings["Features updated"] = "Features updated"; $a->strings["Relocate message has been send to your contacts"] = "Relocate message has been send to your contacts"; $a->strings["Passwords do not match. Password unchanged."] = "Passwords do not match. Password unchanged."; $a->strings["Empty passwords are not allowed. Password unchanged."] = "Empty passwords are not allowed. Password unchanged."; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; $a->strings["Wrong password."] = "Wrong password."; $a->strings["Password changed."] = "Password changed."; $a->strings["Password update failed. Please try again."] = "Password update failed. Please try again."; @@ -1537,6 +1561,8 @@ $a->strings["Built-in support for %s connectivity is %s"] = "Built-in support fo $a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; $a->strings["Email access is disabled on this site."] = "Email access is disabled on this site."; $a->strings["General Social Media Settings"] = "General Social Media Settings"; +$a->strings["Disable Content Warning"] = "Disable Content Warning"; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = "Users on networks like Mastodon or Pleroma can set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you set up later."; $a->strings["Disable intelligent shortening"] = "Disable intelligent shortening"; $a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = "Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original Friendica post."; $a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = "Automatically follow any GNU Social (OStatus) followers/mentioners"; @@ -1680,80 +1706,22 @@ $a->strings["Show desktop popup on new notifications"] = "Show desktop pop-up on $a->strings["Text-only notification emails"] = "Text-only notification emails"; $a->strings["Send text only notification emails, without the html part"] = "Receive text only emails without HTML "; $a->strings["Show detailled notifications"] = "Show detailled notifications"; -$a->strings["Per default the notificiation are condensed to a single notification per item. When enabled, every notification is displayed."] = "Per default notifications are condensed to a single notification per item. When enabled, every notification is displayed."; +$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = "By default, notifications are condensed into a single notification for each item. When enabled, every notification is displayed."; $a->strings["Advanced Account/Page Type Settings"] = "Advanced account types"; $a->strings["Change the behaviour of this account for special situations"] = "Change behaviour of this account for special situations"; $a->strings["Relocate"] = "Recent relocation"; $a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = "If you have moved this profile from another server and some of your contacts don't receive your updates:"; $a->strings["Resend relocate message to contacts"] = "Resend relocation message to contacts"; -$a->strings["Do you really want to delete this video?"] = "Do you really want to delete this video?"; -$a->strings["Delete Video"] = "Delete video"; -$a->strings["No videos selected"] = "No videos selected"; -$a->strings["Recent Videos"] = "Recent videos"; -$a->strings["Upload New Videos"] = "Upload new videos"; -$a->strings["default"] = "default"; -$a->strings["greenzero"] = "greenzero"; -$a->strings["purplezero"] = "purplezero"; -$a->strings["easterbunny"] = "easterbunny"; -$a->strings["darkzero"] = "darkzero"; -$a->strings["comix"] = "comix"; -$a->strings["slackr"] = "slackr"; -$a->strings["Variations"] = "Variations"; -$a->strings["Repeat the image"] = "Repeat the image"; -$a->strings["Will repeat your image to fill the background."] = "Will repeat your image to fill the background."; -$a->strings["Stretch"] = "Stretch"; -$a->strings["Will stretch to width/height of the image."] = "Will stretch to width/height of the image."; -$a->strings["Resize fill and-clip"] = "Resize fill and-clip"; -$a->strings["Resize to fill and retain aspect ratio."] = "Resize to fill and retain aspect ratio."; -$a->strings["Resize best fit"] = "Resize to best fit"; -$a->strings["Resize to best fit and retain aspect ratio."] = "Resize to best fit and retain aspect ratio."; -$a->strings["Default"] = "Default"; -$a->strings["Note"] = "Note"; -$a->strings["Check image permissions if all users are allowed to visit the image"] = "Check image permissions if all users are allowed to visit the image"; -$a->strings["Select scheme"] = "Select scheme:"; -$a->strings["Navigation bar background color"] = "Navigation bar background colour:"; -$a->strings["Navigation bar icon color "] = "Navigation bar icon colour:"; -$a->strings["Link color"] = "Link colour:"; -$a->strings["Set the background color"] = "Background colour:"; -$a->strings["Content background opacity"] = "Content background opacity"; -$a->strings["Set the background image"] = "Background image:"; -$a->strings["Login page background image"] = "Login page background image"; -$a->strings["Login page background color"] = "Login page background colour"; -$a->strings["Leave background image and color empty for theme defaults"] = "Leave background image and colour empty for theme defaults"; -$a->strings["Guest"] = "Guest"; -$a->strings["Visitor"] = "Visitor"; -$a->strings["Logout"] = "Logout"; -$a->strings["End this session"] = "End this session"; -$a->strings["Your posts and conversations"] = "My posts and conversations"; -$a->strings["Your profile page"] = "My profile page"; -$a->strings["Your photos"] = "My photos"; -$a->strings["Videos"] = "Videos"; -$a->strings["Your videos"] = "My videos"; -$a->strings["Your events"] = "My events"; -$a->strings["Conversations from your friends"] = "My friends' conversations"; -$a->strings["Events and Calendar"] = "Events and calendar"; -$a->strings["Private mail"] = "Private messages"; -$a->strings["Account settings"] = "Account settings"; -$a->strings["Manage/edit friends and contacts"] = "Manage/Edit friends and contacts"; -$a->strings["Alignment"] = "Alignment"; -$a->strings["Left"] = "Left"; -$a->strings["Center"] = "Centre"; -$a->strings["Color scheme"] = "Colour scheme"; -$a->strings["Posts font size"] = "Posts font size"; -$a->strings["Textareas font size"] = "Text areas font size"; -$a->strings["Comma separated list of helper forums"] = "Comma separated list of helper forums"; -$a->strings["Set style"] = "Set style"; -$a->strings["Community Pages"] = "Community pages"; -$a->strings["Community Profiles"] = "Community profiles"; -$a->strings["Help or @NewHere ?"] = "Help or @NewHere ?"; -$a->strings["Connect Services"] = "Connect services"; -$a->strings["Find Friends"] = "Find friends"; -$a->strings["Last users"] = "Last users"; -$a->strings["Local Directory"] = "Local directory"; -$a->strings["Similar Interests"] = "Similar interests"; -$a->strings["Invite Friends"] = "Invite friends"; -$a->strings["External link to forum"] = "External link to forum"; -$a->strings["Quick Start"] = "Quick start"; +$a->strings["Error decoding account file"] = "Error decoding account file"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Error! No version data in file! Is this a Friendica account file?"; +$a->strings["User '%s' already exists on this server!"] = "User '%s' already exists on this server!"; +$a->strings["User creation error"] = "User creation error"; +$a->strings["User profile creation error"] = "User profile creation error"; +$a->strings["%d contact not imported"] = [ + 0 => "%d contact not imported", + 1 => "%d contacts not imported", +]; +$a->strings["Done. You can now login with your username and password"] = "Done. You can now login with your username and password"; $a->strings["System"] = "System"; $a->strings["Home"] = "Home"; $a->strings["Introductions"] = "Introductions"; @@ -1768,16 +1736,13 @@ $a->strings["%s is now friends with %s"] = "%s is now friends with %s"; $a->strings["Friend Suggestion"] = "Friend suggestion"; $a->strings["Friend/Connect Request"] = "Friend/Contact request"; $a->strings["New Follower"] = "New follower"; -$a->strings["Error decoding account file"] = "Error decoding account file"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Error! No version data in file! Is this a Friendica account file?"; -$a->strings["User '%s' already exists on this server!"] = "User '%s' already exists on this server!"; -$a->strings["User creation error"] = "User creation error"; -$a->strings["User profile creation error"] = "User profile creation error"; -$a->strings["%d contact not imported"] = [ - 0 => "%d contact not imported", - 1 => "%d contacts not imported", -]; -$a->strings["Done. You can now login with your username and password"] = "Done. You can now login with your username and password"; +$a->strings["Post to Email"] = "Post to email"; +$a->strings["Hide your profile details from unknown viewers?"] = "Hide profile details from unknown viewers?"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connectors are disabled since \"%s\" is enabled."; +$a->strings["Visible to everybody"] = "Visible to everybody"; +$a->strings["show"] = "show"; +$a->strings["don't show"] = "don't show"; +$a->strings["Close"] = "Close"; $a->strings["Birthday:"] = "Birthday:"; $a->strings["YYYY-MM-DD or MM-DD"] = "YYYY-MM-DD or MM-DD"; $a->strings["never"] = "never"; @@ -1801,85 +1766,17 @@ $a->strings["$1 wrote:"] = "$1 wrote:"; $a->strings["Encrypted content"] = "Encrypted content"; $a->strings["Invalid source protocol"] = "Invalid source protocol"; $a->strings["Invalid link protocol"] = "Invalid link protocol"; -$a->strings["Frequently"] = "Frequently"; -$a->strings["Hourly"] = "Hourly"; -$a->strings["Twice daily"] = "Twice daily"; -$a->strings["Daily"] = "Daily"; -$a->strings["Weekly"] = "Weekly"; -$a->strings["Monthly"] = "Monthly"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "LinkedIn"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "MySpace"; -$a->strings["Google+"] = "Google+"; -$a->strings["pump.io"] = "Pump.io"; -$a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = "Diaspora connector"; -$a->strings["GNU Social Connector"] = "GNU Social connector"; -$a->strings["pnut"] = "Pnut"; -$a->strings["App.net"] = "App.net"; -$a->strings["Male"] = "Male"; -$a->strings["Female"] = "Female"; -$a->strings["Currently Male"] = "Currently Male"; -$a->strings["Currently Female"] = "Currently Female"; -$a->strings["Mostly Male"] = "Mostly Male"; -$a->strings["Mostly Female"] = "Mostly Female"; -$a->strings["Transgender"] = "Transgender"; -$a->strings["Intersex"] = "Intersex"; -$a->strings["Transsexual"] = "Transsexual"; -$a->strings["Hermaphrodite"] = "Hermaphrodite"; -$a->strings["Neuter"] = "Neuter"; -$a->strings["Non-specific"] = "Non-specific"; -$a->strings["Other"] = "Other"; -$a->strings["Males"] = "Males"; -$a->strings["Females"] = "Females"; -$a->strings["Gay"] = "Gay"; -$a->strings["Lesbian"] = "Lesbian"; -$a->strings["No Preference"] = "No Preference"; -$a->strings["Bisexual"] = "Bisexual"; -$a->strings["Autosexual"] = "Auto-sexual"; -$a->strings["Abstinent"] = "Abstinent"; -$a->strings["Virgin"] = "Virgin"; -$a->strings["Deviant"] = "Deviant"; -$a->strings["Fetish"] = "Fetish"; -$a->strings["Oodles"] = "Oodles"; -$a->strings["Nonsexual"] = "Asexual"; -$a->strings["Single"] = "Single"; -$a->strings["Lonely"] = "Lonely"; -$a->strings["Available"] = "Available"; -$a->strings["Unavailable"] = "Unavailable"; -$a->strings["Has crush"] = "Having a crush"; -$a->strings["Infatuated"] = "Infatuated"; -$a->strings["Dating"] = "Dating"; -$a->strings["Unfaithful"] = "Unfaithful"; -$a->strings["Sex Addict"] = "Sex addict"; -$a->strings["Friends"] = "Friends"; -$a->strings["Friends/Benefits"] = "Friends with benefits"; -$a->strings["Casual"] = "Casual"; -$a->strings["Engaged"] = "Engaged"; -$a->strings["Married"] = "Married"; -$a->strings["Imaginarily married"] = "Imaginarily married"; -$a->strings["Partners"] = "Partners"; -$a->strings["Cohabiting"] = "Cohabiting"; -$a->strings["Common law"] = "Common law spouse"; -$a->strings["Happy"] = "Happy"; -$a->strings["Not looking"] = "Not looking"; -$a->strings["Swinger"] = "Swinger"; -$a->strings["Betrayed"] = "Betrayed"; -$a->strings["Separated"] = "Separated"; -$a->strings["Unstable"] = "Unstable"; -$a->strings["Divorced"] = "Divorced"; -$a->strings["Imaginarily divorced"] = "Imaginarily divorced"; -$a->strings["Widowed"] = "Widowed"; -$a->strings["Uncertain"] = "Uncertain"; -$a->strings["It's complicated"] = "It's complicated"; -$a->strings["Don't care"] = "Don't care"; -$a->strings["Ask me"] = "Ask me"; +$a->strings["External link to forum"] = "External link to forum"; $a->strings["Nothing new here"] = "Nothing new here"; $a->strings["Clear notifications"] = "Clear notifications"; +$a->strings["Logout"] = "Logout"; +$a->strings["End this session"] = "End this session"; +$a->strings["Your posts and conversations"] = "My posts and conversations"; +$a->strings["Your profile page"] = "My profile page"; +$a->strings["Your photos"] = "My photos"; +$a->strings["Videos"] = "Videos"; +$a->strings["Your videos"] = "My videos"; +$a->strings["Your events"] = "My events"; $a->strings["Personal notes"] = "Personal notes"; $a->strings["Your personal notes"] = "My personal notes"; $a->strings["Sign in"] = "Sign in"; @@ -1891,23 +1788,33 @@ $a->strings["Addon applications, utilities, games"] = "Addon applications, utili $a->strings["Search site content"] = "Search site content"; $a->strings["Community"] = "Community"; $a->strings["Conversations on this and other servers"] = "Conversations on this and other servers"; +$a->strings["Events and Calendar"] = "Events and calendar"; $a->strings["Directory"] = "Directory"; $a->strings["People directory"] = "People directory"; $a->strings["Information about this friendica instance"] = "Information about this Friendica instance"; +$a->strings["Conversations from your friends"] = "My friends' conversations"; $a->strings["Network Reset"] = "Network reset"; $a->strings["Load Network page with no filters"] = "Load network page without filters"; $a->strings["Friend Requests"] = "Friend requests"; $a->strings["See all notifications"] = "See all notifications"; $a->strings["Mark all system notifications seen"] = "Mark all system notifications seen"; +$a->strings["Private mail"] = "Private messages"; $a->strings["Inbox"] = "Inbox"; $a->strings["Outbox"] = "Outbox"; $a->strings["Manage"] = "Manage"; $a->strings["Manage other pages"] = "Manage other pages"; +$a->strings["Account settings"] = "Account settings"; $a->strings["Profiles"] = "Profiles"; $a->strings["Manage/Edit Profiles"] = "Manage/Edit profiles"; +$a->strings["Manage/edit friends and contacts"] = "Manage/Edit friends and contacts"; $a->strings["Site setup and configuration"] = "Site setup and configuration"; $a->strings["Navigation"] = "Navigation"; $a->strings["Site map"] = "Site map"; +$a->strings["Embedding disabled"] = "Embedding disabled"; +$a->strings["Embedded content"] = "Embedded content"; +$a->strings["Export"] = "Export"; +$a->strings["Export calendar as ical"] = "Export calendar as ical"; +$a->strings["Export calendar as csv"] = "Export calendar as csv"; $a->strings["General Features"] = "General"; $a->strings["Multiple Profiles"] = "Multiple profiles"; $a->strings["Ability to create multiple profiles"] = "Ability to create multiple profiles"; @@ -1960,8 +1867,6 @@ $a->strings["Tag Cloud"] = "Tag cloud"; $a->strings["Provide a personal tag cloud on your profile page"] = "Provides a personal tag cloud on your profile page"; $a->strings["Display Membership Date"] = "Display membership date"; $a->strings["Display membership date in profile"] = "Display membership date in profile"; -$a->strings["Embedding disabled"] = "Embedding disabled"; -$a->strings["Embedded content"] = "Embedded content"; $a->strings["Add New Contact"] = "Add new contact"; $a->strings["Enter address or web location"] = "Enter address or web location"; $a->strings["Example: bob@example.com, http://example.com/barbara"] = "Example: jo@example.com, http://example.com/jo"; @@ -1972,7 +1877,9 @@ $a->strings["%d invitation available"] = [ $a->strings["Find People"] = "Find people"; $a->strings["Enter name or interest"] = "Enter name or interest"; $a->strings["Examples: Robert Morgenstein, Fishing"] = "Examples: Robert Morgenstein, fishing"; +$a->strings["Similar Interests"] = "Similar interests"; $a->strings["Random Profile"] = "Random profile"; +$a->strings["Invite Friends"] = "Invite friends"; $a->strings["View Global Directory"] = "View global directory"; $a->strings["Networks"] = "Networks"; $a->strings["All Networks"] = "All networks"; @@ -1982,6 +1889,83 @@ $a->strings["%d contact in common"] = [ 0 => "%d contact in common", 1 => "%d contacts in common", ]; +$a->strings["Frequently"] = "Frequently"; +$a->strings["Hourly"] = "Hourly"; +$a->strings["Twice daily"] = "Twice daily"; +$a->strings["Daily"] = "Daily"; +$a->strings["Weekly"] = "Weekly"; +$a->strings["Monthly"] = "Monthly"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Zot!"] = "Zot!"; +$a->strings["LinkedIn"] = "LinkedIn"; +$a->strings["XMPP/IM"] = "XMPP/IM"; +$a->strings["MySpace"] = "MySpace"; +$a->strings["Google+"] = "Google+"; +$a->strings["pump.io"] = "pump.io"; +$a->strings["Twitter"] = "Twitter"; +$a->strings["Diaspora Connector"] = "Diaspora Connector"; +$a->strings["GNU Social Connector"] = "GNU Social Connector"; +$a->strings["pnut"] = "pnut"; +$a->strings["App.net"] = "App.net"; +$a->strings["Male"] = ""; +$a->strings["Female"] = ""; +$a->strings["Currently Male"] = ""; +$a->strings["Currently Female"] = ""; +$a->strings["Mostly Male"] = ""; +$a->strings["Mostly Female"] = ""; +$a->strings["Transgender"] = ""; +$a->strings["Intersex"] = ""; +$a->strings["Transsexual"] = ""; +$a->strings["Hermaphrodite"] = ""; +$a->strings["Neuter"] = ""; +$a->strings["Non-specific"] = "Non-specific"; +$a->strings["Other"] = "Other"; +$a->strings["Males"] = "Males"; +$a->strings["Females"] = "Females"; +$a->strings["Gay"] = "Gay"; +$a->strings["Lesbian"] = "Lesbian"; +$a->strings["No Preference"] = "No Preference"; +$a->strings["Bisexual"] = "Bisexual"; +$a->strings["Autosexual"] = "Auto-sexual"; +$a->strings["Abstinent"] = "Abstinent"; +$a->strings["Virgin"] = "Virgin"; +$a->strings["Deviant"] = "Deviant"; +$a->strings["Fetish"] = "Fetish"; +$a->strings["Oodles"] = "Oodles"; +$a->strings["Nonsexual"] = "Asexual"; +$a->strings["Single"] = "Single"; +$a->strings["Lonely"] = "Lonely"; +$a->strings["Available"] = "Available"; +$a->strings["Unavailable"] = "Unavailable"; +$a->strings["Has crush"] = "Having a crush"; +$a->strings["Infatuated"] = "Infatuated"; +$a->strings["Dating"] = "Dating"; +$a->strings["Unfaithful"] = "Unfaithful"; +$a->strings["Sex Addict"] = "Sex addict"; +$a->strings["Friends"] = "Friends"; +$a->strings["Friends/Benefits"] = "Friends with benefits"; +$a->strings["Casual"] = "Casual"; +$a->strings["Engaged"] = "Engaged"; +$a->strings["Married"] = "Married"; +$a->strings["Imaginarily married"] = "Imaginarily married"; +$a->strings["Partners"] = "Partners"; +$a->strings["Cohabiting"] = "Cohabiting"; +$a->strings["Common law"] = "Common law spouse"; +$a->strings["Happy"] = "Happy"; +$a->strings["Not looking"] = "Not looking"; +$a->strings["Swinger"] = "Swinger"; +$a->strings["Betrayed"] = "Betrayed"; +$a->strings["Separated"] = "Separated"; +$a->strings["Unstable"] = "Unstable"; +$a->strings["Divorced"] = "Divorced"; +$a->strings["Imaginarily divorced"] = "Imaginarily divorced"; +$a->strings["Widowed"] = "Widowed"; +$a->strings["Uncertain"] = "Uncertain"; +$a->strings["It's complicated"] = "It's complicated"; +$a->strings["Don't care"] = "Don't care"; +$a->strings["Ask me"] = "Ask me"; $a->strings["There are no tables on MyISAM."] = "There are no tables on MyISAM."; $a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."; $a->strings["The error message is\n[pre]%s[/pre]"] = "The error message is\n[pre]%s[/pre]"; @@ -1990,9 +1974,6 @@ $a->strings["Errors encountered performing database changes: "] = "Errors encoun $a->strings[": Database update"] = ": Database update"; $a->strings["%s: updating %s table."] = "%s: updating %s table."; $a->strings["[no subject]"] = "[no subject]"; -$a->strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s is going to %2\$s's %3\$s"; -$a->strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s is not going to %2\$s's %3\$s"; -$a->strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s may go to %2\$s's %3\$s"; $a->strings["Requested account is not available."] = "Requested account is unavailable."; $a->strings["Edit profile"] = "Edit profile"; $a->strings["Atom feed"] = "Atom feed"; @@ -2022,6 +2003,17 @@ $a->strings["Work/employment:"] = "Work/Employment:"; $a->strings["School/education:"] = "School/Education:"; $a->strings["Forums:"] = "Forums:"; $a->strings["Only You Can See This"] = "Only you can see this."; +$a->strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s is going to %2\$s's %3\$s"; +$a->strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s is not going to %2\$s's %3\$s"; +$a->strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s may go to %2\$s's %3\$s"; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "A deleted group with this name has been revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."; +$a->strings["Default privacy group for new contacts"] = "Default privacy group for new contacts"; +$a->strings["Everybody"] = "Everybody"; +$a->strings["edit"] = "edit"; +$a->strings["Edit group"] = "Edit group"; +$a->strings["Contacts not in any group"] = "Contacts not in any group"; +$a->strings["Create a new group"] = "Create new group"; +$a->strings["Edit groups"] = "Edit groups"; $a->strings["Drop Contact"] = "Drop contact"; $a->strings["Organisation"] = "Organisation"; $a->strings["News"] = "News"; @@ -2040,14 +2032,20 @@ $a->strings["Limited profile. This person will be unable to receive direct/perso $a->strings["Unable to retrieve contact information."] = "Unable to retrieve contact information."; $a->strings["%s's birthday"] = "%s's birthday"; $a->strings["Happy Birthday %s"] = "Happy Birthday, %s!"; -$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "A deleted group with this name has been revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."; -$a->strings["Default privacy group for new contacts"] = "Default privacy group for new contacts"; -$a->strings["Everybody"] = "Everybody"; -$a->strings["edit"] = "edit"; -$a->strings["Edit group"] = "Edit group"; -$a->strings["Contacts not in any group"] = "Contacts not in any group"; -$a->strings["Create a new group"] = "Create new group"; -$a->strings["Edit groups"] = "Edit groups"; +$a->strings["Starts:"] = "Starts:"; +$a->strings["Finishes:"] = "Finishes:"; +$a->strings["all-day"] = "All-day"; +$a->strings["Jun"] = "Jun"; +$a->strings["Sept"] = "Sep"; +$a->strings["No events to display"] = "No events to display"; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Edit event"; +$a->strings["Duplicate event"] = "Duplicate event"; +$a->strings["Delete event"] = "Delete event"; +$a->strings["D g:i A"] = "D g:i A"; +$a->strings["g:i A"] = "g:i A"; +$a->strings["Show map"] = "Show map"; +$a->strings["Hide map"] = "Hide map"; $a->strings["Login failed"] = "Login failed"; $a->strings["Not enough information to authenticate"] = "Not enough information to authenticate"; $a->strings["An invitation is required."] = "An invitation is required."; @@ -2066,31 +2064,22 @@ $a->strings["Your nickname can only contain a-z, 0-9 and _."] = "Your nickname c $a->strings["Nickname is already registered. Please choose another."] = "Nickname is already registered. Please choose another."; $a->strings["SERIOUS ERROR: Generation of security keys failed."] = "SERIOUS ERROR: Generation of security keys failed."; $a->strings["An error occurred during registration. Please try again."] = "An error occurred during registration. Please try again."; +$a->strings["default"] = "default"; $a->strings["An error occurred creating your default profile. Please try again."] = "An error occurred creating your default profile. Please try again."; $a->strings["An error occurred creating your self contact. Please try again."] = "An error occurred creating your self-contact. Please try again."; $a->strings["An error occurred creating your default contact group. Please try again."] = "An error occurred while creating your default contact group. Please try again."; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"; $a->strings["Registration at %s"] = "Registration at %s"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"; -$a->strings["\n\t\t\tThe login details are as follows:\n\t\t\t\tSite Location:\t%3\$s\n\t\t\t\tLogin Name:\t%1\$s\n\t\t\t\tPassword:\t%5\$s\n\n\t\t\tYou may change your password from your account Settings page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile keywords (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\n\t\t\tThank you and welcome to %2\$s."] = "\n\t\t\tThe login details are as follows:\n\t\t\t\tSite Location:\t%3\$s\n\t\t\t\tLogin Name:\t%1\$s\n\t\t\t\tPassword:\t%5\$s\n\n\t\t\tYou may change your password from your account Settings page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile keywords (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\n\t\t\tThank you and welcome to %2\$s."; -$a->strings["%s\\'s birthday"] = "%s\\'s birthday"; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; $a->strings["%s is now following %s."] = "%s is now following %s."; $a->strings["following"] = "following"; $a->strings["%s stopped following %s."] = "%s stopped following %s."; $a->strings["stopped following"] = "stopped following"; +$a->strings["%s\\'s birthday"] = "%s\\'s birthday"; $a->strings["Sharing notification from Diaspora network"] = "Sharing notification from Diaspora network"; $a->strings["Attachments:"] = "Attachments:"; $a->strings["(no subject)"] = "(no subject)"; -$a->strings["Create a New Account"] = "Create a new account"; -$a->strings["Password: "] = "Password: "; -$a->strings["Remember me"] = "Remember me"; -$a->strings["Or login using OpenID: "] = "Or login with OpenID: "; -$a->strings["Forgot your password?"] = "Forgot your password?"; -$a->strings["Website Terms of Service"] = "Website Terms of Service"; -$a->strings["terms of service"] = "Terms of service"; -$a->strings["Website Privacy Policy"] = "Website Privacy Policy"; -$a->strings["privacy policy"] = "Privacy policy"; -$a->strings["Logged out."] = "Logged out."; $a->strings["This entry was edited"] = "This entry was edited"; $a->strings["save to folder"] = "Save to folder"; $a->strings["I will attend"] = "I will attend"; @@ -2124,7 +2113,63 @@ $a->strings["Code"] = "Code"; $a->strings["Image"] = "Image"; $a->strings["Link"] = "Link"; $a->strings["Video"] = "Video"; +$a->strings["Create a New Account"] = "Create a new account"; +$a->strings["Password: "] = "Password: "; +$a->strings["Remember me"] = "Remember me"; +$a->strings["Or login using OpenID: "] = "Or login with OpenID: "; +$a->strings["Forgot your password?"] = "Forgot your password?"; +$a->strings["Website Terms of Service"] = "Website Terms of Service"; +$a->strings["terms of service"] = "Terms of service"; +$a->strings["Website Privacy Policy"] = "Website Privacy Policy"; +$a->strings["privacy policy"] = "Privacy policy"; +$a->strings["Logged out."] = "Logged out."; $a->strings["Delete this item?"] = "Delete this item?"; $a->strings["show fewer"] = "Show fewer."; +$a->strings["greenzero"] = "greenzero"; +$a->strings["purplezero"] = "purplezero"; +$a->strings["easterbunny"] = "easterbunny"; +$a->strings["darkzero"] = "darkzero"; +$a->strings["comix"] = "comix"; +$a->strings["slackr"] = "slackr"; +$a->strings["Variations"] = "Variations"; +$a->strings["Repeat the image"] = "Repeat the image"; +$a->strings["Will repeat your image to fill the background."] = "Will repeat your image to fill the background."; +$a->strings["Stretch"] = "Stretch"; +$a->strings["Will stretch to width/height of the image."] = "Will stretch to width/height of the image."; +$a->strings["Resize fill and-clip"] = "Resize fill and-clip"; +$a->strings["Resize to fill and retain aspect ratio."] = "Resize to fill and retain aspect ratio."; +$a->strings["Resize best fit"] = "Resize to best fit"; +$a->strings["Resize to best fit and retain aspect ratio."] = "Resize to best fit and retain aspect ratio."; +$a->strings["Default"] = "Default"; +$a->strings["Note"] = "Note"; +$a->strings["Check image permissions if all users are allowed to visit the image"] = "Check image permissions if all users are allowed to visit the image"; +$a->strings["Select scheme"] = "Select scheme:"; +$a->strings["Navigation bar background color"] = "Navigation bar background colour:"; +$a->strings["Navigation bar icon color "] = "Navigation bar icon colour:"; +$a->strings["Link color"] = "Link colour:"; +$a->strings["Set the background color"] = "Background colour:"; +$a->strings["Content background opacity"] = "Content background opacity"; +$a->strings["Set the background image"] = "Background image:"; +$a->strings["Login page background image"] = "Login page background image"; +$a->strings["Login page background color"] = "Login page background colour"; +$a->strings["Leave background image and color empty for theme defaults"] = "Leave background image and colour empty for theme defaults"; +$a->strings["Guest"] = "Guest"; +$a->strings["Visitor"] = "Visitor"; +$a->strings["Alignment"] = "Alignment"; +$a->strings["Left"] = "Left"; +$a->strings["Center"] = "Centre"; +$a->strings["Color scheme"] = "Colour scheme"; +$a->strings["Posts font size"] = "Posts font size"; +$a->strings["Textareas font size"] = "Text areas font size"; +$a->strings["Comma separated list of helper forums"] = "Comma separated list of helper forums"; +$a->strings["Set style"] = "Set style"; +$a->strings["Community Pages"] = "Community pages"; +$a->strings["Community Profiles"] = "Community profiles"; +$a->strings["Help or @NewHere ?"] = "Help or @NewHere ?"; +$a->strings["Connect Services"] = "Connect services"; +$a->strings["Find Friends"] = "Find friends"; +$a->strings["Last users"] = "Last users"; +$a->strings["Local Directory"] = "Local directory"; +$a->strings["Quick Start"] = "Quick start"; $a->strings["toggle mobile"] = "Toggle mobile"; $a->strings["Update %s failed. See error logs."] = "Update %s failed. See error logs."; diff --git a/view/lang/fi-fi/messages.po b/view/lang/fi-fi/messages.po index 14becee30..55ff7ef71 100644 --- a/view/lang/fi-fi/messages.po +++ b/view/lang/fi-fi/messages.po @@ -14,8 +14,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-04-04 07:01+0200\n" -"PO-Revision-Date: 2018-04-05 14:18+0000\n" +"POT-Creation-Date: 2018-04-06 16:58+0200\n" +"PO-Revision-Date: 2018-04-08 17:35+0000\n" "Last-Translator: Kris\n" "Language-Team: Finnish (Finland) (http://www.transifex.com/Friendica/friendica/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -76,451 +76,6 @@ msgstr "" msgid "Profile Photos" msgstr "Profiilin valokuvat" -#: include/conversation.php:144 include/conversation.php:282 -#: include/text.php:1724 src/Model/Item.php:1795 -msgid "event" -msgstr "tapahtuma" - -#: include/conversation.php:147 include/conversation.php:157 -#: include/conversation.php:285 include/conversation.php:294 -#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 -#: src/Protocol/Diaspora.php:2010 -msgid "status" -msgstr "tila" - -#: include/conversation.php:152 include/conversation.php:290 -#: include/text.php:1726 mod/subthread.php:97 mod/tagger.php:72 -#: src/Model/Item.php:1793 -msgid "photo" -msgstr "kuva" - -#: include/conversation.php:164 src/Model/Item.php:1666 -#: src/Protocol/Diaspora.php:2006 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s tykkää käyttäjän %2$s %3$s" - -#: include/conversation.php:167 src/Model/Item.php:1671 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "" - -#: include/conversation.php:170 -#, php-format -msgid "%1$s attends %2$s's %3$s" -msgstr "%1$s osallistuu tapahtumaan %3$s, jonka järjestää %2$s" - -#: include/conversation.php:173 -#, php-format -msgid "%1$s doesn't attend %2$s's %3$s" -msgstr "%1$s ei osallistu tapahtumaan %3$s, jonka järjestää %2$s" - -#: include/conversation.php:176 -#, php-format -msgid "%1$s attends maybe %2$s's %3$s" -msgstr "%1$s ehkä osallistuu tapahtumaan %3$s, jonka järjestää %2$s" - -#: include/conversation.php:209 mod/dfrn_confirm.php:431 -#: src/Protocol/Diaspora.php:2481 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s ja %2$s ovat kavereita" - -#: include/conversation.php:250 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s tökkäsi %2$s" - -#: include/conversation.php:304 mod/tagger.php:110 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "" - -#: include/conversation.php:331 -msgid "post/item" -msgstr "julkaisu/kohde" - -#: include/conversation.php:332 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "" - -#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 -msgid "Likes" -msgstr "Tykkäyksiä" - -#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 -msgid "Dislikes" -msgstr "Inhokit" - -#: include/conversation.php:606 include/conversation.php:1680 -#: mod/photos.php:1502 -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "Osallistuu" -msgstr[1] "Osallistuu" - -#: include/conversation.php:606 mod/photos.php:1502 -msgid "Not attending" -msgstr "Ei osallistu" - -#: include/conversation.php:606 mod/photos.php:1502 -msgid "Might attend" -msgstr "Ehkä" - -#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 -msgid "Select" -msgstr "Valitse" - -#: include/conversation.php:745 mod/photos.php:1570 mod/settings.php:738 -#: mod/contacts.php:830 mod/contacts.php:1035 mod/admin.php:1798 -#: src/Object/Post.php:179 -msgid "Delete" -msgstr "Poista" - -#: include/conversation.php:777 src/Object/Post.php:357 -#: src/Object/Post.php:358 -#, php-format -msgid "View %s's profile @ %s" -msgstr "" - -#: include/conversation.php:789 src/Object/Post.php:345 -msgid "Categories:" -msgstr "Luokat:" - -#: include/conversation.php:790 src/Object/Post.php:346 -msgid "Filed under:" -msgstr "" - -#: include/conversation.php:797 src/Object/Post.php:371 -#, php-format -msgid "%s from %s" -msgstr "" - -#: include/conversation.php:812 -msgid "View in context" -msgstr "Näytä kontekstissa" - -#: include/conversation.php:814 include/conversation.php:1353 -#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 -#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:396 -msgid "Please wait" -msgstr "Odota" - -#: include/conversation.php:885 -msgid "remove" -msgstr "poista" - -#: include/conversation.php:889 -msgid "Delete Selected Items" -msgstr "Poista valitut kohteet" - -#: include/conversation.php:1059 view/theme/frio/theme.php:352 -msgid "Follow Thread" -msgstr "Seuraa ketjua" - -#: include/conversation.php:1060 src/Model/Contact.php:640 -msgid "View Status" -msgstr "Näytä tila" - -#: include/conversation.php:1061 include/conversation.php:1077 -#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 -#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 -#: src/Model/Contact.php:593 src/Model/Contact.php:641 -msgid "View Profile" -msgstr "Näytä profiilia" - -#: include/conversation.php:1062 src/Model/Contact.php:642 -msgid "View Photos" -msgstr "Näytä kuvia" - -#: include/conversation.php:1063 src/Model/Contact.php:643 -msgid "Network Posts" -msgstr "Verkkojulkaisut" - -#: include/conversation.php:1064 src/Model/Contact.php:644 -msgid "View Contact" -msgstr "Näytä kontaktia" - -#: include/conversation.php:1065 src/Model/Contact.php:646 -msgid "Send PM" -msgstr "Lähetä yksityisviesti" - -#: include/conversation.php:1069 src/Model/Contact.php:647 -msgid "Poke" -msgstr "Tökkää" - -#: include/conversation.php:1074 mod/allfriends.php:74 mod/suggest.php:83 -#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 -#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 -msgid "Connect/Follow" -msgstr "Yhdistä/Seuraa" - -#: include/conversation.php:1193 -#, php-format -msgid "%s likes this." -msgstr "%s tykkää tästä." - -#: include/conversation.php:1196 -#, php-format -msgid "%s doesn't like this." -msgstr "%s ei tykkää tästä." - -#: include/conversation.php:1199 -#, php-format -msgid "%s attends." -msgstr "%s osallistuu." - -#: include/conversation.php:1202 -#, php-format -msgid "%s doesn't attend." -msgstr "%s ei osallistu." - -#: include/conversation.php:1205 -#, php-format -msgid "%s attends maybe." -msgstr "%s ehkä osallistuu." - -#: include/conversation.php:1216 -msgid "and" -msgstr "ja" - -#: include/conversation.php:1222 -#, php-format -msgid "and %d other people" -msgstr "ja %d muuta ihmistä" - -#: include/conversation.php:1231 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d ihmistä tykkää tästä" - -#: include/conversation.php:1232 -#, php-format -msgid "%s like this." -msgstr "%s tykkää tästä." - -#: include/conversation.php:1235 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d ihmistä ei tykkää tästä." - -#: include/conversation.php:1236 -#, php-format -msgid "%s don't like this." -msgstr "%s ei tykkää tästä." - -#: include/conversation.php:1239 -#, php-format -msgid "%2$d people attend" -msgstr "%2$d ihmistä osallistuu" - -#: include/conversation.php:1240 -#, php-format -msgid "%s attend." -msgstr "%s osallistuu." - -#: include/conversation.php:1243 -#, php-format -msgid "%2$d people don't attend" -msgstr "%2$d ihmistä ei osallistu" - -#: include/conversation.php:1244 -#, php-format -msgid "%s don't attend." -msgstr "%s ei osallistu." - -#: include/conversation.php:1247 -#, php-format -msgid "%2$d people attend maybe" -msgstr "%2$d ihmistä ehkä osallistuu" - -#: include/conversation.php:1248 -#, php-format -msgid "%s attend maybe." -msgstr "%s ehkä osallistuu." - -#: include/conversation.php:1278 include/conversation.php:1294 -msgid "Visible to everybody" -msgstr "Näkyy kaikille" - -#: include/conversation.php:1279 include/conversation.php:1295 -#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 -#: mod/message.php:207 mod/message.php:343 mod/message.php:350 -msgid "Please enter a link URL:" -msgstr "Lisää URL-linkki:" - -#: include/conversation.php:1280 include/conversation.php:1296 -msgid "Please enter a video link/URL:" -msgstr "Lisää video URL-linkki:" - -#: include/conversation.php:1281 include/conversation.php:1297 -msgid "Please enter an audio link/URL:" -msgstr "Lisää ääni URL-linkki:" - -#: include/conversation.php:1282 include/conversation.php:1298 -msgid "Tag term:" -msgstr "" - -#: include/conversation.php:1283 include/conversation.php:1299 -#: mod/filer.php:34 -msgid "Save to Folder:" -msgstr "Tallenna kansioon:" - -#: include/conversation.php:1284 include/conversation.php:1300 -msgid "Where are you right now?" -msgstr "Mikä on sijaintisi?" - -#: include/conversation.php:1285 -msgid "Delete item(s)?" -msgstr "Poista kohde/kohteet?" - -#: include/conversation.php:1334 -msgid "Share" -msgstr "Jaa" - -#: include/conversation.php:1335 mod/wallmessage.php:143 mod/editpost.php:111 -#: mod/message.php:262 mod/message.php:430 -msgid "Upload photo" -msgstr "Lähetä kuva" - -#: include/conversation.php:1336 mod/editpost.php:112 -msgid "upload photo" -msgstr "lähetä kuva" - -#: include/conversation.php:1337 mod/editpost.php:113 -msgid "Attach file" -msgstr "Liitä tiedosto" - -#: include/conversation.php:1338 mod/editpost.php:114 -msgid "attach file" -msgstr "liitä tiedosto" - -#: include/conversation.php:1339 mod/wallmessage.php:144 mod/editpost.php:115 -#: mod/message.php:263 mod/message.php:431 -msgid "Insert web link" -msgstr "Lisää linkki" - -#: include/conversation.php:1340 mod/editpost.php:116 -msgid "web link" -msgstr "WWW-linkki" - -#: include/conversation.php:1341 mod/editpost.php:117 -msgid "Insert video link" -msgstr "Lisää videolinkki" - -#: include/conversation.php:1342 mod/editpost.php:118 -msgid "video link" -msgstr "videolinkki" - -#: include/conversation.php:1343 mod/editpost.php:119 -msgid "Insert audio link" -msgstr "Lisää äänilinkki" - -#: include/conversation.php:1344 mod/editpost.php:120 -msgid "audio link" -msgstr "äänilinkki" - -#: include/conversation.php:1345 mod/editpost.php:121 -msgid "Set your location" -msgstr "Aseta sijaintisi" - -#: include/conversation.php:1346 mod/editpost.php:122 -msgid "set location" -msgstr "aseta sijainti" - -#: include/conversation.php:1347 mod/editpost.php:123 -msgid "Clear browser location" -msgstr "Tyhjennä selaimen sijainti" - -#: include/conversation.php:1348 mod/editpost.php:124 -msgid "clear location" -msgstr "tyhjennä sijainti" - -#: include/conversation.php:1350 mod/editpost.php:138 -msgid "Set title" -msgstr "Aseta otsikko" - -#: include/conversation.php:1352 mod/editpost.php:140 -msgid "Categories (comma-separated list)" -msgstr "Luokat (pilkuilla eroteltu luettelo)" - -#: include/conversation.php:1354 mod/editpost.php:126 -msgid "Permission settings" -msgstr "Käyttöoikeusasetukset" - -#: include/conversation.php:1355 mod/editpost.php:155 -msgid "permissions" -msgstr "käyttöoikeudet" - -#: include/conversation.php:1363 mod/editpost.php:135 -msgid "Public post" -msgstr "Julkinen viesti" - -#: include/conversation.php:1367 mod/editpost.php:146 mod/photos.php:1492 -#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 -#: src/Object/Post.php:799 -msgid "Preview" -msgstr "Esikatselu" - -#: include/conversation.php:1371 include/items.php:387 mod/fbrowser.php:103 -#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 -#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 -#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 -#: mod/unfollow.php:117 mod/settings.php:676 mod/settings.php:702 -#: mod/follow.php:161 mod/contacts.php:475 -msgid "Cancel" -msgstr "Peru" - -#: include/conversation.php:1376 -msgid "Post to Groups" -msgstr "Lähetä ryhmiin" - -#: include/conversation.php:1377 -msgid "Post to Contacts" -msgstr "Lähetä kontakteille" - -#: include/conversation.php:1378 -msgid "Private post" -msgstr "Yksityinen julkaisu" - -#: include/conversation.php:1383 mod/editpost.php:153 -#: src/Model/Profile.php:342 -msgid "Message" -msgstr "Viesti" - -#: include/conversation.php:1384 mod/editpost.php:154 -msgid "Browser" -msgstr "Selain" - -#: include/conversation.php:1651 -msgid "View all" -msgstr "Näytä kaikki" - -#: include/conversation.php:1674 -msgid "Like" -msgid_plural "Likes" -msgstr[0] "Tykkäys" -msgstr[1] "Tykkäyksiä" - -#: include/conversation.php:1677 -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "Inhokki" -msgstr[1] "Inhokit" - -#: include/conversation.php:1683 -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "Ei osallistu" -msgstr[1] "Ei osallistu" - -#: include/conversation.php:1686 src/Content/ContactSelector.php:125 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "" -msgstr[1] "" - #: include/enotify.php:31 msgid "Friendica Notification" msgstr "Friendica-huomautus" @@ -631,7 +186,7 @@ msgstr "%1$s [url=%2$s]merkitsi sinut[/url]." #: include/enotify.php:213 #, php-format msgid "[Friendica:Notify] %s shared a new post" -msgstr "" +msgstr "[Friendica:Notify] %s jakoi uuden julkaisun" #: include/enotify.php:215 #, php-format @@ -675,7 +230,7 @@ msgstr "%1$s merkitsi [url=%2$s]julkaisusi[/url]" #: include/enotify.php:262 msgid "[Friendica:Notify] Introduction received" -msgstr "" +msgstr "[Friendica:Notify] Esittely vastaanotettu" #: include/enotify.php:264 #, php-format @@ -695,7 +250,7 @@ msgstr "Voit vierailla hänen profiilissaan kohteessa %s" #: include/enotify.php:272 #, php-format msgid "Please visit %s to approve or reject the introduction." -msgstr "" +msgstr "Hyväksy tai hylkää esittely %s-sivustossa" #: include/enotify.php:280 msgid "[Friendica:Notify] A new person is sharing with you" @@ -761,7 +316,7 @@ msgstr "" msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." -msgstr "" +msgstr "Olette nyt yhteiset ystävät ja voitte lähettää toisillenne tilapäivityksiä, kuvia ja sähköposteja ilman rajoituksia." #: include/enotify.php:336 #, php-format @@ -782,7 +337,7 @@ msgstr "" msgid "" "'%1$s' may choose to extend this into a two-way or more permissive " "relationship in the future." -msgstr "" +msgstr "'%1$s' voi halutessaan laajentaa suhteenne kahdenväliseksi." #: include/enotify.php:353 #, php-format @@ -811,7 +366,7 @@ msgstr "" #: include/enotify.php:377 #, php-format msgid "Please visit %s to approve or reject the request." -msgstr "" +msgstr "Hyväksy tai hylkää pyyntö %s-sivustossa." #: include/items.php:342 mod/notice.php:22 mod/viewsrc.php:21 #: mod/display.php:72 mod/display.php:252 mod/display.php:354 @@ -824,16 +379,25 @@ msgid "Do you really want to delete this item?" msgstr "Haluatko varmasti poistaa tämän kohteen?" #: include/items.php:384 mod/api.php:110 mod/suggest.php:38 -#: mod/dfrn_request.php:653 mod/message.php:138 mod/settings.php:1103 -#: mod/settings.php:1109 mod/settings.php:1116 mod/settings.php:1120 -#: mod/settings.php:1124 mod/settings.php:1128 mod/settings.php:1132 -#: mod/settings.php:1136 mod/settings.php:1156 mod/settings.php:1157 -#: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 -#: mod/follow.php:150 mod/profiles.php:636 mod/profiles.php:639 -#: mod/profiles.php:661 mod/contacts.php:472 mod/register.php:237 +#: mod/dfrn_request.php:653 mod/message.php:138 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:639 mod/profiles.php:661 +#: mod/contacts.php:472 mod/register.php:237 mod/settings.php:1105 +#: mod/settings.php:1111 mod/settings.php:1118 mod/settings.php:1122 +#: mod/settings.php:1126 mod/settings.php:1130 mod/settings.php:1134 +#: mod/settings.php:1138 mod/settings.php:1158 mod/settings.php:1159 +#: mod/settings.php:1160 mod/settings.php:1161 mod/settings.php:1162 msgid "Yes" msgstr "Kyllä" +#: include/items.php:387 include/conversation.php:1378 mod/fbrowser.php:103 +#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 +#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 +#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 +#: mod/unfollow.php:117 mod/follow.php:161 mod/contacts.php:475 +#: mod/settings.php:676 mod/settings.php:702 +msgid "Cancel" +msgstr "Peru" + #: include/items.php:401 mod/allfriends.php:21 mod/api.php:35 mod/api.php:40 #: mod/attach.php:38 mod/common.php:26 mod/crepair.php:98 mod/nogroup.php:28 #: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/uimport.php:28 @@ -849,10 +413,10 @@ msgstr "Kyllä" #: mod/dirfind.php:25 mod/ostatus_subscribe.php:16 mod/unfollow.php:15 #: mod/unfollow.php:57 mod/unfollow.php:90 mod/cal.php:304 mod/events.php:194 #: mod/profile_photo.php:30 mod/profile_photo.php:176 -#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/settings.php:43 -#: mod/settings.php:142 mod/settings.php:665 mod/follow.php:17 +#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/follow.php:17 #: mod/follow.php:54 mod/follow.php:118 mod/profiles.php:182 -#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 index.php:416 +#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 +#: mod/settings.php:42 mod/settings.php:141 mod/settings.php:665 index.php:416 msgid "Permission denied." msgstr "Käyttöoikeus evätty." @@ -861,11 +425,451 @@ msgid "Archives" msgstr "Arkisto" #: include/items.php:477 src/Content/ForumManager.php:130 -#: src/Content/Widget.php:312 src/Object/Post.php:424 src/App.php:512 +#: src/Content/Widget.php:312 src/Object/Post.php:430 src/App.php:512 #: view/theme/vier/theme.php:259 msgid "show more" msgstr "näytä lisää" +#: include/conversation.php:144 include/conversation.php:282 +#: include/text.php:1774 src/Model/Item.php:1795 +msgid "event" +msgstr "tapahtuma" + +#: include/conversation.php:147 include/conversation.php:157 +#: include/conversation.php:285 include/conversation.php:294 +#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 +#: src/Protocol/Diaspora.php:2010 +msgid "status" +msgstr "tila" + +#: include/conversation.php:152 include/conversation.php:290 +#: include/text.php:1776 mod/subthread.php:97 mod/tagger.php:72 +#: src/Model/Item.php:1793 +msgid "photo" +msgstr "kuva" + +#: include/conversation.php:164 src/Model/Item.php:1666 +#: src/Protocol/Diaspora.php:2006 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s tykkää käyttäjän %2$s %3$s" + +#: include/conversation.php:167 src/Model/Item.php:1671 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "" + +#: include/conversation.php:170 +#, php-format +msgid "%1$s attends %2$s's %3$s" +msgstr "%1$s osallistuu tapahtumaan %3$s, jonka järjestää %2$s" + +#: include/conversation.php:173 +#, php-format +msgid "%1$s doesn't attend %2$s's %3$s" +msgstr "%1$s ei osallistu tapahtumaan %3$s, jonka järjestää %2$s" + +#: include/conversation.php:176 +#, php-format +msgid "%1$s attends maybe %2$s's %3$s" +msgstr "%1$s ehkä osallistuu tapahtumaan %3$s, jonka järjestää %2$s" + +#: include/conversation.php:209 mod/dfrn_confirm.php:431 +#: src/Protocol/Diaspora.php:2481 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s ja %2$s ovat kavereita" + +#: include/conversation.php:250 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s tökkäsi %2$s" + +#: include/conversation.php:304 mod/tagger.php:110 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "" + +#: include/conversation.php:331 +msgid "post/item" +msgstr "julkaisu/kohde" + +#: include/conversation.php:332 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 +msgid "Likes" +msgstr "Tykkäyksiä" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 +msgid "Dislikes" +msgstr "Inhokit" + +#: include/conversation.php:606 include/conversation.php:1687 +#: mod/photos.php:1502 +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "Osallistuu" +msgstr[1] "Osallistuu" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Not attending" +msgstr "Ei osallistu" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Might attend" +msgstr "Ehkä" + +#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 +msgid "Select" +msgstr "Valitse" + +#: include/conversation.php:745 mod/photos.php:1570 mod/contacts.php:830 +#: mod/contacts.php:1035 mod/admin.php:1798 mod/settings.php:738 +#: src/Object/Post.php:179 +msgid "Delete" +msgstr "Poista" + +#: include/conversation.php:783 src/Object/Post.php:363 +#: src/Object/Post.php:364 +#, php-format +msgid "View %s's profile @ %s" +msgstr "" + +#: include/conversation.php:795 src/Object/Post.php:351 +msgid "Categories:" +msgstr "Luokat:" + +#: include/conversation.php:796 src/Object/Post.php:352 +msgid "Filed under:" +msgstr "" + +#: include/conversation.php:803 src/Object/Post.php:377 +#, php-format +msgid "%s from %s" +msgstr "" + +#: include/conversation.php:818 +msgid "View in context" +msgstr "Näytä kontekstissa" + +#: include/conversation.php:820 include/conversation.php:1360 +#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 +#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:402 +msgid "Please wait" +msgstr "Odota" + +#: include/conversation.php:891 +msgid "remove" +msgstr "poista" + +#: include/conversation.php:895 +msgid "Delete Selected Items" +msgstr "Poista valitut kohteet" + +#: include/conversation.php:1065 view/theme/frio/theme.php:352 +msgid "Follow Thread" +msgstr "Seuraa ketjua" + +#: include/conversation.php:1066 src/Model/Contact.php:640 +msgid "View Status" +msgstr "Näytä tila" + +#: include/conversation.php:1067 include/conversation.php:1083 +#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 +#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 +#: src/Model/Contact.php:593 src/Model/Contact.php:641 +msgid "View Profile" +msgstr "Näytä profiilia" + +#: include/conversation.php:1068 src/Model/Contact.php:642 +msgid "View Photos" +msgstr "Näytä kuvia" + +#: include/conversation.php:1069 src/Model/Contact.php:643 +msgid "Network Posts" +msgstr "Verkkojulkaisut" + +#: include/conversation.php:1070 src/Model/Contact.php:644 +msgid "View Contact" +msgstr "Näytä kontaktia" + +#: include/conversation.php:1071 src/Model/Contact.php:646 +msgid "Send PM" +msgstr "Lähetä yksityisviesti" + +#: include/conversation.php:1075 src/Model/Contact.php:647 +msgid "Poke" +msgstr "Tökkää" + +#: include/conversation.php:1080 mod/allfriends.php:74 mod/suggest.php:83 +#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 +#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 +msgid "Connect/Follow" +msgstr "Yhdistä/Seuraa" + +#: include/conversation.php:1199 +#, php-format +msgid "%s likes this." +msgstr "%s tykkää tästä." + +#: include/conversation.php:1202 +#, php-format +msgid "%s doesn't like this." +msgstr "%s ei tykkää tästä." + +#: include/conversation.php:1205 +#, php-format +msgid "%s attends." +msgstr "%s osallistuu." + +#: include/conversation.php:1208 +#, php-format +msgid "%s doesn't attend." +msgstr "%s ei osallistu." + +#: include/conversation.php:1211 +#, php-format +msgid "%s attends maybe." +msgstr "%s ehkä osallistuu." + +#: include/conversation.php:1222 +msgid "and" +msgstr "ja" + +#: include/conversation.php:1228 +#, php-format +msgid "and %d other people" +msgstr "ja %d muuta ihmistä" + +#: include/conversation.php:1237 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d ihmistä tykkää tästä" + +#: include/conversation.php:1238 +#, php-format +msgid "%s like this." +msgstr "%s tykkää tästä." + +#: include/conversation.php:1241 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d ihmistä ei tykkää tästä." + +#: include/conversation.php:1242 +#, php-format +msgid "%s don't like this." +msgstr "%s ei tykkää tästä." + +#: include/conversation.php:1245 +#, php-format +msgid "%2$d people attend" +msgstr "%2$d ihmistä osallistuu" + +#: include/conversation.php:1246 +#, php-format +msgid "%s attend." +msgstr "%s osallistuu." + +#: include/conversation.php:1249 +#, php-format +msgid "%2$d people don't attend" +msgstr "%2$d ihmistä ei osallistu" + +#: include/conversation.php:1250 +#, php-format +msgid "%s don't attend." +msgstr "%s ei osallistu." + +#: include/conversation.php:1253 +#, php-format +msgid "%2$d people attend maybe" +msgstr "%2$d ihmistä ehkä osallistuu" + +#: include/conversation.php:1254 +#, php-format +msgid "%s attend maybe." +msgstr "%s ehkä osallistuu." + +#: include/conversation.php:1284 include/conversation.php:1300 +msgid "Visible to everybody" +msgstr "Näkyy kaikille" + +#: include/conversation.php:1285 include/conversation.php:1301 +#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 +#: mod/message.php:207 mod/message.php:343 mod/message.php:350 +msgid "Please enter a link URL:" +msgstr "Lisää URL-linkki:" + +#: include/conversation.php:1286 include/conversation.php:1302 +msgid "Please enter a video link/URL:" +msgstr "Lisää video URL-linkki:" + +#: include/conversation.php:1287 include/conversation.php:1303 +msgid "Please enter an audio link/URL:" +msgstr "Lisää ääni URL-linkki:" + +#: include/conversation.php:1288 include/conversation.php:1304 +msgid "Tag term:" +msgstr "" + +#: include/conversation.php:1289 include/conversation.php:1305 +#: mod/filer.php:34 +msgid "Save to Folder:" +msgstr "Tallenna kansioon:" + +#: include/conversation.php:1290 include/conversation.php:1306 +msgid "Where are you right now?" +msgstr "Mikä on sijaintisi?" + +#: include/conversation.php:1291 +msgid "Delete item(s)?" +msgstr "Poista kohde/kohteet?" + +#: include/conversation.php:1338 +msgid "New Post" +msgstr "Uusi julkaisu" + +#: include/conversation.php:1341 +msgid "Share" +msgstr "Jaa" + +#: include/conversation.php:1342 mod/wallmessage.php:143 mod/editpost.php:111 +#: mod/message.php:262 mod/message.php:430 +msgid "Upload photo" +msgstr "Lähetä kuva" + +#: include/conversation.php:1343 mod/editpost.php:112 +msgid "upload photo" +msgstr "lähetä kuva" + +#: include/conversation.php:1344 mod/editpost.php:113 +msgid "Attach file" +msgstr "Liitä tiedosto" + +#: include/conversation.php:1345 mod/editpost.php:114 +msgid "attach file" +msgstr "liitä tiedosto" + +#: include/conversation.php:1346 mod/wallmessage.php:144 mod/editpost.php:115 +#: mod/message.php:263 mod/message.php:431 +msgid "Insert web link" +msgstr "Lisää linkki" + +#: include/conversation.php:1347 mod/editpost.php:116 +msgid "web link" +msgstr "WWW-linkki" + +#: include/conversation.php:1348 mod/editpost.php:117 +msgid "Insert video link" +msgstr "Lisää videolinkki" + +#: include/conversation.php:1349 mod/editpost.php:118 +msgid "video link" +msgstr "videolinkki" + +#: include/conversation.php:1350 mod/editpost.php:119 +msgid "Insert audio link" +msgstr "Lisää äänilinkki" + +#: include/conversation.php:1351 mod/editpost.php:120 +msgid "audio link" +msgstr "äänilinkki" + +#: include/conversation.php:1352 mod/editpost.php:121 +msgid "Set your location" +msgstr "Aseta sijaintisi" + +#: include/conversation.php:1353 mod/editpost.php:122 +msgid "set location" +msgstr "aseta sijainti" + +#: include/conversation.php:1354 mod/editpost.php:123 +msgid "Clear browser location" +msgstr "Tyhjennä selaimen sijainti" + +#: include/conversation.php:1355 mod/editpost.php:124 +msgid "clear location" +msgstr "tyhjennä sijainti" + +#: include/conversation.php:1357 mod/editpost.php:138 +msgid "Set title" +msgstr "Aseta otsikko" + +#: include/conversation.php:1359 mod/editpost.php:140 +msgid "Categories (comma-separated list)" +msgstr "Luokat (pilkuilla eroteltu luettelo)" + +#: include/conversation.php:1361 mod/editpost.php:126 +msgid "Permission settings" +msgstr "Käyttöoikeusasetukset" + +#: include/conversation.php:1362 mod/editpost.php:155 +msgid "permissions" +msgstr "käyttöoikeudet" + +#: include/conversation.php:1370 mod/editpost.php:135 +msgid "Public post" +msgstr "Julkinen viesti" + +#: include/conversation.php:1374 mod/editpost.php:146 mod/photos.php:1492 +#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 +#: src/Object/Post.php:805 +msgid "Preview" +msgstr "Esikatselu" + +#: include/conversation.php:1383 +msgid "Post to Groups" +msgstr "Lähetä ryhmiin" + +#: include/conversation.php:1384 +msgid "Post to Contacts" +msgstr "Lähetä kontakteille" + +#: include/conversation.php:1385 +msgid "Private post" +msgstr "Yksityinen julkaisu" + +#: include/conversation.php:1390 mod/editpost.php:153 +#: src/Model/Profile.php:342 +msgid "Message" +msgstr "Viesti" + +#: include/conversation.php:1391 mod/editpost.php:154 +msgid "Browser" +msgstr "Selain" + +#: include/conversation.php:1658 +msgid "View all" +msgstr "Näytä kaikki" + +#: include/conversation.php:1681 +msgid "Like" +msgid_plural "Likes" +msgstr[0] "Tykkäys" +msgstr[1] "Tykkäyksiä" + +#: include/conversation.php:1684 +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "Inhokki" +msgstr[1] "Inhokit" + +#: include/conversation.php:1690 +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "Ei osallistu" +msgstr[1] "Ei osallistu" + +#: include/conversation.php:1693 src/Content/ContactSelector.php:125 +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "" +msgstr[1] "" + #: include/text.php:302 msgid "newer" msgstr "uudempi" @@ -961,11 +965,11 @@ msgstr "tökkäsi" #: include/text.php:1075 msgid "ping" -msgstr "" +msgstr "pingaa" #: include/text.php:1075 msgid "pinged" -msgstr "" +msgstr "pingasi" #: include/text.php:1076 msgid "prod" @@ -977,11 +981,11 @@ msgstr "tökkäsi" #: include/text.php:1077 msgid "slap" -msgstr "" +msgstr "läimäytä" #: include/text.php:1077 msgid "slapped" -msgstr "" +msgstr "läimäsi" #: include/text.php:1078 msgid "finger" @@ -993,13 +997,13 @@ msgstr "" #: include/text.php:1079 msgid "rebuff" -msgstr "" +msgstr "torju" #: include/text.php:1079 msgid "rebuffed" -msgstr "" +msgstr "torjui" -#: include/text.php:1093 mod/settings.php:941 src/Model/Event.php:379 +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:379 msgid "Monday" msgstr "Maanantai" @@ -1023,7 +1027,7 @@ msgstr "Perjantai" msgid "Saturday" msgstr "Lauantai" -#: include/text.php:1093 mod/settings.php:941 src/Model/Event.php:378 +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:378 msgid "Sunday" msgstr "Sunnuntai" @@ -1144,45 +1148,50 @@ msgstr "Mar." msgid "Dec" msgstr "Jou." -#: include/text.php:1324 mod/videos.php:380 +#: include/text.php:1275 +#, php-format +msgid "Content warning: %s" +msgstr "" + +#: include/text.php:1345 mod/videos.php:380 msgid "View Video" msgstr "Katso video" -#: include/text.php:1341 +#: include/text.php:1362 msgid "bytes" msgstr "tavua" -#: include/text.php:1374 include/text.php:1385 +#: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" msgstr "Klikkaa auki/kiinni" -#: include/text.php:1509 +#: include/text.php:1559 msgid "View on separate page" msgstr "Katso erillisellä sivulla" -#: include/text.php:1510 +#: include/text.php:1560 msgid "view on separate page" msgstr "katso erillisellä sivulla" -#: include/text.php:1515 include/text.php:1522 src/Model/Event.php:594 +#: include/text.php:1565 include/text.php:1572 src/Model/Event.php:594 msgid "link to source" msgstr "linkki lähteeseen" -#: include/text.php:1728 +#: include/text.php:1778 msgid "activity" msgstr "toiminta" -#: include/text.php:1730 src/Object/Post.php:423 src/Object/Post.php:435 +#: include/text.php:1780 src/Object/Post.php:429 src/Object/Post.php:441 msgid "comment" msgid_plural "comments" msgstr[0] "kommentoi" msgstr[1] "kommentoi" -#: include/text.php:1733 +#: include/text.php:1783 msgid "post" msgstr "julkaisu" -#: include/text.php:1890 +#: include/text.php:1940 msgid "Item filed" msgstr "" @@ -1213,13 +1222,13 @@ msgid "" " and/or create new posts for you?" msgstr "Haluatko antaa tälle sovellukselle luvan hakea viestejäsi ja yhteystietojasi ja/tai luoda uusia viestejä?" -#: mod/api.php:111 mod/dfrn_request.php:653 mod/settings.php:1103 -#: mod/settings.php:1109 mod/settings.php:1116 mod/settings.php:1120 -#: mod/settings.php:1124 mod/settings.php:1128 mod/settings.php:1132 -#: mod/settings.php:1136 mod/settings.php:1156 mod/settings.php:1157 +#: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 +#: mod/register.php:238 mod/settings.php:1105 mod/settings.php:1111 +#: mod/settings.php:1118 mod/settings.php:1122 mod/settings.php:1126 +#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 #: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 -#: mod/follow.php:150 mod/profiles.php:636 mod/profiles.php:640 -#: mod/profiles.php:661 mod/register.php:238 +#: mod/settings.php:1161 mod/settings.php:1162 msgid "No" msgstr "Ei" @@ -1313,7 +1322,7 @@ msgstr "" #: mod/photos.php:1160 mod/photos.php:1445 mod/photos.php:1491 #: mod/photos.php:1530 mod/photos.php:1603 mod/install.php:251 #: mod/install.php:290 mod/events.php:530 mod/profiles.php:672 -#: mod/contacts.php:610 src/Object/Post.php:790 +#: mod/contacts.php:610 src/Object/Post.php:796 #: view/theme/duepuntozero/config.php:71 view/theme/frio/config.php:113 #: view/theme/quattro/config.php:73 view/theme/vier/config.php:119 msgid "Submit" @@ -1333,9 +1342,9 @@ msgid "" "entries from this contact." msgstr "" -#: mod/crepair.php:158 mod/settings.php:677 mod/settings.php:703 -#: mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 -#: mod/admin.php:1822 +#: mod/crepair.php:158 mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 +#: mod/admin.php:1806 mod/admin.php:1822 mod/settings.php:677 +#: mod/settings.php:703 msgid "Name" msgstr "Nimi" @@ -1460,8 +1469,8 @@ msgid "" " join." msgstr "" -#: mod/newmember.php:19 mod/settings.php:124 mod/admin.php:1906 -#: mod/admin.php:2175 src/Content/Nav.php:206 view/theme/frio/theme.php:269 +#: mod/newmember.php:19 mod/admin.php:1906 mod/admin.php:2175 +#: mod/settings.php:123 src/Content/Nav.php:206 view/theme/frio/theme.php:269 msgid "Settings" msgstr "Asetukset" @@ -1803,7 +1812,7 @@ msgstr "Hyväksy" #: mod/notifications.php:198 msgid "Claims to be known to you: " -msgstr "" +msgstr "Väittää tuntevansa sinut:" #: mod/notifications.php:199 msgid "yes" @@ -1882,7 +1891,7 @@ msgstr "Verkko:" #: mod/notifications.php:275 msgid "No introductions." -msgstr "" +msgstr "Ei esittelyjä." #: mod/notifications.php:316 msgid "Show unread" @@ -1935,7 +1944,7 @@ msgstr "Vahvistus onnistui." #: mod/dfrn_confirm.php:275 msgid "Temporary failure. Please wait and try again." -msgstr "" +msgstr "Tilapäinen vika. Yritä myöhemmin uudelleen." #: mod/dfrn_confirm.php:278 msgid "Introduction failed or was revoked." @@ -2139,7 +2148,7 @@ msgstr "" #: mod/manage.php:182 msgid "Select an identity to manage: " -msgstr "" +msgstr "Valitse identiteetti hallitavaksi:" #: mod/dfrn_request.php:94 msgid "This introduction has already been accepted." @@ -2333,7 +2342,7 @@ msgstr "" #: mod/localtime.php:33 msgid "Time Conversion" -msgstr "" +msgstr "Aikamuunnos" #: mod/localtime.php:35 msgid "" @@ -2370,7 +2379,7 @@ msgstr "Käyttöoikeus evätty" #: mod/profperm.php:34 mod/profperm.php:65 msgid "Invalid profile identifier." -msgstr "" +msgstr "Virheellinen profiilitunniste." #: mod/profperm.php:111 msgid "Profile Visibility Editor" @@ -2430,7 +2439,7 @@ msgstr "" #: mod/wallmessage.php:57 mod/message.php:73 msgid "No recipient selected." -msgstr "" +msgstr "Vastaanottaja puuttuu." #: mod/wallmessage.php:60 msgid "Unable to check your home location." @@ -2492,7 +2501,7 @@ msgid "" "of your account (photos are not exported)" msgstr "Vie tilin tiedot, yhteystiedot ja kaikki nimikkeesi json-muodossa. Saattaa luoda hyvin suuren tiedoston ja kestää todella pitkään. Tämän avulla voit ottaa täydellisen varmuuskopion tilistäsi (valokuvia ei viedä)" -#: mod/uexport.php:52 mod/settings.php:108 +#: mod/uexport.php:52 mod/settings.php:107 msgid "Export personal data" msgstr "Vie henkilökohtaiset tiedot" @@ -2502,7 +2511,7 @@ msgstr "- valitse -" #: mod/notify.php:77 msgid "No more system notifications." -msgstr "" +msgstr "Ei enää järjestelmäilmoituksia." #: mod/ping.php:292 msgid "{0} wants to be your friend" @@ -2510,7 +2519,7 @@ msgstr "" #: mod/ping.php:307 msgid "{0} sent you a message" -msgstr "" +msgstr "{0} lähetti sinulle viestin" #: mod/ping.php:322 msgid "{0} requested registration" @@ -2561,7 +2570,7 @@ msgstr "Poista" #: mod/photos.php:795 mod/profile_photo.php:153 #, php-format msgid "Image exceeds size limit of %s" -msgstr "" +msgstr "Kuva ylittää kokorajoituksen %s" #: mod/wall_upload.php:200 mod/photos.php:818 mod/profile_photo.php:162 msgid "Unable to process image." @@ -2578,7 +2587,7 @@ msgstr "Kuvan lähettäminen epäonnistui." #: mod/search.php:37 mod/network.php:194 msgid "Remove term" -msgstr "" +msgstr "Poista kohde" #: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 msgid "Saved Searches" @@ -2902,7 +2911,7 @@ msgstr "" #: mod/network.php:924 msgid "Sort by Comment Date" -msgstr "" +msgstr "Kommentit päivämäärän mukaan" #: mod/network.php:929 msgid "Posted Order" @@ -2910,7 +2919,7 @@ msgstr "" #: mod/network.php:932 msgid "Sort by Post Date" -msgstr "" +msgstr "Julkaisut päivämäärän mukaan" #: mod/network.php:940 mod/profiles.php:687 #: src/Core/NotificationsManager.php:185 @@ -2965,7 +2974,7 @@ msgstr "Viimeaikaisia kuvia" msgid "Upload New Photos" msgstr "Lähetä uusia kuvia" -#: mod/photos.php:126 mod/settings.php:51 +#: mod/photos.php:126 mod/settings.php:50 msgid "everybody" msgstr "kaikki" @@ -3049,11 +3058,11 @@ msgstr "Älä näytä tilaviestiä tälle lähetykselle" msgid "Permissions" msgstr "Käyttöoikeudet" -#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1227 +#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1229 msgid "Show to Groups" msgstr "Näytä ryhmille" -#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1228 +#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1230 msgid "Show to Contacts" msgstr "Näytä kontakteille" @@ -3147,12 +3156,12 @@ msgid "I don't like this (toggle)" msgstr "En tykkää tästä (vaihda)" #: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 -#: mod/contacts.php:953 src/Object/Post.php:787 +#: mod/contacts.php:953 src/Object/Post.php:793 msgid "This is you" msgstr "Tämä olet sinä" #: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 -#: src/Object/Post.php:393 src/Object/Post.php:789 +#: src/Object/Post.php:399 src/Object/Post.php:795 msgid "Comment" msgstr "Kommentti" @@ -3238,10 +3247,10 @@ msgid "" "settings. Please double check whom you give this access." msgstr "" -#: mod/delegate.php:168 mod/settings.php:675 mod/settings.php:784 -#: mod/settings.php:870 mod/settings.php:959 mod/settings.php:1192 -#: mod/admin.php:307 mod/admin.php:1346 mod/admin.php:1965 mod/admin.php:2218 -#: mod/admin.php:2292 mod/admin.php:2439 +#: mod/delegate.php:168 mod/admin.php:307 mod/admin.php:1346 +#: mod/admin.php:1965 mod/admin.php:2218 mod/admin.php:2292 mod/admin.php:2439 +#: mod/settings.php:675 mod/settings.php:784 mod/settings.php:872 +#: mod/settings.php:961 mod/settings.php:1194 msgid "Save Settings" msgstr "Tallenna asetukset" @@ -3288,7 +3297,7 @@ msgstr "Foorumihaku - %s" #: mod/install.php:114 msgid "Friendica Communications Server - Setup" -msgstr "" +msgstr "Friendica viestinnän palvelin - asetukset" #: mod/install.php:120 msgid "Could not connect to database." @@ -3554,7 +3563,7 @@ msgstr "Web-asennuksen pitäisi pystyä luomaan tiedosto nimeltä \".htconfig.ph msgid "" "This is most often a permission setting, as the web server may not be able " "to write files in your folder - even if you can." -msgstr "" +msgstr "Tämä on yleensä käyttöoikeusasetus, jolloin web-palvelimesi ei pysty kirjoittamaan tiedostoja kansioosi, vaikka itse siihen pystyisit." #: mod/install.php:465 msgid "" @@ -3637,7 +3646,7 @@ msgstr "

Mitä seuraavaksi

" msgid "" "IMPORTANT: You will need to [manually] setup a scheduled task for the " "worker." -msgstr "" +msgstr "TÄRKEÄÄ: Sinun pitää asettaa [manuaalisesti] ajastettu tehtävä Workerille." #: mod/install.php:560 #, php-format @@ -3665,7 +3674,7 @@ msgstr "" #: mod/ostatus_subscribe.php:78 msgid "success" -msgstr "" +msgstr "onnistui" #: mod/ostatus_subscribe.php:80 msgid "failed" @@ -3685,7 +3694,7 @@ msgstr "" #: mod/unfollow.php:73 msgid "You aren't a friend of this contact." -msgstr "" +msgstr "Et ole kontaktin kaveri." #: mod/unfollow.php:79 msgid "Unfollowing is currently not supported by your network." @@ -3771,7 +3780,7 @@ msgstr "Tapahtuman tiedot" #: mod/events.php:507 msgid "Starting date and Title are required." -msgstr "" +msgstr "Aloituspvm ja otsikko vaaditaan." #: mod/events.php:508 mod/events.php:509 msgid "Event Starts:" @@ -3878,879 +3887,6 @@ msgstr "Lopeta muokkaus" msgid "Image uploaded successfully." msgstr "Kuvan lähettäminen onnistui." -#: mod/settings.php:56 mod/admin.php:1781 -msgid "Account" -msgstr "Tili" - -#: mod/settings.php:65 mod/admin.php:187 -msgid "Additional features" -msgstr "Lisäominaisuuksia" - -#: mod/settings.php:73 -msgid "Display" -msgstr "" - -#: mod/settings.php:80 mod/settings.php:841 -msgid "Social Networks" -msgstr "Sosiaalinen media" - -#: mod/settings.php:87 mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 -msgid "Addons" -msgstr "Lisäosat" - -#: mod/settings.php:94 src/Content/Nav.php:204 -msgid "Delegations" -msgstr "" - -#: mod/settings.php:101 -msgid "Connected apps" -msgstr "Yhdistetyt sovellukset" - -#: mod/settings.php:115 -msgid "Remove account" -msgstr "Poista tili" - -#: mod/settings.php:169 -msgid "Missing some important data!" -msgstr "" - -#: mod/settings.php:171 mod/settings.php:701 mod/contacts.php:826 -msgid "Update" -msgstr "Päivitä" - -#: mod/settings.php:279 -msgid "Failed to connect with email account using the settings provided." -msgstr "" - -#: mod/settings.php:284 -msgid "Email settings updated." -msgstr "Sähköpostin asetukset päivitettiin." - -#: mod/settings.php:300 -msgid "Features updated" -msgstr "Ominaisuudet päivitetty" - -#: mod/settings.php:372 -msgid "Relocate message has been send to your contacts" -msgstr "" - -#: mod/settings.php:384 src/Model/User.php:325 -msgid "Passwords do not match. Password unchanged." -msgstr "" - -#: mod/settings.php:389 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "" - -#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 -msgid "" -"The new password has been exposed in a public data dump, please choose " -"another." -msgstr "" - -#: mod/settings.php:400 -msgid "Wrong password." -msgstr "Väärä salasana." - -#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 -msgid "Password changed." -msgstr "Salasana vaihdettu." - -#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 -msgid "Password update failed. Please try again." -msgstr "Salasanan vaihto epäonnistui. Yritä uudelleen." - -#: mod/settings.php:496 -msgid " Please use a shorter name." -msgstr "Käytä lyhyempää nimeä." - -#: mod/settings.php:499 -msgid " Name too short." -msgstr "Nimi on liian lyhyt." - -#: mod/settings.php:507 -msgid "Wrong Password" -msgstr "Väärä salasana" - -#: mod/settings.php:512 -msgid "Invalid email." -msgstr "Virheellinen sähköposti." - -#: mod/settings.php:519 -msgid "Cannot change to that email." -msgstr "" - -#: mod/settings.php:572 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "" - -#: mod/settings.php:575 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "" - -#: mod/settings.php:615 -msgid "Settings updated." -msgstr "Asetukset päivitetty." - -#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 -msgid "Add application" -msgstr "Lisää sovellus" - -#: mod/settings.php:678 mod/settings.php:704 -msgid "Consumer Key" -msgstr "" - -#: mod/settings.php:679 mod/settings.php:705 -msgid "Consumer Secret" -msgstr "" - -#: mod/settings.php:680 mod/settings.php:706 -msgid "Redirect" -msgstr "Uudelleenohjaus" - -#: mod/settings.php:681 mod/settings.php:707 -msgid "Icon url" -msgstr "" - -#: mod/settings.php:692 -msgid "You can't edit this application." -msgstr "" - -#: mod/settings.php:735 -msgid "Connected Apps" -msgstr "Yhdistetyt sovellukset" - -#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 -msgid "Edit" -msgstr "Muokkaa" - -#: mod/settings.php:739 -msgid "Client key starts with" -msgstr "" - -#: mod/settings.php:740 -msgid "No name" -msgstr "Ei nimeä" - -#: mod/settings.php:741 -msgid "Remove authorization" -msgstr "Poista lupa" - -#: mod/settings.php:752 -msgid "No Addon settings configured" -msgstr "" - -#: mod/settings.php:761 -msgid "Addon Settings" -msgstr "Lisäosa-asetukset" - -#: mod/settings.php:775 mod/admin.php:2428 mod/admin.php:2429 -msgid "Off" -msgstr "Pois päältä" - -#: mod/settings.php:775 mod/admin.php:2428 mod/admin.php:2429 -msgid "On" -msgstr "Päällä" - -#: mod/settings.php:782 -msgid "Additional Features" -msgstr "Lisäominaisuuksia" - -#: mod/settings.php:804 src/Content/ContactSelector.php:83 -msgid "Diaspora" -msgstr "Diaspora" - -#: mod/settings.php:804 mod/settings.php:805 -msgid "enabled" -msgstr "käytössä" - -#: mod/settings.php:804 mod/settings.php:805 -msgid "disabled" -msgstr "pois käytöstä" - -#: mod/settings.php:804 mod/settings.php:805 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "" - -#: mod/settings.php:805 -msgid "GNU Social (OStatus)" -msgstr "GNU Social (OStatus)" - -#: mod/settings.php:836 -msgid "Email access is disabled on this site." -msgstr "" - -#: mod/settings.php:846 -msgid "General Social Media Settings" -msgstr "Yleiset some asetukset" - -#: mod/settings.php:847 -msgid "Disable intelligent shortening" -msgstr "" - -#: mod/settings.php:847 -msgid "" -"Normally the system tries to find the best link to add to shortened posts. " -"If this option is enabled then every shortened post will always point to the" -" original friendica post." -msgstr "" - -#: mod/settings.php:848 -msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" -msgstr "" - -#: mod/settings.php:848 -msgid "" -"If you receive a message from an unknown OStatus user, this option decides " -"what to do. If it is checked, a new contact will be created for every " -"unknown user." -msgstr "" - -#: mod/settings.php:849 -msgid "Default group for OStatus contacts" -msgstr "Oletusryhmä OStatus kontakteille" - -#: mod/settings.php:850 -msgid "Your legacy GNU Social account" -msgstr "" - -#: mod/settings.php:850 -msgid "" -"If you enter your old GNU Social/Statusnet account name here (in the format " -"user@domain.tld), your contacts will be added automatically. The field will " -"be emptied when done." -msgstr "" - -#: mod/settings.php:853 -msgid "Repair OStatus subscriptions" -msgstr "Korjaa OStatus tilaukset" - -#: mod/settings.php:857 -msgid "Email/Mailbox Setup" -msgstr "Sähköpostin asennus" - -#: mod/settings.php:858 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "" - -#: mod/settings.php:859 -msgid "Last successful email check:" -msgstr "Viimeisin onnistunut sähköpostitarkistus:" - -#: mod/settings.php:861 -msgid "IMAP server name:" -msgstr "IMAP-palvelimen nimi:" - -#: mod/settings.php:862 -msgid "IMAP port:" -msgstr "IMAP-porttti:" - -#: mod/settings.php:863 -msgid "Security:" -msgstr "" - -#: mod/settings.php:863 mod/settings.php:868 -msgid "None" -msgstr "Ei mitään" - -#: mod/settings.php:864 -msgid "Email login name:" -msgstr "Sähköpostitilin käyttäjätunnus:" - -#: mod/settings.php:865 -msgid "Email password:" -msgstr "Sähköpostin salasana:" - -#: mod/settings.php:866 -msgid "Reply-to address:" -msgstr "Vastausosoite:" - -#: mod/settings.php:867 -msgid "Send public posts to all email contacts:" -msgstr "" - -#: mod/settings.php:868 -msgid "Action after import:" -msgstr "" - -#: mod/settings.php:868 src/Content/Nav.php:191 -msgid "Mark as seen" -msgstr "Merkitse luetuksi" - -#: mod/settings.php:868 -msgid "Move to folder" -msgstr "Siirrä kansioon" - -#: mod/settings.php:869 -msgid "Move to folder:" -msgstr "Siirrä kansioon:" - -#: mod/settings.php:903 mod/admin.php:1236 -msgid "No special theme for mobile devices" -msgstr "" - -#: mod/settings.php:912 -#, php-format -msgid "%s - (Unsupported)" -msgstr "%s - (Ei tueta)" - -#: mod/settings.php:914 -#, php-format -msgid "%s - (Experimental)" -msgstr "%s - (Kokeellinen)" - -#: mod/settings.php:957 -msgid "Display Settings" -msgstr "Näyttöasetukset" - -#: mod/settings.php:963 mod/settings.php:987 -msgid "Display Theme:" -msgstr "" - -#: mod/settings.php:964 -msgid "Mobile Theme:" -msgstr "Mobiiliteema:" - -#: mod/settings.php:965 -msgid "Suppress warning of insecure networks" -msgstr "" - -#: mod/settings.php:965 -msgid "" -"Should the system suppress the warning that the current group contains " -"members of networks that can't receive non public postings." -msgstr "" - -#: mod/settings.php:966 -msgid "Update browser every xx seconds" -msgstr "Päivitä selain xx sekunnin välein" - -#: mod/settings.php:966 -msgid "Minimum of 10 seconds. Enter -1 to disable it." -msgstr "" - -#: mod/settings.php:967 -msgid "Number of items to display per page:" -msgstr "" - -#: mod/settings.php:967 mod/settings.php:968 -msgid "Maximum of 100 items" -msgstr "Enintään 100 kohdetta" - -#: mod/settings.php:968 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "" - -#: mod/settings.php:969 -msgid "Don't show emoticons" -msgstr "Piilota hymiöt" - -#: mod/settings.php:970 -msgid "Calendar" -msgstr "Kalenteri" - -#: mod/settings.php:971 -msgid "Beginning of week:" -msgstr "Viikon alku:" - -#: mod/settings.php:972 -msgid "Don't show notices" -msgstr "" - -#: mod/settings.php:973 -msgid "Infinite scroll" -msgstr "" - -#: mod/settings.php:974 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: mod/settings.php:974 -msgid "" -"When disabled, the network page is updated all the time, which could be " -"confusing while reading." -msgstr "" - -#: mod/settings.php:975 -msgid "Bandwith Saver Mode" -msgstr "Kaistanleveyssäästömoodi" - -#: mod/settings.php:975 -msgid "" -"When enabled, embedded content is not displayed on automatic updates, they " -"only show on page reload." -msgstr "" - -#: mod/settings.php:976 -msgid "Smart Threading" -msgstr "" - -#: mod/settings.php:976 -msgid "" -"When enabled, suppress extraneous thread indentation while keeping it where " -"it matters. Only works if threading is available and enabled." -msgstr "" - -#: mod/settings.php:978 -msgid "General Theme Settings" -msgstr "Yleiset teeman asetukset" - -#: mod/settings.php:979 -msgid "Custom Theme Settings" -msgstr "" - -#: mod/settings.php:980 -msgid "Content Settings" -msgstr "Sisältöasetukset" - -#: mod/settings.php:981 view/theme/duepuntozero/config.php:73 -#: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 -#: view/theme/vier/config.php:121 -msgid "Theme settings" -msgstr "Teeman asetukset" - -#: mod/settings.php:1000 -msgid "Unable to find your profile. Please contact your admin." -msgstr "" - -#: mod/settings.php:1042 -msgid "Account Types" -msgstr "Tilityypit" - -#: mod/settings.php:1043 -msgid "Personal Page Subtypes" -msgstr "Henkilökohtaisen sivun alatyypit" - -#: mod/settings.php:1044 -msgid "Community Forum Subtypes" -msgstr "Yhteisöfoorumin alatyypit" - -#: mod/settings.php:1051 -msgid "Personal Page" -msgstr "Henkilökohtainen sivu" - -#: mod/settings.php:1052 -msgid "Account for a personal profile." -msgstr "" - -#: mod/settings.php:1055 -msgid "Organisation Page" -msgstr "Järjestön sivu" - -#: mod/settings.php:1056 -msgid "" -"Account for an organisation that automatically approves contact requests as " -"\"Followers\"." -msgstr "" - -#: mod/settings.php:1059 -msgid "News Page" -msgstr "Uutissivu" - -#: mod/settings.php:1060 -msgid "" -"Account for a news reflector that automatically approves contact requests as" -" \"Followers\"." -msgstr "" - -#: mod/settings.php:1063 -msgid "Community Forum" -msgstr "Yhteisöfoorumi" - -#: mod/settings.php:1064 -msgid "Account for community discussions." -msgstr "" - -#: mod/settings.php:1067 -msgid "Normal Account Page" -msgstr "" - -#: mod/settings.php:1068 -msgid "" -"Account for a regular personal profile that requires manual approval of " -"\"Friends\" and \"Followers\"." -msgstr "" - -#: mod/settings.php:1071 -msgid "Soapbox Page" -msgstr "Saarnatuoli sivu" - -#: mod/settings.php:1072 -msgid "" -"Account for a public profile that automatically approves contact requests as" -" \"Followers\"." -msgstr "" - -#: mod/settings.php:1075 -msgid "Public Forum" -msgstr "Julkinen foorumi" - -#: mod/settings.php:1076 -msgid "Automatically approves all contact requests." -msgstr "Automaattisesti hyväksyy kaikki kontaktipyynnöt" - -#: mod/settings.php:1079 -msgid "Automatic Friend Page" -msgstr "" - -#: mod/settings.php:1080 -msgid "" -"Account for a popular profile that automatically approves contact requests " -"as \"Friends\"." -msgstr "" - -#: mod/settings.php:1083 -msgid "Private Forum [Experimental]" -msgstr "Yksityisfoorumi [kokeellinen]" - -#: mod/settings.php:1084 -msgid "Requires manual approval of contact requests." -msgstr "" - -#: mod/settings.php:1095 -msgid "OpenID:" -msgstr "OpenID:" - -#: mod/settings.php:1095 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "" - -#: mod/settings.php:1103 -msgid "Publish your default profile in your local site directory?" -msgstr "" - -#: mod/settings.php:1103 -#, php-format -msgid "" -"Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." -msgstr "" - -#: mod/settings.php:1109 -msgid "Publish your default profile in the global social directory?" -msgstr "" - -#: mod/settings.php:1109 -#, php-format -msgid "" -"Your profile will be published in this node's local " -"directory. Your profile details may be publicly visible depending on the" -" system settings." -msgstr "" - -#: mod/settings.php:1116 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "" - -#: mod/settings.php:1116 -msgid "" -"Your contact list won't be shown in your default profile page. You can " -"decide to show your contact list separately for each additional profile you " -"create" -msgstr "" - -#: mod/settings.php:1120 -msgid "Hide your profile details from anonymous viewers?" -msgstr "" - -#: mod/settings.php:1120 -msgid "" -"Anonymous visitors will only see your profile picture, your display name and" -" the nickname you are using on your profile page. Disables posting public " -"messages to Diaspora and other networks." -msgstr "" - -#: mod/settings.php:1124 -msgid "Allow friends to post to your profile page?" -msgstr "" - -#: mod/settings.php:1124 -msgid "" -"Your contacts may write posts on your profile wall. These posts will be " -"distributed to your contacts" -msgstr "" - -#: mod/settings.php:1128 -msgid "Allow friends to tag your posts?" -msgstr "" - -#: mod/settings.php:1128 -msgid "Your contacts can add additional tags to your posts." -msgstr "" - -#: mod/settings.php:1132 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "" - -#: mod/settings.php:1132 -msgid "" -"If you like, Friendica may suggest new members to add you as a contact." -msgstr "" - -#: mod/settings.php:1136 -msgid "Permit unknown people to send you private mail?" -msgstr "Salli yksityisviesit tuntemattomilta?" - -#: mod/settings.php:1136 -msgid "" -"Friendica network users may send you private messages even if they are not " -"in your contact list." -msgstr "" - -#: mod/settings.php:1140 -msgid "Profile is not published." -msgstr "Profiili ei ole julkaistu." - -#: mod/settings.php:1146 -#, php-format -msgid "Your Identity Address is '%s' or '%s'." -msgstr "" - -#: mod/settings.php:1153 -msgid "Automatically expire posts after this many days:" -msgstr "" - -#: mod/settings.php:1153 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "" - -#: mod/settings.php:1154 -msgid "Advanced expiration settings" -msgstr "" - -#: mod/settings.php:1155 -msgid "Advanced Expiration" -msgstr "" - -#: mod/settings.php:1156 -msgid "Expire posts:" -msgstr "" - -#: mod/settings.php:1157 -msgid "Expire personal notes:" -msgstr "" - -#: mod/settings.php:1158 -msgid "Expire starred posts:" -msgstr "" - -#: mod/settings.php:1159 -msgid "Expire photos:" -msgstr "" - -#: mod/settings.php:1160 -msgid "Only expire posts by others:" -msgstr "" - -#: mod/settings.php:1190 -msgid "Account Settings" -msgstr "Tiliasetukset" - -#: mod/settings.php:1198 -msgid "Password Settings" -msgstr "Salasana-asetukset" - -#: mod/settings.php:1199 mod/register.php:273 -msgid "New Password:" -msgstr "Uusi salasana:" - -#: mod/settings.php:1200 mod/register.php:274 -msgid "Confirm:" -msgstr "Vahvista:" - -#: mod/settings.php:1200 -msgid "Leave password fields blank unless changing" -msgstr "" - -#: mod/settings.php:1201 -msgid "Current Password:" -msgstr "Nykyinen salasana:" - -#: mod/settings.php:1201 mod/settings.php:1202 -msgid "Your current password to confirm the changes" -msgstr "" - -#: mod/settings.php:1202 -msgid "Password:" -msgstr "Salasana:" - -#: mod/settings.php:1206 -msgid "Basic Settings" -msgstr "Perusasetukset" - -#: mod/settings.php:1207 src/Model/Profile.php:738 -msgid "Full Name:" -msgstr "Koko nimi:" - -#: mod/settings.php:1208 -msgid "Email Address:" -msgstr "Sähköpostiosoite:" - -#: mod/settings.php:1209 -msgid "Your Timezone:" -msgstr "Aikavyöhyke:" - -#: mod/settings.php:1210 -msgid "Your Language:" -msgstr "Kieli:" - -#: mod/settings.php:1210 -msgid "" -"Set the language we use to show you friendica interface and to send you " -"emails" -msgstr "" - -#: mod/settings.php:1211 -msgid "Default Post Location:" -msgstr "" - -#: mod/settings.php:1212 -msgid "Use Browser Location:" -msgstr "Käytä selaimen sijainti:" - -#: mod/settings.php:1215 -msgid "Security and Privacy Settings" -msgstr "Turvallisuus ja tietosuoja-asetukset" - -#: mod/settings.php:1217 -msgid "Maximum Friend Requests/Day:" -msgstr "" - -#: mod/settings.php:1217 mod/settings.php:1246 -msgid "(to prevent spam abuse)" -msgstr "" - -#: mod/settings.php:1218 -msgid "Default Post Permissions" -msgstr "" - -#: mod/settings.php:1219 -msgid "(click to open/close)" -msgstr "(klikkaa auki/kiinni)" - -#: mod/settings.php:1229 -msgid "Default Private Post" -msgstr "" - -#: mod/settings.php:1230 -msgid "Default Public Post" -msgstr "" - -#: mod/settings.php:1234 -msgid "Default Permissions for New Posts" -msgstr "" - -#: mod/settings.php:1246 -msgid "Maximum private messages per day from unknown people:" -msgstr "" - -#: mod/settings.php:1249 -msgid "Notification Settings" -msgstr "Huomautusasetukset" - -#: mod/settings.php:1250 -msgid "By default post a status message when:" -msgstr "" - -#: mod/settings.php:1251 -msgid "accepting a friend request" -msgstr "hyväksyt kaveripyynnön" - -#: mod/settings.php:1252 -msgid "joining a forum/community" -msgstr "liityt foorumiin/yhteisöön" - -#: mod/settings.php:1253 -msgid "making an interesting profile change" -msgstr "" - -#: mod/settings.php:1254 -msgid "Send a notification email when:" -msgstr "Lähetä sähköposti-ilmoitus kun:" - -#: mod/settings.php:1255 -msgid "You receive an introduction" -msgstr "" - -#: mod/settings.php:1256 -msgid "Your introductions are confirmed" -msgstr "" - -#: mod/settings.php:1257 -msgid "Someone writes on your profile wall" -msgstr "" - -#: mod/settings.php:1258 -msgid "Someone writes a followup comment" -msgstr "" - -#: mod/settings.php:1259 -msgid "You receive a private message" -msgstr "Vastaanotat yksityisviestin" - -#: mod/settings.php:1260 -msgid "You receive a friend suggestion" -msgstr "Vastaanotat kaveriehdotuksen" - -#: mod/settings.php:1261 -msgid "You are tagged in a post" -msgstr "Sinut on merkitty julkaisuun" - -#: mod/settings.php:1262 -msgid "You are poked/prodded/etc. in a post" -msgstr "" - -#: mod/settings.php:1264 -msgid "Activate desktop notifications" -msgstr "Ota työpöytäilmoitukset käyttöön" - -#: mod/settings.php:1264 -msgid "Show desktop popup on new notifications" -msgstr "" - -#: mod/settings.php:1266 -msgid "Text-only notification emails" -msgstr "" - -#: mod/settings.php:1268 -msgid "Send text only notification emails, without the html part" -msgstr "" - -#: mod/settings.php:1270 -msgid "Show detailled notifications" -msgstr "" - -#: mod/settings.php:1272 -msgid "" -"Per default, notifications are condensed to a single notification per item. " -"When enabled every notification is displayed." -msgstr "" - -#: mod/settings.php:1274 -msgid "Advanced Account/Page Type Settings" -msgstr "Käyttäjätili/sivutyyppi lisäasetuksia" - -#: mod/settings.php:1275 -msgid "Change the behaviour of this account for special situations" -msgstr "" - -#: mod/settings.php:1278 -msgid "Relocate" -msgstr "" - -#: mod/settings.php:1279 -msgid "" -"If you have moved this profile from another server, and some of your " -"contacts don't receive your updates, try pushing this button." -msgstr "" - -#: mod/settings.php:1280 -msgid "Resend relocate message to contacts" -msgstr "" - #: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 msgid "Status:" msgstr "Tila:" @@ -4761,7 +3897,7 @@ msgstr "Kotisivu:" #: mod/directory.php:202 view/theme/vier/theme.php:201 msgid "Global Directory" -msgstr "" +msgstr "Maailmanlaajuinen hakemisto" #: mod/directory.php:204 msgid "Find on this site" @@ -4893,7 +4029,7 @@ msgstr "Profiili ei saatavilla kloonattavaksi." #: mod/profiles.php:206 msgid "Profile Name is required." -msgstr "" +msgstr "Profiilinimi on pakollinen." #: mod/profiles.php:347 msgid "Marital Status" @@ -4988,7 +4124,7 @@ msgstr "" #: mod/profiles.php:671 msgid "Edit Profile Details" -msgstr "" +msgstr "Muokkaa profiilin yksityiskohdat" #: mod/profiles.php:673 msgid "Change Profile Photo" @@ -5008,7 +4144,7 @@ msgstr "Luo uusi profiili näillä asetuksilla" #: mod/profiles.php:677 msgid "Clone this profile" -msgstr "" +msgstr "Kloonaa tämä profiili" #: mod/profiles.php:678 msgid "Delete this profile" @@ -5028,7 +4164,7 @@ msgstr "Mieltymykset" #: mod/profiles.php:684 msgid "Status information" -msgstr "" +msgstr "Tilatiedot" #: mod/profiles.php:685 msgid "Additional information" @@ -5036,7 +4172,7 @@ msgstr "Lisätietoja" #: mod/profiles.php:688 msgid "Relation" -msgstr "" +msgstr "Suhde" #: mod/profiles.php:689 src/Util/Temporal.php:81 src/Util/Temporal.php:83 msgid "Miscellaneous" @@ -5048,7 +4184,7 @@ msgstr "Sukupuoli:" #: mod/profiles.php:693 msgid " Marital Status:" -msgstr "" +msgstr " Siviilisääty:" #: mod/profiles.php:694 src/Model/Profile.php:782 msgid "Sexual Preference:" @@ -5102,7 +4238,7 @@ msgstr "Ikä:" #: mod/profiles.php:715 msgid "Who: (if applicable)" -msgstr "" +msgstr "Kuka: (tarvittaessa)" #: mod/profiles.php:715 msgid "Examples: cathy123, Cathy Williams, cathy@example.com" @@ -5267,7 +4403,7 @@ msgstr "Henkilö on otettu pois arkistosta." #: mod/contacts.php:467 msgid "Drop contact" -msgstr "" +msgstr "Poista kontakti" #: mod/contacts.php:470 mod/contacts.php:823 msgid "Do you really want to delete this contact?" @@ -5530,6 +4666,10 @@ msgstr "Näytä vain piilotetut henkilöt" msgid "Search your contacts" msgstr "Etsi henkilöitä" +#: mod/contacts.php:826 mod/settings.php:170 mod/settings.php:701 +msgid "Update" +msgstr "Päivitä" + #: mod/contacts.php:829 mod/contacts.php:1027 msgid "Archive" msgstr "Arkistoi" @@ -5630,7 +4770,7 @@ msgstr "käynnissä osoitteessa" msgid "" "Please visit Friendi.ca to learn more " "about the Friendica project." -msgstr "" +msgstr "Vieraile osoitteessa Friendi.ca saadaksesi lisätietoja Friendica- projektista." #: mod/friendica.php:86 msgid "Bug reports and issues: please visit" @@ -5871,10 +5011,18 @@ msgid "" "be an existing address.)" msgstr "" +#: mod/register.php:273 mod/settings.php:1201 +msgid "New Password:" +msgstr "Uusi salasana:" + #: mod/register.php:273 msgid "Leave empty for an auto generated password." msgstr "" +#: mod/register.php:274 mod/settings.php:1202 +msgid "Confirm:" +msgstr "Vahvista:" + #: mod/register.php:275 #, php-format msgid "" @@ -5922,10 +5070,18 @@ msgstr "Sivusto" msgid "Users" msgstr "Käyttäjät" +#: mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 mod/settings.php:86 +msgid "Addons" +msgstr "Lisäosat" + #: mod/admin.php:186 mod/admin.php:2173 mod/admin.php:2217 msgid "Themes" msgstr "Teemat" +#: mod/admin.php:187 mod/settings.php:64 +msgid "Additional features" +msgstr "Lisäominaisuuksia" + #: mod/admin.php:189 msgid "Database" msgstr "Tietokanta" @@ -5944,11 +5100,11 @@ msgstr "Työkalut" #: mod/admin.php:193 msgid "Contact Blocklist" -msgstr "" +msgstr "Kontaktien estolista" #: mod/admin.php:194 mod/admin.php:362 msgid "Server Blocklist" -msgstr "" +msgstr "Palvelimien estolista" #: mod/admin.php:195 mod/admin.php:521 msgid "Delete Item" @@ -5984,7 +5140,7 @@ msgstr "Ylläpitäjä" #: mod/admin.php:223 msgid "Addon Features" -msgstr "" +msgstr "Lisäosaominaisuudet" #: mod/admin.php:224 msgid "User registrations waiting for confirmation" @@ -6034,7 +5190,7 @@ msgstr "Estetty verkkotunnus" #: mod/admin.php:354 mod/admin.php:367 msgid "The reason why you blocked this domain." -msgstr "" +msgstr "Verkkotunnuksen estosyy." #: mod/admin.php:355 msgid "Delete domain" @@ -6075,7 +5231,7 @@ msgstr "" #: mod/admin.php:367 msgid "Block reason" -msgstr "" +msgstr "Estosyy" #: mod/admin.php:368 msgid "Add Entry" @@ -6103,7 +5259,7 @@ msgstr "" #: mod/admin.php:418 msgid "Site blocklist updated." -msgstr "" +msgstr "Sivuston estolista päivitetty." #: mod/admin.php:441 src/Core/Console/GlobalCommunityBlock.php:72 msgid "The contact has been blocked from the node" @@ -6246,7 +5402,7 @@ msgstr "Luotu" #: mod/admin.php:760 msgid "Last Tried" -msgstr "" +msgstr "Viimeksi yritetty" #: mod/admin.php:761 msgid "" @@ -6337,7 +5493,7 @@ msgstr "Versio" #: mod/admin.php:859 msgid "Active addons" -msgstr "" +msgstr "Käytössäolevat lisäosat" #: mod/admin.php:890 msgid "Can not parse base url. Must have at least ://" @@ -6347,6 +5503,10 @@ msgstr "" msgid "Site settings updated." msgstr "Sivuston asetukset päivitettiin." +#: mod/admin.php:1236 mod/settings.php:905 +msgid "No special theme for mobile devices" +msgstr "" + #: mod/admin.php:1265 msgid "No community page" msgstr "" @@ -6365,7 +5525,7 @@ msgstr "" #: mod/admin.php:1274 msgid "Users, Global Contacts" -msgstr "" +msgstr "Käyttäjät, maailmanlaajuiset kontaktit" #: mod/admin.php:1275 msgid "Users, Global Contacts/fallback" @@ -6449,7 +5609,7 @@ msgstr "Suoritus" #: mod/admin.php:1354 msgid "Worker" -msgstr "" +msgstr "Worker" #: mod/admin.php:1355 msgid "Message Relay" @@ -6514,7 +5674,7 @@ msgstr "Järjestelmän kieli" #: mod/admin.php:1367 msgid "System theme" -msgstr "" +msgstr "Järjestelmäteema" #: mod/admin.php:1367 msgid "" @@ -6524,7 +5684,7 @@ msgstr "" #: mod/admin.php:1368 msgid "Mobile system theme" -msgstr "" +msgstr "Mobiili järjestelmäteema" #: mod/admin.php:1368 msgid "Theme for mobile devices" @@ -6693,7 +5853,7 @@ msgstr "" #: mod/admin.php:1387 msgid "Global directory URL" -msgstr "" +msgstr "Maailmanlaajuisen hakemiston URL-osoite" #: mod/admin.php:1387 msgid "" @@ -7272,7 +6432,7 @@ msgid "" "\t\t\t\tthe administrator of %2$s has set up an account for you." msgstr "" -#: mod/admin.php:1577 src/Model/User.php:615 +#: mod/admin.php:1577 #, php-format msgid "" "\n" @@ -7355,6 +6515,10 @@ msgstr "Viimeisin kirjautuminen" msgid "Last item" msgstr "Viimeisin kohde" +#: mod/admin.php:1781 mod/settings.php:55 +msgid "Account" +msgstr "Tili" + #: mod/admin.php:1789 msgid "Add User" msgstr "Lisää käyttäjä" @@ -7555,6 +6719,14 @@ msgid "" " %1$s is readable." msgstr "" +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "Off" +msgstr "Pois päältä" + +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "On" +msgstr "Päällä" + #: mod/admin.php:2429 #, php-format msgid "Lock feature %s" @@ -7564,6 +6736,855 @@ msgstr "" msgid "Manage Additional Features" msgstr "" +#: mod/settings.php:72 +msgid "Display" +msgstr "" + +#: mod/settings.php:79 mod/settings.php:842 +msgid "Social Networks" +msgstr "Sosiaalinen media" + +#: mod/settings.php:93 src/Content/Nav.php:204 +msgid "Delegations" +msgstr "" + +#: mod/settings.php:100 +msgid "Connected apps" +msgstr "Yhdistetyt sovellukset" + +#: mod/settings.php:114 +msgid "Remove account" +msgstr "Poista tili" + +#: mod/settings.php:168 +msgid "Missing some important data!" +msgstr "" + +#: mod/settings.php:279 +msgid "Failed to connect with email account using the settings provided." +msgstr "" + +#: mod/settings.php:284 +msgid "Email settings updated." +msgstr "Sähköpostin asetukset päivitettiin." + +#: mod/settings.php:300 +msgid "Features updated" +msgstr "Ominaisuudet päivitetty" + +#: mod/settings.php:372 +msgid "Relocate message has been send to your contacts" +msgstr "" + +#: mod/settings.php:384 src/Model/User.php:325 +msgid "Passwords do not match. Password unchanged." +msgstr "" + +#: mod/settings.php:389 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "" + +#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "" + +#: mod/settings.php:400 +msgid "Wrong password." +msgstr "Väärä salasana." + +#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 +msgid "Password changed." +msgstr "Salasana vaihdettu." + +#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 +msgid "Password update failed. Please try again." +msgstr "Salasanan vaihto epäonnistui. Yritä uudelleen." + +#: mod/settings.php:496 +msgid " Please use a shorter name." +msgstr "Käytä lyhyempää nimeä." + +#: mod/settings.php:499 +msgid " Name too short." +msgstr "Nimi on liian lyhyt." + +#: mod/settings.php:507 +msgid "Wrong Password" +msgstr "Väärä salasana" + +#: mod/settings.php:512 +msgid "Invalid email." +msgstr "Virheellinen sähköposti." + +#: mod/settings.php:519 +msgid "Cannot change to that email." +msgstr "" + +#: mod/settings.php:572 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "" + +#: mod/settings.php:575 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "" + +#: mod/settings.php:615 +msgid "Settings updated." +msgstr "Asetukset päivitetty." + +#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 +msgid "Add application" +msgstr "Lisää sovellus" + +#: mod/settings.php:678 mod/settings.php:704 +msgid "Consumer Key" +msgstr "" + +#: mod/settings.php:679 mod/settings.php:705 +msgid "Consumer Secret" +msgstr "" + +#: mod/settings.php:680 mod/settings.php:706 +msgid "Redirect" +msgstr "Uudelleenohjaus" + +#: mod/settings.php:681 mod/settings.php:707 +msgid "Icon url" +msgstr "" + +#: mod/settings.php:692 +msgid "You can't edit this application." +msgstr "" + +#: mod/settings.php:735 +msgid "Connected Apps" +msgstr "Yhdistetyt sovellukset" + +#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 +msgid "Edit" +msgstr "Muokkaa" + +#: mod/settings.php:739 +msgid "Client key starts with" +msgstr "" + +#: mod/settings.php:740 +msgid "No name" +msgstr "Ei nimeä" + +#: mod/settings.php:741 +msgid "Remove authorization" +msgstr "Poista lupa" + +#: mod/settings.php:752 +msgid "No Addon settings configured" +msgstr "" + +#: mod/settings.php:761 +msgid "Addon Settings" +msgstr "Lisäosa-asetukset" + +#: mod/settings.php:782 +msgid "Additional Features" +msgstr "Lisäominaisuuksia" + +#: mod/settings.php:805 src/Content/ContactSelector.php:83 +msgid "Diaspora" +msgstr "Diaspora" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "enabled" +msgstr "käytössä" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "disabled" +msgstr "pois käytöstä" + +#: mod/settings.php:805 mod/settings.php:806 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "" + +#: mod/settings.php:806 +msgid "GNU Social (OStatus)" +msgstr "GNU Social (OStatus)" + +#: mod/settings.php:837 +msgid "Email access is disabled on this site." +msgstr "" + +#: mod/settings.php:847 +msgid "General Social Media Settings" +msgstr "Yleiset some asetukset" + +#: mod/settings.php:848 +msgid "Disable Content Warning" +msgstr "" + +#: mod/settings.php:848 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "" + +#: mod/settings.php:849 +msgid "Disable intelligent shortening" +msgstr "" + +#: mod/settings.php:849 +msgid "" +"Normally the system tries to find the best link to add to shortened posts. " +"If this option is enabled then every shortened post will always point to the" +" original friendica post." +msgstr "" + +#: mod/settings.php:850 +msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" +msgstr "" + +#: mod/settings.php:850 +msgid "" +"If you receive a message from an unknown OStatus user, this option decides " +"what to do. If it is checked, a new contact will be created for every " +"unknown user." +msgstr "" + +#: mod/settings.php:851 +msgid "Default group for OStatus contacts" +msgstr "Oletusryhmä OStatus kontakteille" + +#: mod/settings.php:852 +msgid "Your legacy GNU Social account" +msgstr "" + +#: mod/settings.php:852 +msgid "" +"If you enter your old GNU Social/Statusnet account name here (in the format " +"user@domain.tld), your contacts will be added automatically. The field will " +"be emptied when done." +msgstr "" + +#: mod/settings.php:855 +msgid "Repair OStatus subscriptions" +msgstr "Korjaa OStatus tilaukset" + +#: mod/settings.php:859 +msgid "Email/Mailbox Setup" +msgstr "Sähköpostin asennus" + +#: mod/settings.php:860 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "" + +#: mod/settings.php:861 +msgid "Last successful email check:" +msgstr "Viimeisin onnistunut sähköpostitarkistus:" + +#: mod/settings.php:863 +msgid "IMAP server name:" +msgstr "IMAP-palvelimen nimi:" + +#: mod/settings.php:864 +msgid "IMAP port:" +msgstr "IMAP-porttti:" + +#: mod/settings.php:865 +msgid "Security:" +msgstr "" + +#: mod/settings.php:865 mod/settings.php:870 +msgid "None" +msgstr "Ei mitään" + +#: mod/settings.php:866 +msgid "Email login name:" +msgstr "Sähköpostitilin käyttäjätunnus:" + +#: mod/settings.php:867 +msgid "Email password:" +msgstr "Sähköpostin salasana:" + +#: mod/settings.php:868 +msgid "Reply-to address:" +msgstr "Vastausosoite:" + +#: mod/settings.php:869 +msgid "Send public posts to all email contacts:" +msgstr "" + +#: mod/settings.php:870 +msgid "Action after import:" +msgstr "" + +#: mod/settings.php:870 src/Content/Nav.php:191 +msgid "Mark as seen" +msgstr "Merkitse luetuksi" + +#: mod/settings.php:870 +msgid "Move to folder" +msgstr "Siirrä kansioon" + +#: mod/settings.php:871 +msgid "Move to folder:" +msgstr "Siirrä kansioon:" + +#: mod/settings.php:914 +#, php-format +msgid "%s - (Unsupported)" +msgstr "%s - (Ei tueta)" + +#: mod/settings.php:916 +#, php-format +msgid "%s - (Experimental)" +msgstr "%s - (Kokeellinen)" + +#: mod/settings.php:959 +msgid "Display Settings" +msgstr "Näyttöasetukset" + +#: mod/settings.php:965 mod/settings.php:989 +msgid "Display Theme:" +msgstr "" + +#: mod/settings.php:966 +msgid "Mobile Theme:" +msgstr "Mobiiliteema:" + +#: mod/settings.php:967 +msgid "Suppress warning of insecure networks" +msgstr "" + +#: mod/settings.php:967 +msgid "" +"Should the system suppress the warning that the current group contains " +"members of networks that can't receive non public postings." +msgstr "" + +#: mod/settings.php:968 +msgid "Update browser every xx seconds" +msgstr "Päivitä selain xx sekunnin välein" + +#: mod/settings.php:968 +msgid "Minimum of 10 seconds. Enter -1 to disable it." +msgstr "" + +#: mod/settings.php:969 +msgid "Number of items to display per page:" +msgstr "" + +#: mod/settings.php:969 mod/settings.php:970 +msgid "Maximum of 100 items" +msgstr "Enintään 100 kohdetta" + +#: mod/settings.php:970 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "" + +#: mod/settings.php:971 +msgid "Don't show emoticons" +msgstr "Piilota hymiöt" + +#: mod/settings.php:972 +msgid "Calendar" +msgstr "Kalenteri" + +#: mod/settings.php:973 +msgid "Beginning of week:" +msgstr "Viikon alku:" + +#: mod/settings.php:974 +msgid "Don't show notices" +msgstr "" + +#: mod/settings.php:975 +msgid "Infinite scroll" +msgstr "" + +#: mod/settings.php:976 +msgid "Automatic updates only at the top of the network page" +msgstr "" + +#: mod/settings.php:976 +msgid "" +"When disabled, the network page is updated all the time, which could be " +"confusing while reading." +msgstr "" + +#: mod/settings.php:977 +msgid "Bandwith Saver Mode" +msgstr "Kaistanleveyssäästömoodi" + +#: mod/settings.php:977 +msgid "" +"When enabled, embedded content is not displayed on automatic updates, they " +"only show on page reload." +msgstr "" + +#: mod/settings.php:978 +msgid "Smart Threading" +msgstr "" + +#: mod/settings.php:978 +msgid "" +"When enabled, suppress extraneous thread indentation while keeping it where " +"it matters. Only works if threading is available and enabled." +msgstr "" + +#: mod/settings.php:980 +msgid "General Theme Settings" +msgstr "Yleiset teeman asetukset" + +#: mod/settings.php:981 +msgid "Custom Theme Settings" +msgstr "" + +#: mod/settings.php:982 +msgid "Content Settings" +msgstr "Sisältöasetukset" + +#: mod/settings.php:983 view/theme/duepuntozero/config.php:73 +#: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 +#: view/theme/vier/config.php:121 +msgid "Theme settings" +msgstr "Teeman asetukset" + +#: mod/settings.php:1002 +msgid "Unable to find your profile. Please contact your admin." +msgstr "" + +#: mod/settings.php:1044 +msgid "Account Types" +msgstr "Tilityypit" + +#: mod/settings.php:1045 +msgid "Personal Page Subtypes" +msgstr "Henkilökohtaisen sivun alatyypit" + +#: mod/settings.php:1046 +msgid "Community Forum Subtypes" +msgstr "Yhteisöfoorumin alatyypit" + +#: mod/settings.php:1053 +msgid "Personal Page" +msgstr "Henkilökohtainen sivu" + +#: mod/settings.php:1054 +msgid "Account for a personal profile." +msgstr "" + +#: mod/settings.php:1057 +msgid "Organisation Page" +msgstr "Järjestön sivu" + +#: mod/settings.php:1058 +msgid "" +"Account for an organisation that automatically approves contact requests as " +"\"Followers\"." +msgstr "" + +#: mod/settings.php:1061 +msgid "News Page" +msgstr "Uutissivu" + +#: mod/settings.php:1062 +msgid "" +"Account for a news reflector that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1065 +msgid "Community Forum" +msgstr "Yhteisöfoorumi" + +#: mod/settings.php:1066 +msgid "Account for community discussions." +msgstr "" + +#: mod/settings.php:1069 +msgid "Normal Account Page" +msgstr "" + +#: mod/settings.php:1070 +msgid "" +"Account for a regular personal profile that requires manual approval of " +"\"Friends\" and \"Followers\"." +msgstr "" + +#: mod/settings.php:1073 +msgid "Soapbox Page" +msgstr "Saarnatuoli sivu" + +#: mod/settings.php:1074 +msgid "" +"Account for a public profile that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1077 +msgid "Public Forum" +msgstr "Julkinen foorumi" + +#: mod/settings.php:1078 +msgid "Automatically approves all contact requests." +msgstr "Automaattisesti hyväksyy kaikki kontaktipyynnöt" + +#: mod/settings.php:1081 +msgid "Automatic Friend Page" +msgstr "" + +#: mod/settings.php:1082 +msgid "" +"Account for a popular profile that automatically approves contact requests " +"as \"Friends\"." +msgstr "" + +#: mod/settings.php:1085 +msgid "Private Forum [Experimental]" +msgstr "Yksityisfoorumi [kokeellinen]" + +#: mod/settings.php:1086 +msgid "Requires manual approval of contact requests." +msgstr "" + +#: mod/settings.php:1097 +msgid "OpenID:" +msgstr "OpenID:" + +#: mod/settings.php:1097 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "" + +#: mod/settings.php:1105 +msgid "Publish your default profile in your local site directory?" +msgstr "" + +#: mod/settings.php:1105 +#, php-format +msgid "" +"Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." +msgstr "" + +#: mod/settings.php:1111 +msgid "Publish your default profile in the global social directory?" +msgstr "" + +#: mod/settings.php:1111 +#, php-format +msgid "" +"Your profile will be published in this node's local " +"directory. Your profile details may be publicly visible depending on the" +" system settings." +msgstr "" + +#: mod/settings.php:1118 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "" + +#: mod/settings.php:1118 +msgid "" +"Your contact list won't be shown in your default profile page. You can " +"decide to show your contact list separately for each additional profile you " +"create" +msgstr "" + +#: mod/settings.php:1122 +msgid "Hide your profile details from anonymous viewers?" +msgstr "" + +#: mod/settings.php:1122 +msgid "" +"Anonymous visitors will only see your profile picture, your display name and" +" the nickname you are using on your profile page. Disables posting public " +"messages to Diaspora and other networks." +msgstr "" + +#: mod/settings.php:1126 +msgid "Allow friends to post to your profile page?" +msgstr "" + +#: mod/settings.php:1126 +msgid "" +"Your contacts may write posts on your profile wall. These posts will be " +"distributed to your contacts" +msgstr "" + +#: mod/settings.php:1130 +msgid "Allow friends to tag your posts?" +msgstr "" + +#: mod/settings.php:1130 +msgid "Your contacts can add additional tags to your posts." +msgstr "" + +#: mod/settings.php:1134 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "" + +#: mod/settings.php:1134 +msgid "" +"If you like, Friendica may suggest new members to add you as a contact." +msgstr "" + +#: mod/settings.php:1138 +msgid "Permit unknown people to send you private mail?" +msgstr "Salli yksityisviesit tuntemattomilta?" + +#: mod/settings.php:1138 +msgid "" +"Friendica network users may send you private messages even if they are not " +"in your contact list." +msgstr "" + +#: mod/settings.php:1142 +msgid "Profile is not published." +msgstr "Profiili ei ole julkaistu." + +#: mod/settings.php:1148 +#, php-format +msgid "Your Identity Address is '%s' or '%s'." +msgstr "" + +#: mod/settings.php:1155 +msgid "Automatically expire posts after this many days:" +msgstr "" + +#: mod/settings.php:1155 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "" + +#: mod/settings.php:1156 +msgid "Advanced expiration settings" +msgstr "" + +#: mod/settings.php:1157 +msgid "Advanced Expiration" +msgstr "" + +#: mod/settings.php:1158 +msgid "Expire posts:" +msgstr "" + +#: mod/settings.php:1159 +msgid "Expire personal notes:" +msgstr "" + +#: mod/settings.php:1160 +msgid "Expire starred posts:" +msgstr "" + +#: mod/settings.php:1161 +msgid "Expire photos:" +msgstr "" + +#: mod/settings.php:1162 +msgid "Only expire posts by others:" +msgstr "" + +#: mod/settings.php:1192 +msgid "Account Settings" +msgstr "Tiliasetukset" + +#: mod/settings.php:1200 +msgid "Password Settings" +msgstr "Salasana-asetukset" + +#: mod/settings.php:1202 +msgid "Leave password fields blank unless changing" +msgstr "" + +#: mod/settings.php:1203 +msgid "Current Password:" +msgstr "Nykyinen salasana:" + +#: mod/settings.php:1203 mod/settings.php:1204 +msgid "Your current password to confirm the changes" +msgstr "" + +#: mod/settings.php:1204 +msgid "Password:" +msgstr "Salasana:" + +#: mod/settings.php:1208 +msgid "Basic Settings" +msgstr "Perusasetukset" + +#: mod/settings.php:1209 src/Model/Profile.php:738 +msgid "Full Name:" +msgstr "Koko nimi:" + +#: mod/settings.php:1210 +msgid "Email Address:" +msgstr "Sähköpostiosoite:" + +#: mod/settings.php:1211 +msgid "Your Timezone:" +msgstr "Aikavyöhyke:" + +#: mod/settings.php:1212 +msgid "Your Language:" +msgstr "Kieli:" + +#: mod/settings.php:1212 +msgid "" +"Set the language we use to show you friendica interface and to send you " +"emails" +msgstr "" + +#: mod/settings.php:1213 +msgid "Default Post Location:" +msgstr "" + +#: mod/settings.php:1214 +msgid "Use Browser Location:" +msgstr "Käytä selaimen sijainti:" + +#: mod/settings.php:1217 +msgid "Security and Privacy Settings" +msgstr "Turvallisuus ja tietosuoja-asetukset" + +#: mod/settings.php:1219 +msgid "Maximum Friend Requests/Day:" +msgstr "" + +#: mod/settings.php:1219 mod/settings.php:1248 +msgid "(to prevent spam abuse)" +msgstr "" + +#: mod/settings.php:1220 +msgid "Default Post Permissions" +msgstr "" + +#: mod/settings.php:1221 +msgid "(click to open/close)" +msgstr "(klikkaa auki/kiinni)" + +#: mod/settings.php:1231 +msgid "Default Private Post" +msgstr "" + +#: mod/settings.php:1232 +msgid "Default Public Post" +msgstr "" + +#: mod/settings.php:1236 +msgid "Default Permissions for New Posts" +msgstr "" + +#: mod/settings.php:1248 +msgid "Maximum private messages per day from unknown people:" +msgstr "" + +#: mod/settings.php:1251 +msgid "Notification Settings" +msgstr "Huomautusasetukset" + +#: mod/settings.php:1252 +msgid "By default post a status message when:" +msgstr "" + +#: mod/settings.php:1253 +msgid "accepting a friend request" +msgstr "hyväksyt kaveripyynnön" + +#: mod/settings.php:1254 +msgid "joining a forum/community" +msgstr "liityt foorumiin/yhteisöön" + +#: mod/settings.php:1255 +msgid "making an interesting profile change" +msgstr "" + +#: mod/settings.php:1256 +msgid "Send a notification email when:" +msgstr "Lähetä sähköposti-ilmoitus kun:" + +#: mod/settings.php:1257 +msgid "You receive an introduction" +msgstr "" + +#: mod/settings.php:1258 +msgid "Your introductions are confirmed" +msgstr "" + +#: mod/settings.php:1259 +msgid "Someone writes on your profile wall" +msgstr "" + +#: mod/settings.php:1260 +msgid "Someone writes a followup comment" +msgstr "" + +#: mod/settings.php:1261 +msgid "You receive a private message" +msgstr "Vastaanotat yksityisviestin" + +#: mod/settings.php:1262 +msgid "You receive a friend suggestion" +msgstr "Vastaanotat kaveriehdotuksen" + +#: mod/settings.php:1263 +msgid "You are tagged in a post" +msgstr "Sinut on merkitty julkaisuun" + +#: mod/settings.php:1264 +msgid "You are poked/prodded/etc. in a post" +msgstr "" + +#: mod/settings.php:1266 +msgid "Activate desktop notifications" +msgstr "Ota työpöytäilmoitukset käyttöön" + +#: mod/settings.php:1266 +msgid "Show desktop popup on new notifications" +msgstr "" + +#: mod/settings.php:1268 +msgid "Text-only notification emails" +msgstr "" + +#: mod/settings.php:1270 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: mod/settings.php:1272 +msgid "Show detailled notifications" +msgstr "" + +#: mod/settings.php:1274 +msgid "" +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "" + +#: mod/settings.php:1276 +msgid "Advanced Account/Page Type Settings" +msgstr "Käyttäjätili/sivutyyppi lisäasetuksia" + +#: mod/settings.php:1277 +msgid "Change the behaviour of this account for special situations" +msgstr "" + +#: mod/settings.php:1280 +msgid "Relocate" +msgstr "" + +#: mod/settings.php:1281 +msgid "" +"If you have moved this profile from another server, and some of your " +"contacts don't receive your updates, try pushing this button." +msgstr "" + +#: mod/settings.php:1282 +msgid "Resend relocate message to contacts" +msgstr "" + #: src/Core/UserImport.php:104 msgid "Error decoding account file" msgstr "" @@ -7607,7 +7628,7 @@ msgstr "Koti" #: src/Core/NotificationsManager.php:199 src/Content/Nav.php:186 msgid "Introductions" -msgstr "" +msgstr "Esittelyt" #: src/Core/NotificationsManager.php:256 src/Core/NotificationsManager.php:268 #, php-format @@ -7755,33 +7776,33 @@ msgstr "sekuntia" msgid "%1$d %2$s ago" msgstr "" -#: src/Content/Text/BBCode.php:552 +#: src/Content/Text/BBCode.php:555 msgid "view full size" msgstr "näytä täysikokoisena" -#: src/Content/Text/BBCode.php:978 src/Content/Text/BBCode.php:1739 -#: src/Content/Text/BBCode.php:1740 +#: src/Content/Text/BBCode.php:981 src/Content/Text/BBCode.php:1750 +#: src/Content/Text/BBCode.php:1751 msgid "Image/photo" msgstr "Kuva/valokuva" -#: src/Content/Text/BBCode.php:1116 +#: src/Content/Text/BBCode.php:1119 #, php-format msgid "%2$s %3$s" msgstr "" -#: src/Content/Text/BBCode.php:1674 src/Content/Text/BBCode.php:1696 +#: src/Content/Text/BBCode.php:1677 src/Content/Text/BBCode.php:1699 msgid "$1 wrote:" msgstr "$1 kirjoitti:" -#: src/Content/Text/BBCode.php:1748 src/Content/Text/BBCode.php:1749 +#: src/Content/Text/BBCode.php:1759 src/Content/Text/BBCode.php:1760 msgid "Encrypted content" msgstr "Salattu sisältö" -#: src/Content/Text/BBCode.php:1866 +#: src/Content/Text/BBCode.php:1879 msgid "Invalid source protocol" msgstr "" -#: src/Content/Text/BBCode.php:1877 +#: src/Content/Text/BBCode.php:1890 msgid "Invalid link protocol" msgstr "" @@ -8268,67 +8289,67 @@ msgstr[1] "" #: src/Content/ContactSelector.php:55 msgid "Frequently" -msgstr "Usein" +msgstr "" #: src/Content/ContactSelector.php:56 msgid "Hourly" -msgstr "Tunneittain" +msgstr "" #: src/Content/ContactSelector.php:57 msgid "Twice daily" -msgstr "Kahdesti päivässä" +msgstr "" #: src/Content/ContactSelector.php:58 msgid "Daily" -msgstr "Päivittäin" +msgstr "" #: src/Content/ContactSelector.php:59 msgid "Weekly" -msgstr "Viikottain" +msgstr "" #: src/Content/ContactSelector.php:60 msgid "Monthly" -msgstr "Kuukausittain" +msgstr "" #: src/Content/ContactSelector.php:80 msgid "OStatus" -msgstr "OStatus" +msgstr "" #: src/Content/ContactSelector.php:81 msgid "RSS/Atom" -msgstr "RSS/Atom" +msgstr "" #: src/Content/ContactSelector.php:84 msgid "Facebook" -msgstr "Facebook" +msgstr "" #: src/Content/ContactSelector.php:85 msgid "Zot!" -msgstr "Zot!" +msgstr "" #: src/Content/ContactSelector.php:86 msgid "LinkedIn" -msgstr "LinkedIn" +msgstr "" #: src/Content/ContactSelector.php:87 msgid "XMPP/IM" -msgstr "XMPP/IM" +msgstr "" #: src/Content/ContactSelector.php:88 msgid "MySpace" -msgstr "MySpace" +msgstr "" #: src/Content/ContactSelector.php:89 msgid "Google+" -msgstr "Google+" +msgstr "" #: src/Content/ContactSelector.php:90 msgid "pump.io" -msgstr "pump.io" +msgstr "" #: src/Content/ContactSelector.php:91 msgid "Twitter" -msgstr "Twitter" +msgstr "" #: src/Content/ContactSelector.php:92 msgid "Diaspora Connector" @@ -8340,19 +8361,19 @@ msgstr "" #: src/Content/ContactSelector.php:94 msgid "pnut" -msgstr "pnut" +msgstr "" #: src/Content/ContactSelector.php:95 msgid "App.net" -msgstr "App.net" +msgstr "" #: src/Content/ContactSelector.php:125 msgid "Male" -msgstr "Mies" +msgstr "" #: src/Content/ContactSelector.php:125 msgid "Female" -msgstr "Nainen" +msgstr "" #: src/Content/ContactSelector.php:125 msgid "Currently Male" @@ -8372,15 +8393,15 @@ msgstr "" #: src/Content/ContactSelector.php:125 msgid "Transgender" -msgstr "Transsukupuolinen" +msgstr "" #: src/Content/ContactSelector.php:125 msgid "Intersex" -msgstr "Intersukupuolinen" +msgstr "" #: src/Content/ContactSelector.php:125 msgid "Transsexual" -msgstr "Transsukupuolinen" +msgstr "" #: src/Content/ContactSelector.php:125 msgid "Hermaphrodite" @@ -8961,7 +8982,7 @@ msgstr "Virheviesti oli:" #: src/Model/User.php:362 msgid "Please enter the required information." -msgstr "" +msgstr "Syötä tarvittavat tiedot." #: src/Model/User.php:375 msgid "Please use a shorter name." @@ -9043,10 +9064,42 @@ msgid "" "\t\t" msgstr "" +#: src/Model/User.php:615 +#, php-format +msgid "" +"\n" +"\t\t\tThe login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\t\tin.\n" +"\n" +"\t\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\t\tthan that.\n" +"\n" +"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\t\tIf you are new and do not know anybody here, they may help\n" +"\t\t\tyou to make some new and interesting friends.\n" +"\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" +"\n" +"\t\t\tThank you and welcome to %2$s." +msgstr "" + #: src/Protocol/OStatus.php:1799 #, php-format msgid "%s is now following %s." -msgstr "" +msgstr "%s seuraa %s." #: src/Protocol/OStatus.php:1800 msgid "following" @@ -9055,11 +9108,11 @@ msgstr "seuraa" #: src/Protocol/OStatus.php:1803 #, php-format msgid "%s stopped following %s." -msgstr "" +msgstr "%s ei enää seuraa %s." #: src/Protocol/OStatus.php:1804 msgid "stopped following" -msgstr "" +msgstr "ei enää seuraa" #: src/Protocol/DFRN.php:1477 #, php-format @@ -9070,7 +9123,7 @@ msgstr "" msgid "Sharing notification from Diaspora network" msgstr "" -#: src/Protocol/Diaspora.php:3736 +#: src/Protocol/Diaspora.php:3738 msgid "Attachments:" msgstr "Liitteitä:" @@ -9112,7 +9165,7 @@ msgstr "Tähtitila päälle/pois" #: src/Object/Post.php:268 msgid "starred" -msgstr "" +msgstr "tähtimerkitty" #: src/Object/Post.php:274 msgid "ignore thread" @@ -9146,58 +9199,58 @@ msgstr "Jaa tämä" msgid "share" msgstr "jaa" -#: src/Object/Post.php:359 +#: src/Object/Post.php:365 msgid "to" msgstr "" -#: src/Object/Post.php:360 +#: src/Object/Post.php:366 msgid "via" msgstr "kautta" -#: src/Object/Post.php:361 +#: src/Object/Post.php:367 msgid "Wall-to-Wall" msgstr "" -#: src/Object/Post.php:362 +#: src/Object/Post.php:368 msgid "via Wall-To-Wall:" msgstr "" -#: src/Object/Post.php:421 +#: src/Object/Post.php:427 #, php-format msgid "%d comment" msgid_plural "%d comments" msgstr[0] "%d kommentti" msgstr[1] "%d kommentteja" -#: src/Object/Post.php:791 +#: src/Object/Post.php:797 msgid "Bold" msgstr "Lihavoitu" -#: src/Object/Post.php:792 +#: src/Object/Post.php:798 msgid "Italic" msgstr "Kursivoitu" -#: src/Object/Post.php:793 +#: src/Object/Post.php:799 msgid "Underline" msgstr "Alleviivaus" -#: src/Object/Post.php:794 +#: src/Object/Post.php:800 msgid "Quote" msgstr "Lainaus" -#: src/Object/Post.php:795 +#: src/Object/Post.php:801 msgid "Code" msgstr "Koodi" -#: src/Object/Post.php:796 +#: src/Object/Post.php:802 msgid "Image" msgstr "Kuva" -#: src/Object/Post.php:797 +#: src/Object/Post.php:803 msgid "Link" msgstr "Linkki" -#: src/Object/Post.php:798 +#: src/Object/Post.php:804 msgid "Video" msgstr "Video" @@ -9239,7 +9292,7 @@ msgstr "tietosuojakäytäntö" #: src/Module/Logout.php:28 msgid "Logged out." -msgstr "" +msgstr "Kirjautunut ulos." #: src/App.php:511 msgid "Delete this item?" @@ -9275,7 +9328,7 @@ msgstr "slackr" #: view/theme/duepuntozero/config.php:74 msgid "Variations" -msgstr "" +msgstr "Muunnelmat" #: view/theme/frio/php/Image.php:25 msgid "Repeat the image" @@ -9399,7 +9452,7 @@ msgstr "" #: view/theme/vier/config.php:122 msgid "Set style" -msgstr "" +msgstr "Aseta tyyli" #: view/theme/vier/config.php:123 msgid "Community Pages" @@ -9415,7 +9468,7 @@ msgstr "" #: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 msgid "Connect Services" -msgstr "" +msgstr "Yhdistä palvelut" #: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 msgid "Find Friends" diff --git a/view/lang/fi-fi/strings.php b/view/lang/fi-fi/strings.php index 8b00444ab..4c5a6e3f7 100644 --- a/view/lang/fi-fi/strings.php +++ b/view/lang/fi-fi/strings.php @@ -20,6 +20,72 @@ $a->strings["Weekly posting limit of %d post reached. The post was rejected."] = ]; $a->strings["Monthly posting limit of %d post reached. The post was rejected."] = ""; $a->strings["Profile Photos"] = "Profiilin valokuvat"; +$a->strings["Friendica Notification"] = "Friendica-huomautus"; +$a->strings["Thank You,"] = "Kiitos,"; +$a->strings["%s Administrator"] = "%s Ylläpitäjä"; +$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Ylläpitäjä"; +$a->strings["noreply"] = "eivast"; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notify] Uusi viesti, katso %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = ""; +$a->strings["a private message"] = "yksityisviesti"; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s lähetti sinulle %2\$s."; +$a->strings["Please visit %s to view and/or reply to your private messages."] = ""; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = ""; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = ""; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = ""; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = ""; +$a->strings["%s commented on an item/conversation you have been following."] = ""; +$a->strings["Please visit %s to view and/or reply to the conversation."] = ""; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = ""; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = ""; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = ""; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notify] %s merkitsi sinut"; +$a->strings["%1\$s tagged you at %2\$s"] = ""; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]merkitsi sinut[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notify] %s jakoi uuden julkaisun"; +$a->strings["%1\$s shared a new post at %2\$s"] = ""; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = ""; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s tökkäsi sinua."; +$a->strings["%1\$s poked you at %2\$s"] = ""; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]tökkasi sinua[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notify] %s merkitsi julkaisusi"; +$a->strings["%1\$s tagged your post at %2\$s"] = ""; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s merkitsi [url=%2\$s]julkaisusi[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notify] Esittely vastaanotettu"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = ""; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = ""; +$a->strings["You may visit their profile at %s"] = "Voit vierailla hänen profiilissaan kohteessa %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Hyväksy tai hylkää esittely %s-sivustossa"; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = ""; +$a->strings["%1\$s is sharing with you at %2\$s"] = ""; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notify] Sinulla on uusi seuraaja"; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "Sinulla on uusi seuraaja sivustolla %2\$s : %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notify] Kaveripyyntö vastaanotettu"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = ""; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = ""; +$a->strings["Name:"] = "Nimi:"; +$a->strings["Photo:"] = "Kuva:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Hyväksy tai hylkää ehdotus %s-sivustossa"; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Notify] Yhteys hyväksytty"; +$a->strings["'%1\$s' has accepted your connection request at %2\$s"] = ""; +$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = ""; +$a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = "Olette nyt yhteiset ystävät ja voitte lähettää toisillenne tilapäivityksiä, kuvia ja sähköposteja ilman rajoituksia."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = ""; +$a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = ""; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = "'%1\$s' voi halutessaan laajentaa suhteenne kahdenväliseksi."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = ""; +$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Notify] rekisteröitymispyyntö"; +$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = ""; +$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = ""; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = ""; +$a->strings["Please visit %s to approve or reject the request."] = "Hyväksy tai hylkää pyyntö %s-sivustossa."; +$a->strings["Item not found."] = "Kohdetta ei löytynyt."; +$a->strings["Do you really want to delete this item?"] = "Haluatko varmasti poistaa tämän kohteen?"; +$a->strings["Yes"] = "Kyllä"; +$a->strings["Cancel"] = "Peru"; +$a->strings["Permission denied."] = "Käyttöoikeus evätty."; +$a->strings["Archives"] = "Arkisto"; +$a->strings["show more"] = "näytä lisää"; $a->strings["event"] = "tapahtuma"; $a->strings["status"] = "tila"; $a->strings["photo"] = "kuva"; @@ -85,6 +151,7 @@ $a->strings["Tag term:"] = ""; $a->strings["Save to Folder:"] = "Tallenna kansioon:"; $a->strings["Where are you right now?"] = "Mikä on sijaintisi?"; $a->strings["Delete item(s)?"] = "Poista kohde/kohteet?"; +$a->strings["New Post"] = "Uusi julkaisu"; $a->strings["Share"] = "Jaa"; $a->strings["Upload photo"] = "Lähetä kuva"; $a->strings["upload photo"] = "lähetä kuva"; @@ -106,7 +173,6 @@ $a->strings["Permission settings"] = "Käyttöoikeusasetukset"; $a->strings["permissions"] = "käyttöoikeudet"; $a->strings["Public post"] = "Julkinen viesti"; $a->strings["Preview"] = "Esikatselu"; -$a->strings["Cancel"] = "Peru"; $a->strings["Post to Groups"] = "Lähetä ryhmiin"; $a->strings["Post to Contacts"] = "Lähetä kontakteille"; $a->strings["Private post"] = "Yksityinen julkaisu"; @@ -129,71 +195,6 @@ $a->strings["Undecided"] = [ 0 => "", 1 => "", ]; -$a->strings["Friendica Notification"] = "Friendica-huomautus"; -$a->strings["Thank You,"] = "Kiitos,"; -$a->strings["%s Administrator"] = "%s Ylläpitäjä"; -$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Ylläpitäjä"; -$a->strings["noreply"] = "eivast"; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notify] Uusi viesti, katso %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = ""; -$a->strings["a private message"] = "yksityisviesti"; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s lähetti sinulle %2\$s."; -$a->strings["Please visit %s to view and/or reply to your private messages."] = ""; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = ""; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = ""; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = ""; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = ""; -$a->strings["%s commented on an item/conversation you have been following."] = ""; -$a->strings["Please visit %s to view and/or reply to the conversation."] = ""; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = ""; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = ""; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = ""; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notify] %s merkitsi sinut"; -$a->strings["%1\$s tagged you at %2\$s"] = ""; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]merkitsi sinut[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = ""; -$a->strings["%1\$s shared a new post at %2\$s"] = ""; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = ""; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s tökkäsi sinua."; -$a->strings["%1\$s poked you at %2\$s"] = ""; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]tökkasi sinua[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notify] %s merkitsi julkaisusi"; -$a->strings["%1\$s tagged your post at %2\$s"] = ""; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s merkitsi [url=%2\$s]julkaisusi[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = ""; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = ""; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = ""; -$a->strings["You may visit their profile at %s"] = "Voit vierailla hänen profiilissaan kohteessa %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = ""; -$a->strings["[Friendica:Notify] A new person is sharing with you"] = ""; -$a->strings["%1\$s is sharing with you at %2\$s"] = ""; -$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notify] Sinulla on uusi seuraaja"; -$a->strings["You have a new follower at %2\$s : %1\$s"] = "Sinulla on uusi seuraaja sivustolla %2\$s : %1\$s"; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notify] Kaveripyyntö vastaanotettu"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = ""; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = ""; -$a->strings["Name:"] = "Nimi:"; -$a->strings["Photo:"] = "Kuva:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Hyväksy tai hylkää ehdotus %s-sivustossa"; -$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Notify] Yhteys hyväksytty"; -$a->strings["'%1\$s' has accepted your connection request at %2\$s"] = ""; -$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = ""; -$a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = ""; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = ""; -$a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = ""; -$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = ""; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = ""; -$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Notify] rekisteröitymispyyntö"; -$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = ""; -$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = ""; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = ""; -$a->strings["Please visit %s to approve or reject the request."] = ""; -$a->strings["Item not found."] = "Kohdetta ei löytynyt."; -$a->strings["Do you really want to delete this item?"] = "Haluatko varmasti poistaa tämän kohteen?"; -$a->strings["Yes"] = "Kyllä"; -$a->strings["Permission denied."] = "Käyttöoikeus evätty."; -$a->strings["Archives"] = "Arkisto"; -$a->strings["show more"] = "näytä lisää"; $a->strings["newer"] = "uudempi"; $a->strings["older"] = "vanhempi"; $a->strings["first"] = "ensimmäinen"; @@ -218,16 +219,16 @@ $a->strings["Contacts"] = "Yhteystiedot"; $a->strings["Forums"] = "Foorumit"; $a->strings["poke"] = "töki"; $a->strings["poked"] = "tökkäsi"; -$a->strings["ping"] = ""; -$a->strings["pinged"] = ""; +$a->strings["ping"] = "pingaa"; +$a->strings["pinged"] = "pingasi"; $a->strings["prod"] = "töki"; $a->strings["prodded"] = "tökkäsi"; -$a->strings["slap"] = ""; -$a->strings["slapped"] = ""; +$a->strings["slap"] = "läimäytä"; +$a->strings["slapped"] = "läimäsi"; $a->strings["finger"] = ""; $a->strings["fingered"] = ""; -$a->strings["rebuff"] = ""; -$a->strings["rebuffed"] = ""; +$a->strings["rebuff"] = "torju"; +$a->strings["rebuffed"] = "torjui"; $a->strings["Monday"] = "Maanantai"; $a->strings["Tuesday"] = "Tiistai"; $a->strings["Wednesday"] = "Keskiviikko"; @@ -264,6 +265,7 @@ $a->strings["Sep"] = "Syy."; $a->strings["Oct"] = "Lok."; $a->strings["Nov"] = "Mar."; $a->strings["Dec"] = "Jou."; +$a->strings["Content warning: %s"] = ""; $a->strings["View Video"] = "Katso video"; $a->strings["bytes"] = "tavua"; $a->strings["Click to open/close"] = "Klikkaa auki/kiinni"; @@ -405,7 +407,7 @@ $a->strings["Hide this contact from others"] = "Piilota kontakti muilta"; $a->strings["Post a new friend activity"] = ""; $a->strings["if applicable"] = "tarvittaessa"; $a->strings["Approve"] = "Hyväksy"; -$a->strings["Claims to be known to you: "] = ""; +$a->strings["Claims to be known to you: "] = "Väittää tuntevansa sinut:"; $a->strings["yes"] = "kyllä"; $a->strings["no"] = "ei"; $a->strings["Shall your connection be bidirectional or not?"] = "Kaksisuuntainen yhteys?"; @@ -421,7 +423,7 @@ $a->strings["Tags:"] = "Tunnisteet:"; $a->strings["Gender:"] = "Sukupuoli:"; $a->strings["Profile URL"] = "Profiilin URL"; $a->strings["Network:"] = "Verkko:"; -$a->strings["No introductions."] = ""; +$a->strings["No introductions."] = "Ei esittelyjä."; $a->strings["Show unread"] = "Näytä lukemattomat"; $a->strings["Show all"] = "Näytä kaikki"; $a->strings["No more %s notifications."] = ""; @@ -433,7 +435,7 @@ $a->strings["This may occasionally happen if contact was requested by both perso $a->strings["Response from remote site was not understood."] = ""; $a->strings["Unexpected response from remote site: "] = ""; $a->strings["Confirmation completed successfully."] = "Vahvistus onnistui."; -$a->strings["Temporary failure. Please wait and try again."] = ""; +$a->strings["Temporary failure. Please wait and try again."] = "Tilapäinen vika. Yritä myöhemmin uudelleen."; $a->strings["Introduction failed or was revoked."] = ""; $a->strings["Remote site reported: "] = ""; $a->strings["Unable to set contact photo."] = ""; @@ -477,7 +479,7 @@ $a->strings["File exceeds size limit of %s"] = "Tiedosto ylittää kokorajoituks $a->strings["File upload failed."] = "Tiedoston lähettäminen epäonnistui."; $a->strings["Manage Identities and/or Pages"] = "Hallitse identiteetit ja/tai sivut"; $a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = ""; -$a->strings["Select an identity to manage: "] = ""; +$a->strings["Select an identity to manage: "] = "Valitse identiteetti hallitavaksi:"; $a->strings["This introduction has already been accepted."] = "Tämä esittely on jo hyväksytty."; $a->strings["Profile location is not valid or does not contain profile information."] = "Profiilin sijainti on viallinen tai se ei sisällä profiilitietoja."; $a->strings["Warning: profile location has no identifiable owner name."] = "Varoitus: profiilin sijainnissa ei ole tunnistettavaa omistajan nimeä."; @@ -522,7 +524,7 @@ $a->strings[" - please do not use this form. Instead, enter %s into your Diaspo $a->strings["Your Identity Address:"] = "Identiteettisi osoite:"; $a->strings["Submit Request"] = "Lähetä pyyntö"; $a->strings["l F d, Y \\@ g:i A"] = ""; -$a->strings["Time Conversion"] = ""; +$a->strings["Time Conversion"] = "Aikamuunnos"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = ""; $a->strings["UTC time: %s"] = "UTC-aika: %s"; $a->strings["Current timezone: %s"] = "Aikavyöhyke: %s"; @@ -530,7 +532,7 @@ $a->strings["Converted localtime: %s"] = ""; $a->strings["Please select your timezone:"] = "Valitse aikavyöhykkeesi:"; $a->strings["Only logged in users are permitted to perform a probing."] = ""; $a->strings["Permission denied"] = "Käyttöoikeus evätty"; -$a->strings["Invalid profile identifier."] = ""; +$a->strings["Invalid profile identifier."] = "Virheellinen profiilitunniste."; $a->strings["Profile Visibility Editor"] = ""; $a->strings["Click on a contact to add or remove."] = ""; $a->strings["Visible To"] = "Näkyvyys"; @@ -544,7 +546,7 @@ $a->strings["Please enter your password for verification:"] = ""; $a->strings["No contacts."] = "Ei kontakteja."; $a->strings["Access denied."] = "Käyttö estetty."; $a->strings["Number of daily wall messages for %s exceeded. Message failed."] = ""; -$a->strings["No recipient selected."] = ""; +$a->strings["No recipient selected."] = "Vastaanottaja puuttuu."; $a->strings["Unable to check your home location."] = ""; $a->strings["Message could not be sent."] = "Viestiä ei voitu lähettää."; $a->strings["Message collection failure."] = ""; @@ -560,9 +562,9 @@ $a->strings["Export all"] = "Vie kaikki"; $a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Vie tilin tiedot, yhteystiedot ja kaikki nimikkeesi json-muodossa. Saattaa luoda hyvin suuren tiedoston ja kestää todella pitkään. Tämän avulla voit ottaa täydellisen varmuuskopion tilistäsi (valokuvia ei viedä)"; $a->strings["Export personal data"] = "Vie henkilökohtaiset tiedot"; $a->strings["- select -"] = "- valitse -"; -$a->strings["No more system notifications."] = ""; +$a->strings["No more system notifications."] = "Ei enää järjestelmäilmoituksia."; $a->strings["{0} wants to be your friend"] = ""; -$a->strings["{0} sent you a message"] = ""; +$a->strings["{0} sent you a message"] = "{0} lähetti sinulle viestin"; $a->strings["{0} requested registration"] = ""; $a->strings["Poke/Prod"] = "Tökkää"; $a->strings["poke, prod or do other things to somebody"] = ""; @@ -574,11 +576,11 @@ $a->strings["Tag removed"] = "Tägi poistettiin"; $a->strings["Remove Item Tag"] = "Poista tägi"; $a->strings["Select a tag to remove: "] = "Valitse tägi poistamista varten:"; $a->strings["Remove"] = "Poista"; -$a->strings["Image exceeds size limit of %s"] = ""; +$a->strings["Image exceeds size limit of %s"] = "Kuva ylittää kokorajoituksen %s"; $a->strings["Unable to process image."] = "Kuvan käsitteleminen epäonnistui."; $a->strings["Wall Photos"] = "Seinäkuvat"; $a->strings["Image upload failed."] = "Kuvan lähettäminen epäonnistui."; -$a->strings["Remove term"] = ""; +$a->strings["Remove term"] = "Poista kohde"; $a->strings["Saved Searches"] = "Tallennetut haut"; $a->strings["Only logged in users are permitted to perform a search."] = ""; $a->strings["Too Many Requests"] = "Liian monta pyyntöä"; @@ -658,9 +660,9 @@ $a->strings["Group: %s"] = "Ryhmä: %s"; $a->strings["Private messages to this person are at risk of public disclosure."] = ""; $a->strings["Invalid contact."] = "Virheellinen kontakti."; $a->strings["Commented Order"] = ""; -$a->strings["Sort by Comment Date"] = ""; +$a->strings["Sort by Comment Date"] = "Kommentit päivämäärän mukaan"; $a->strings["Posted Order"] = ""; -$a->strings["Sort by Post Date"] = ""; +$a->strings["Sort by Post Date"] = "Julkaisut päivämäärän mukaan"; $a->strings["Personal"] = "Henkilökohtainen"; $a->strings["Posts that mention or involve you"] = ""; $a->strings["New"] = "Uusi"; @@ -749,7 +751,7 @@ $a->strings["Add"] = "Lisää"; $a->strings["No entries."] = ""; $a->strings["People Search - %s"] = ""; $a->strings["Forum Search - %s"] = "Foorumihaku - %s"; -$a->strings["Friendica Communications Server - Setup"] = ""; +$a->strings["Friendica Communications Server - Setup"] = "Friendica viestinnän palvelin - asetukset"; $a->strings["Could not connect to database."] = "Tietokantaan ei saada yhteyttä."; $a->strings["Could not create table."] = "Taulun luominen epäonnistui."; $a->strings["Your Friendica site database has been installed."] = "Friendica-sivustosi tietokanta on asennettu."; @@ -808,7 +810,7 @@ $a->strings["Error: iconv PHP module required but not installed."] = "Virhe: ico $a->strings["Error: POSIX PHP module required but not installed."] = "Virhe: POSIX PHP-moduuli vaadittaan, mutta sitä ei ole asennettu."; $a->strings["Error, XML PHP module required but not installed."] = "Virhe: XML PHP-moduuli vaaditaan, mutta sitä ei ole asennettu."; $a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Web-asennuksen pitäisi pystyä luomaan tiedosto nimeltä \".htconfig.php\" palvelimesi ylimpään kansioon, mutta se ei nyt onnistu."; -$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = ""; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Tämä on yleensä käyttöoikeusasetus, jolloin web-palvelimesi ei pysty kirjoittamaan tiedostoja kansioosi, vaikka itse siihen pystyisit."; $a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "Tämän menettelyn lopussa annamme sinulle tekstin tallennettavaksi tiedostoon nimeltä .htconfig.php Friendican ylätason kansiossa."; $a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = ""; $a->strings[".htconfig.php is writable"] = ".htconfig.php on kirjoitettava"; @@ -824,18 +826,18 @@ $a->strings["ImageMagick PHP extension is installed"] = "ImageMagick PHP-laajenn $a->strings["ImageMagick supports GIF"] = "ImageMagik tukee GIF-formaattia"; $a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Tietokannan asetustiedostoa \".htconfig.php\" ei pystytty kirjoittamaan. Käytä mukaanliitettyä tekstiä luomaan asetustiedosto web-palvelimesi juureen."; $a->strings["

What next

"] = "

Mitä seuraavaksi

"; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = ""; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "TÄRKEÄÄ: Sinun pitää asettaa [manuaalisesti] ajastettu tehtävä Workerille."; $a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = ""; $a->strings["Subscribing to OStatus contacts"] = ""; $a->strings["No contact provided."] = "Kontakti puuttuu."; $a->strings["Couldn't fetch information for contact."] = ""; $a->strings["Couldn't fetch friends for contact."] = ""; -$a->strings["success"] = ""; +$a->strings["success"] = "onnistui"; $a->strings["failed"] = "epäonnistui"; $a->strings["ignored"] = "ohitettu"; $a->strings["Contact wasn't found or can't be unfollowed."] = ""; $a->strings["Contact unfollowed"] = ""; -$a->strings["You aren't a friend of this contact."] = ""; +$a->strings["You aren't a friend of this contact."] = "Et ole kontaktin kaveri."; $a->strings["Unfollowing is currently not supported by your network."] = ""; $a->strings["Disconnect/Unfollow"] = "Katkaise / Lopeta seuraaminen"; $a->strings["Status Messages and Posts"] = "Statusviestit ja postaukset"; @@ -855,7 +857,7 @@ $a->strings["Event can not end before it has started."] = ""; $a->strings["Event title and start time are required."] = "Tapahtuman nimi ja alkamisaika vaaditaan."; $a->strings["Create New Event"] = "Luo uusi tapahtuma"; $a->strings["Event details"] = "Tapahtuman tiedot"; -$a->strings["Starting date and Title are required."] = ""; +$a->strings["Starting date and Title are required."] = "Aloituspvm ja otsikko vaaditaan."; $a->strings["Event Starts:"] = "Tapahtuma alkaa:"; $a->strings["Required"] = "Vaaditaan"; $a->strings["Finish date/time is not known or not relevant"] = "Päättymispvm ja kellonaika ei ole tiedossa tai niillä ei ole merkitystä"; @@ -881,212 +883,9 @@ $a->strings["Crop Image"] = "Rajaa kuva"; $a->strings["Please adjust the image cropping for optimum viewing."] = ""; $a->strings["Done Editing"] = "Lopeta muokkaus"; $a->strings["Image uploaded successfully."] = "Kuvan lähettäminen onnistui."; -$a->strings["Account"] = "Tili"; -$a->strings["Additional features"] = "Lisäominaisuuksia"; -$a->strings["Display"] = ""; -$a->strings["Social Networks"] = "Sosiaalinen media"; -$a->strings["Addons"] = "Lisäosat"; -$a->strings["Delegations"] = ""; -$a->strings["Connected apps"] = "Yhdistetyt sovellukset"; -$a->strings["Remove account"] = "Poista tili"; -$a->strings["Missing some important data!"] = ""; -$a->strings["Update"] = "Päivitä"; -$a->strings["Failed to connect with email account using the settings provided."] = ""; -$a->strings["Email settings updated."] = "Sähköpostin asetukset päivitettiin."; -$a->strings["Features updated"] = "Ominaisuudet päivitetty"; -$a->strings["Relocate message has been send to your contacts"] = ""; -$a->strings["Passwords do not match. Password unchanged."] = ""; -$a->strings["Empty passwords are not allowed. Password unchanged."] = ""; -$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; -$a->strings["Wrong password."] = "Väärä salasana."; -$a->strings["Password changed."] = "Salasana vaihdettu."; -$a->strings["Password update failed. Please try again."] = "Salasanan vaihto epäonnistui. Yritä uudelleen."; -$a->strings[" Please use a shorter name."] = "Käytä lyhyempää nimeä."; -$a->strings[" Name too short."] = "Nimi on liian lyhyt."; -$a->strings["Wrong Password"] = "Väärä salasana"; -$a->strings["Invalid email."] = "Virheellinen sähköposti."; -$a->strings["Cannot change to that email."] = ""; -$a->strings["Private forum has no privacy permissions. Using default privacy group."] = ""; -$a->strings["Private forum has no privacy permissions and no default privacy group."] = ""; -$a->strings["Settings updated."] = "Asetukset päivitetty."; -$a->strings["Add application"] = "Lisää sovellus"; -$a->strings["Consumer Key"] = ""; -$a->strings["Consumer Secret"] = ""; -$a->strings["Redirect"] = "Uudelleenohjaus"; -$a->strings["Icon url"] = ""; -$a->strings["You can't edit this application."] = ""; -$a->strings["Connected Apps"] = "Yhdistetyt sovellukset"; -$a->strings["Edit"] = "Muokkaa"; -$a->strings["Client key starts with"] = ""; -$a->strings["No name"] = "Ei nimeä"; -$a->strings["Remove authorization"] = "Poista lupa"; -$a->strings["No Addon settings configured"] = ""; -$a->strings["Addon Settings"] = "Lisäosa-asetukset"; -$a->strings["Off"] = "Pois päältä"; -$a->strings["On"] = "Päällä"; -$a->strings["Additional Features"] = "Lisäominaisuuksia"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings["enabled"] = "käytössä"; -$a->strings["disabled"] = "pois käytöstä"; -$a->strings["Built-in support for %s connectivity is %s"] = ""; -$a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; -$a->strings["Email access is disabled on this site."] = ""; -$a->strings["General Social Media Settings"] = "Yleiset some asetukset"; -$a->strings["Disable intelligent shortening"] = ""; -$a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = ""; -$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = ""; -$a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = ""; -$a->strings["Default group for OStatus contacts"] = "Oletusryhmä OStatus kontakteille"; -$a->strings["Your legacy GNU Social account"] = ""; -$a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = ""; -$a->strings["Repair OStatus subscriptions"] = "Korjaa OStatus tilaukset"; -$a->strings["Email/Mailbox Setup"] = "Sähköpostin asennus"; -$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = ""; -$a->strings["Last successful email check:"] = "Viimeisin onnistunut sähköpostitarkistus:"; -$a->strings["IMAP server name:"] = "IMAP-palvelimen nimi:"; -$a->strings["IMAP port:"] = "IMAP-porttti:"; -$a->strings["Security:"] = ""; -$a->strings["None"] = "Ei mitään"; -$a->strings["Email login name:"] = "Sähköpostitilin käyttäjätunnus:"; -$a->strings["Email password:"] = "Sähköpostin salasana:"; -$a->strings["Reply-to address:"] = "Vastausosoite:"; -$a->strings["Send public posts to all email contacts:"] = ""; -$a->strings["Action after import:"] = ""; -$a->strings["Mark as seen"] = "Merkitse luetuksi"; -$a->strings["Move to folder"] = "Siirrä kansioon"; -$a->strings["Move to folder:"] = "Siirrä kansioon:"; -$a->strings["No special theme for mobile devices"] = ""; -$a->strings["%s - (Unsupported)"] = "%s - (Ei tueta)"; -$a->strings["%s - (Experimental)"] = "%s - (Kokeellinen)"; -$a->strings["Display Settings"] = "Näyttöasetukset"; -$a->strings["Display Theme:"] = ""; -$a->strings["Mobile Theme:"] = "Mobiiliteema:"; -$a->strings["Suppress warning of insecure networks"] = ""; -$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = ""; -$a->strings["Update browser every xx seconds"] = "Päivitä selain xx sekunnin välein"; -$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = ""; -$a->strings["Number of items to display per page:"] = ""; -$a->strings["Maximum of 100 items"] = "Enintään 100 kohdetta"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = ""; -$a->strings["Don't show emoticons"] = "Piilota hymiöt"; -$a->strings["Calendar"] = "Kalenteri"; -$a->strings["Beginning of week:"] = "Viikon alku:"; -$a->strings["Don't show notices"] = ""; -$a->strings["Infinite scroll"] = ""; -$a->strings["Automatic updates only at the top of the network page"] = ""; -$a->strings["When disabled, the network page is updated all the time, which could be confusing while reading."] = ""; -$a->strings["Bandwith Saver Mode"] = "Kaistanleveyssäästömoodi"; -$a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = ""; -$a->strings["Smart Threading"] = ""; -$a->strings["When enabled, suppress extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled."] = ""; -$a->strings["General Theme Settings"] = "Yleiset teeman asetukset"; -$a->strings["Custom Theme Settings"] = ""; -$a->strings["Content Settings"] = "Sisältöasetukset"; -$a->strings["Theme settings"] = "Teeman asetukset"; -$a->strings["Unable to find your profile. Please contact your admin."] = ""; -$a->strings["Account Types"] = "Tilityypit"; -$a->strings["Personal Page Subtypes"] = "Henkilökohtaisen sivun alatyypit"; -$a->strings["Community Forum Subtypes"] = "Yhteisöfoorumin alatyypit"; -$a->strings["Personal Page"] = "Henkilökohtainen sivu"; -$a->strings["Account for a personal profile."] = ""; -$a->strings["Organisation Page"] = "Järjestön sivu"; -$a->strings["Account for an organisation that automatically approves contact requests as \"Followers\"."] = ""; -$a->strings["News Page"] = "Uutissivu"; -$a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; -$a->strings["Community Forum"] = "Yhteisöfoorumi"; -$a->strings["Account for community discussions."] = ""; -$a->strings["Normal Account Page"] = ""; -$a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; -$a->strings["Soapbox Page"] = "Saarnatuoli sivu"; -$a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; -$a->strings["Public Forum"] = "Julkinen foorumi"; -$a->strings["Automatically approves all contact requests."] = "Automaattisesti hyväksyy kaikki kontaktipyynnöt"; -$a->strings["Automatic Friend Page"] = ""; -$a->strings["Account for a popular profile that automatically approves contact requests as \"Friends\"."] = ""; -$a->strings["Private Forum [Experimental]"] = "Yksityisfoorumi [kokeellinen]"; -$a->strings["Requires manual approval of contact requests."] = ""; -$a->strings["OpenID:"] = "OpenID:"; -$a->strings["(Optional) Allow this OpenID to login to this account."] = ""; -$a->strings["Publish your default profile in your local site directory?"] = ""; -$a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; -$a->strings["Publish your default profile in the global social directory?"] = ""; -$a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = ""; -$a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; -$a->strings["Hide your profile details from anonymous viewers?"] = ""; -$a->strings["Anonymous visitors will only see your profile picture, your display name and the nickname you are using on your profile page. Disables posting public messages to Diaspora and other networks."] = ""; -$a->strings["Allow friends to post to your profile page?"] = ""; -$a->strings["Your contacts may write posts on your profile wall. These posts will be distributed to your contacts"] = ""; -$a->strings["Allow friends to tag your posts?"] = ""; -$a->strings["Your contacts can add additional tags to your posts."] = ""; -$a->strings["Allow us to suggest you as a potential friend to new members?"] = ""; -$a->strings["If you like, Friendica may suggest new members to add you as a contact."] = ""; -$a->strings["Permit unknown people to send you private mail?"] = "Salli yksityisviesit tuntemattomilta?"; -$a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; -$a->strings["Profile is not published."] = "Profiili ei ole julkaistu."; -$a->strings["Your Identity Address is '%s' or '%s'."] = ""; -$a->strings["Automatically expire posts after this many days:"] = ""; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = ""; -$a->strings["Advanced expiration settings"] = ""; -$a->strings["Advanced Expiration"] = ""; -$a->strings["Expire posts:"] = ""; -$a->strings["Expire personal notes:"] = ""; -$a->strings["Expire starred posts:"] = ""; -$a->strings["Expire photos:"] = ""; -$a->strings["Only expire posts by others:"] = ""; -$a->strings["Account Settings"] = "Tiliasetukset"; -$a->strings["Password Settings"] = "Salasana-asetukset"; -$a->strings["New Password:"] = "Uusi salasana:"; -$a->strings["Confirm:"] = "Vahvista:"; -$a->strings["Leave password fields blank unless changing"] = ""; -$a->strings["Current Password:"] = "Nykyinen salasana:"; -$a->strings["Your current password to confirm the changes"] = ""; -$a->strings["Password:"] = "Salasana:"; -$a->strings["Basic Settings"] = "Perusasetukset"; -$a->strings["Full Name:"] = "Koko nimi:"; -$a->strings["Email Address:"] = "Sähköpostiosoite:"; -$a->strings["Your Timezone:"] = "Aikavyöhyke:"; -$a->strings["Your Language:"] = "Kieli:"; -$a->strings["Set the language we use to show you friendica interface and to send you emails"] = ""; -$a->strings["Default Post Location:"] = ""; -$a->strings["Use Browser Location:"] = "Käytä selaimen sijainti:"; -$a->strings["Security and Privacy Settings"] = "Turvallisuus ja tietosuoja-asetukset"; -$a->strings["Maximum Friend Requests/Day:"] = ""; -$a->strings["(to prevent spam abuse)"] = ""; -$a->strings["Default Post Permissions"] = ""; -$a->strings["(click to open/close)"] = "(klikkaa auki/kiinni)"; -$a->strings["Default Private Post"] = ""; -$a->strings["Default Public Post"] = ""; -$a->strings["Default Permissions for New Posts"] = ""; -$a->strings["Maximum private messages per day from unknown people:"] = ""; -$a->strings["Notification Settings"] = "Huomautusasetukset"; -$a->strings["By default post a status message when:"] = ""; -$a->strings["accepting a friend request"] = "hyväksyt kaveripyynnön"; -$a->strings["joining a forum/community"] = "liityt foorumiin/yhteisöön"; -$a->strings["making an interesting profile change"] = ""; -$a->strings["Send a notification email when:"] = "Lähetä sähköposti-ilmoitus kun:"; -$a->strings["You receive an introduction"] = ""; -$a->strings["Your introductions are confirmed"] = ""; -$a->strings["Someone writes on your profile wall"] = ""; -$a->strings["Someone writes a followup comment"] = ""; -$a->strings["You receive a private message"] = "Vastaanotat yksityisviestin"; -$a->strings["You receive a friend suggestion"] = "Vastaanotat kaveriehdotuksen"; -$a->strings["You are tagged in a post"] = "Sinut on merkitty julkaisuun"; -$a->strings["You are poked/prodded/etc. in a post"] = ""; -$a->strings["Activate desktop notifications"] = "Ota työpöytäilmoitukset käyttöön"; -$a->strings["Show desktop popup on new notifications"] = ""; -$a->strings["Text-only notification emails"] = ""; -$a->strings["Send text only notification emails, without the html part"] = ""; -$a->strings["Show detailled notifications"] = ""; -$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; -$a->strings["Advanced Account/Page Type Settings"] = "Käyttäjätili/sivutyyppi lisäasetuksia"; -$a->strings["Change the behaviour of this account for special situations"] = ""; -$a->strings["Relocate"] = ""; -$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = ""; -$a->strings["Resend relocate message to contacts"] = ""; $a->strings["Status:"] = "Tila:"; $a->strings["Homepage:"] = "Kotisivu:"; -$a->strings["Global Directory"] = ""; +$a->strings["Global Directory"] = "Maailmanlaajuinen hakemisto"; $a->strings["Find on this site"] = ""; $a->strings["Results for:"] = ""; $a->strings["Site Directory"] = ""; @@ -1119,7 +918,7 @@ $a->strings["Profile deleted."] = "Profiili poistettiin."; $a->strings["Profile-"] = "Profiili-"; $a->strings["New profile created."] = "Uusi profiili luotu."; $a->strings["Profile unavailable to clone."] = "Profiili ei saatavilla kloonattavaksi."; -$a->strings["Profile Name is required."] = ""; +$a->strings["Profile Name is required."] = "Profiilinimi on pakollinen."; $a->strings["Marital Status"] = "Siviilisääty"; $a->strings["Romantic Partner"] = "Romanttinen kumppani"; $a->strings["Work/Employment"] = "Työ"; @@ -1142,22 +941,22 @@ $a->strings["Hide contacts and friends:"] = "Piilota kontaktit ja kaverit:"; $a->strings["Hide your contact/friend list from viewers of this profile?"] = ""; $a->strings["Show more profile fields:"] = ""; $a->strings["Profile Actions"] = ""; -$a->strings["Edit Profile Details"] = ""; +$a->strings["Edit Profile Details"] = "Muokkaa profiilin yksityiskohdat"; $a->strings["Change Profile Photo"] = "Vaihda profiilikuva"; $a->strings["View this profile"] = "Näytä profiilia"; $a->strings["Edit visibility"] = "Muokkaa näkyvyyttä"; $a->strings["Create a new profile using these settings"] = "Luo uusi profiili näillä asetuksilla"; -$a->strings["Clone this profile"] = ""; +$a->strings["Clone this profile"] = "Kloonaa tämä profiili"; $a->strings["Delete this profile"] = "Poista tämä profiili"; $a->strings["Basic information"] = "Perustiedot"; $a->strings["Profile picture"] = "Profiilikuva"; $a->strings["Preferences"] = "Mieltymykset"; -$a->strings["Status information"] = ""; +$a->strings["Status information"] = "Tilatiedot"; $a->strings["Additional information"] = "Lisätietoja"; -$a->strings["Relation"] = ""; +$a->strings["Relation"] = "Suhde"; $a->strings["Miscellaneous"] = "Sekalaista"; $a->strings["Your Gender:"] = "Sukupuoli:"; -$a->strings[" Marital Status:"] = ""; +$a->strings[" Marital Status:"] = " Siviilisääty:"; $a->strings["Sexual Preference:"] = "Seksuaalinen suuntautuminen:"; $a->strings["Example: fishing photography software"] = "Esimerkki: kalastus valokuvaus ohjelmistot"; $a->strings["Profile Name:"] = "Profiilinimi:"; @@ -1170,7 +969,7 @@ $a->strings["Region/State:"] = "Alue/osavaltio:"; $a->strings["Postal/Zip Code:"] = "Postinumero:"; $a->strings["Country:"] = "Maa:"; $a->strings["Age: "] = "Ikä:"; -$a->strings["Who: (if applicable)"] = ""; +$a->strings["Who: (if applicable)"] = "Kuka: (tarvittaessa)"; $a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Esimerkkejä: cathy123, Cathy Williams, cathy@example.com"; $a->strings["Since [date]:"] = "Lähtien [päivämäärä]:"; $a->strings["Tell us about yourself..."] = "Kerro vähän itsestäsi..."; @@ -1213,7 +1012,7 @@ $a->strings["Contact has been ignored"] = "Henkilöä ei enää huomioida"; $a->strings["Contact has been unignored"] = "Henkilö on jälleen huomioituna."; $a->strings["Contact has been archived"] = "Henkilö on arkistoitu."; $a->strings["Contact has been unarchived"] = "Henkilö on otettu pois arkistosta."; -$a->strings["Drop contact"] = ""; +$a->strings["Drop contact"] = "Poista kontakti"; $a->strings["Do you really want to delete this contact?"] = "Haluatko todella poistaa tämän yhteystiedon?"; $a->strings["Contact has been removed."] = "Yhteystieto on poistettu."; $a->strings["You are mutual friends with %s"] = "Olet kaveri %s kanssa."; @@ -1275,6 +1074,7 @@ $a->strings["Only show archived contacts"] = "Näytä vain arkistoidut henkilöt $a->strings["Hidden"] = "Piilotettu"; $a->strings["Only show hidden contacts"] = "Näytä vain piilotetut henkilöt"; $a->strings["Search your contacts"] = "Etsi henkilöitä"; +$a->strings["Update"] = "Päivitä"; $a->strings["Archive"] = "Arkistoi"; $a->strings["Unarchive"] = "Poista arkistosta"; $a->strings["Batch Actions"] = ""; @@ -1295,7 +1095,7 @@ $a->strings["At the time of registration, and for providing communications betwe $a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = ""; $a->strings["This is Friendica, version"] = "Tämä on Friendica, versio"; $a->strings["running at web location"] = "käynnissä osoitteessa"; -$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = ""; +$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = "Vieraile osoitteessa Friendi.ca saadaksesi lisätietoja Friendica- projektista."; $a->strings["Bug reports and issues: please visit"] = "Bugiraportit ja kysymykset: vieraile osoitteessa"; $a->strings["the bugtracker at github"] = "githubin bugtrackeri"; $a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Ehdotuksia, kiitoksia, lahjoituksia, jne. voi lähettää osoitteeseen \"Info\" at Friendica - piste com"; @@ -1340,7 +1140,9 @@ $a->strings["Your invitation code: "] = "Kutsukoodisi:"; $a->strings["Registration"] = "Rekisteröityminen"; $a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = ""; $a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = ""; +$a->strings["New Password:"] = "Uusi salasana:"; $a->strings["Leave empty for an auto generated password."] = ""; +$a->strings["Confirm:"] = "Vahvista:"; $a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@%s'."] = ""; $a->strings["Choose a nickname: "] = "Valitse lempinimi:"; $a->strings["Register"] = "Rekisteröidy"; @@ -1352,13 +1154,15 @@ $a->strings["Federation Statistics"] = "Liiton tilastotiedot"; $a->strings["Configuration"] = "Kokoonpano"; $a->strings["Site"] = "Sivusto"; $a->strings["Users"] = "Käyttäjät"; +$a->strings["Addons"] = "Lisäosat"; $a->strings["Themes"] = "Teemat"; +$a->strings["Additional features"] = "Lisäominaisuuksia"; $a->strings["Database"] = "Tietokanta"; $a->strings["DB updates"] = "Tietokannan päivitykset"; $a->strings["Inspect Queue"] = "Tarkista jono"; $a->strings["Tools"] = "Työkalut"; -$a->strings["Contact Blocklist"] = ""; -$a->strings["Server Blocklist"] = ""; +$a->strings["Contact Blocklist"] = "Kontaktien estolista"; +$a->strings["Server Blocklist"] = "Palvelimien estolista"; $a->strings["Delete Item"] = "Poista kohde"; $a->strings["Logs"] = "Lokit"; $a->strings["View Logs"] = "Katso lokit"; @@ -1367,7 +1171,7 @@ $a->strings["PHP Info"] = "PHP tietoja"; $a->strings["probe address"] = ""; $a->strings["check webfinger"] = "Tarkista webfinger"; $a->strings["Admin"] = "Ylläpitäjä"; -$a->strings["Addon Features"] = ""; +$a->strings["Addon Features"] = "Lisäosaominaisuudet"; $a->strings["User registrations waiting for confirmation"] = ""; $a->strings["Administration"] = "Ylläpito"; $a->strings["Display Terms of Service"] = "Näytä käyttöehdot"; @@ -1377,7 +1181,7 @@ $a->strings["Show some informations regarding the needed information to operate $a->strings["The Terms of Service"] = "Käyttöehdot"; $a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = ""; $a->strings["The blocked domain"] = "Estetty verkkotunnus"; -$a->strings["The reason why you blocked this domain."] = ""; +$a->strings["The reason why you blocked this domain."] = "Verkkotunnuksen estosyy."; $a->strings["Delete domain"] = "Poista verkkotunnus"; $a->strings["Check to delete this entry from the blocklist"] = ""; $a->strings["This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."] = ""; @@ -1385,14 +1189,14 @@ $a->strings["The list of blocked servers will be made publically available on th $a->strings["Add new entry to block list"] = ""; $a->strings["Server Domain"] = "Palvelimen verkkotunnus"; $a->strings["The domain of the new server to add to the block list. Do not include the protocol."] = ""; -$a->strings["Block reason"] = ""; +$a->strings["Block reason"] = "Estosyy"; $a->strings["Add Entry"] = "Lisää merkintä"; $a->strings["Save changes to the blocklist"] = ""; $a->strings["Current Entries in the Blocklist"] = ""; $a->strings["Delete entry from blocklist"] = ""; $a->strings["Delete entry from blocklist?"] = ""; $a->strings["Server added to blocklist."] = ""; -$a->strings["Site blocklist updated."] = ""; +$a->strings["Site blocklist updated."] = "Sivuston estolista päivitetty."; $a->strings["The contact has been blocked from the node"] = ""; $a->strings["Could not find any contact entry for this URL (%s)"] = ""; $a->strings["%s contact unblocked"] = [ @@ -1428,7 +1232,7 @@ $a->strings["Recipient Name"] = "Vastaanottajan nimi"; $a->strings["Recipient Profile"] = "Vastaanottajan profiili"; $a->strings["Network"] = "Verkko"; $a->strings["Created"] = "Luotu"; -$a->strings["Last Tried"] = ""; +$a->strings["Last Tried"] = "Viimeksi yritetty"; $a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = ""; $a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = ""; $a->strings["There is a new version of Friendica available for download. Your current version is %1\$s, upstream version is %2\$s"] = ""; @@ -1446,14 +1250,15 @@ $a->strings["Summary"] = "Yhteenveto"; $a->strings["Registered users"] = ""; $a->strings["Pending registrations"] = ""; $a->strings["Version"] = "Versio"; -$a->strings["Active addons"] = ""; +$a->strings["Active addons"] = "Käytössäolevat lisäosat"; $a->strings["Can not parse base url. Must have at least ://"] = ""; $a->strings["Site settings updated."] = "Sivuston asetukset päivitettiin."; +$a->strings["No special theme for mobile devices"] = ""; $a->strings["No community page"] = ""; $a->strings["Public postings from users of this site"] = ""; $a->strings["Public postings from the federated network"] = ""; $a->strings["Public postings from local users and the federated network"] = ""; -$a->strings["Users, Global Contacts"] = ""; +$a->strings["Users, Global Contacts"] = "Käyttäjät, maailmanlaajuiset kontaktit"; $a->strings["Users, Global Contacts/fallback"] = ""; $a->strings["One month"] = "Yksi kuukausi"; $a->strings["Three months"] = "Kolme kuukautta"; @@ -1474,7 +1279,7 @@ $a->strings["File upload"] = "Tiedoston lataus"; $a->strings["Policies"] = ""; $a->strings["Auto Discovered Contact Directory"] = ""; $a->strings["Performance"] = "Suoritus"; -$a->strings["Worker"] = ""; +$a->strings["Worker"] = "Worker"; $a->strings["Message Relay"] = ""; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = ""; $a->strings["Site name"] = "Sivuston nimi"; @@ -1489,9 +1294,9 @@ $a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; $a->strings["Additional Info"] = "Lisätietoja"; $a->strings["For public servers: you can add additional information here that will be listed at %s/servers."] = ""; $a->strings["System language"] = "Järjestelmän kieli"; -$a->strings["System theme"] = ""; +$a->strings["System theme"] = "Järjestelmäteema"; $a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = ""; -$a->strings["Mobile system theme"] = ""; +$a->strings["Mobile system theme"] = "Mobiili järjestelmäteema"; $a->strings["Theme for mobile devices"] = ""; $a->strings["SSL link policy"] = ""; $a->strings["Determines whether generated links should be forced to use SSL"] = ""; @@ -1526,7 +1331,7 @@ $a->strings["Block public"] = ""; $a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = ""; $a->strings["Force publish"] = ""; $a->strings["Check to force all profiles on this site to be listed in the site directory."] = ""; -$a->strings["Global directory URL"] = ""; +$a->strings["Global directory URL"] = "Maailmanlaajuisen hakemiston URL-osoite"; $a->strings["URL to the global directory. If this is not set, the global directory is completely unavailable to the application."] = ""; $a->strings["Private posts by default for new users"] = ""; $a->strings["Set default post permissions for all new members to the default privacy group rather than public."] = ""; @@ -1662,6 +1467,7 @@ $a->strings["Email"] = "Sähköposti"; $a->strings["Register date"] = "Rekisteripäivämäärä"; $a->strings["Last login"] = "Viimeisin kirjautuminen"; $a->strings["Last item"] = "Viimeisin kohde"; +$a->strings["Account"] = "Tili"; $a->strings["Add User"] = "Lisää käyttäjä"; $a->strings["User registrations waiting for confirm"] = ""; $a->strings["User waiting for permanent deletion"] = ""; @@ -1706,8 +1512,206 @@ $a->strings["PHP logging"] = "PHP-loki"; $a->strings["To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = ""; $a->strings["Error trying to open %1\$s log file.\\r\\n
Check to see if file %1\$s exist and is readable."] = ""; $a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = ""; +$a->strings["Off"] = "Pois päältä"; +$a->strings["On"] = "Päällä"; $a->strings["Lock feature %s"] = ""; $a->strings["Manage Additional Features"] = ""; +$a->strings["Display"] = ""; +$a->strings["Social Networks"] = "Sosiaalinen media"; +$a->strings["Delegations"] = ""; +$a->strings["Connected apps"] = "Yhdistetyt sovellukset"; +$a->strings["Remove account"] = "Poista tili"; +$a->strings["Missing some important data!"] = ""; +$a->strings["Failed to connect with email account using the settings provided."] = ""; +$a->strings["Email settings updated."] = "Sähköpostin asetukset päivitettiin."; +$a->strings["Features updated"] = "Ominaisuudet päivitetty"; +$a->strings["Relocate message has been send to your contacts"] = ""; +$a->strings["Passwords do not match. Password unchanged."] = ""; +$a->strings["Empty passwords are not allowed. Password unchanged."] = ""; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; +$a->strings["Wrong password."] = "Väärä salasana."; +$a->strings["Password changed."] = "Salasana vaihdettu."; +$a->strings["Password update failed. Please try again."] = "Salasanan vaihto epäonnistui. Yritä uudelleen."; +$a->strings[" Please use a shorter name."] = "Käytä lyhyempää nimeä."; +$a->strings[" Name too short."] = "Nimi on liian lyhyt."; +$a->strings["Wrong Password"] = "Väärä salasana"; +$a->strings["Invalid email."] = "Virheellinen sähköposti."; +$a->strings["Cannot change to that email."] = ""; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = ""; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = ""; +$a->strings["Settings updated."] = "Asetukset päivitetty."; +$a->strings["Add application"] = "Lisää sovellus"; +$a->strings["Consumer Key"] = ""; +$a->strings["Consumer Secret"] = ""; +$a->strings["Redirect"] = "Uudelleenohjaus"; +$a->strings["Icon url"] = ""; +$a->strings["You can't edit this application."] = ""; +$a->strings["Connected Apps"] = "Yhdistetyt sovellukset"; +$a->strings["Edit"] = "Muokkaa"; +$a->strings["Client key starts with"] = ""; +$a->strings["No name"] = "Ei nimeä"; +$a->strings["Remove authorization"] = "Poista lupa"; +$a->strings["No Addon settings configured"] = ""; +$a->strings["Addon Settings"] = "Lisäosa-asetukset"; +$a->strings["Additional Features"] = "Lisäominaisuuksia"; +$a->strings["Diaspora"] = "Diaspora"; +$a->strings["enabled"] = "käytössä"; +$a->strings["disabled"] = "pois käytöstä"; +$a->strings["Built-in support for %s connectivity is %s"] = ""; +$a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; +$a->strings["Email access is disabled on this site."] = ""; +$a->strings["General Social Media Settings"] = "Yleiset some asetukset"; +$a->strings["Disable Content Warning"] = ""; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = ""; +$a->strings["Disable intelligent shortening"] = ""; +$a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = ""; +$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = ""; +$a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = ""; +$a->strings["Default group for OStatus contacts"] = "Oletusryhmä OStatus kontakteille"; +$a->strings["Your legacy GNU Social account"] = ""; +$a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = ""; +$a->strings["Repair OStatus subscriptions"] = "Korjaa OStatus tilaukset"; +$a->strings["Email/Mailbox Setup"] = "Sähköpostin asennus"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = ""; +$a->strings["Last successful email check:"] = "Viimeisin onnistunut sähköpostitarkistus:"; +$a->strings["IMAP server name:"] = "IMAP-palvelimen nimi:"; +$a->strings["IMAP port:"] = "IMAP-porttti:"; +$a->strings["Security:"] = ""; +$a->strings["None"] = "Ei mitään"; +$a->strings["Email login name:"] = "Sähköpostitilin käyttäjätunnus:"; +$a->strings["Email password:"] = "Sähköpostin salasana:"; +$a->strings["Reply-to address:"] = "Vastausosoite:"; +$a->strings["Send public posts to all email contacts:"] = ""; +$a->strings["Action after import:"] = ""; +$a->strings["Mark as seen"] = "Merkitse luetuksi"; +$a->strings["Move to folder"] = "Siirrä kansioon"; +$a->strings["Move to folder:"] = "Siirrä kansioon:"; +$a->strings["%s - (Unsupported)"] = "%s - (Ei tueta)"; +$a->strings["%s - (Experimental)"] = "%s - (Kokeellinen)"; +$a->strings["Display Settings"] = "Näyttöasetukset"; +$a->strings["Display Theme:"] = ""; +$a->strings["Mobile Theme:"] = "Mobiiliteema:"; +$a->strings["Suppress warning of insecure networks"] = ""; +$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = ""; +$a->strings["Update browser every xx seconds"] = "Päivitä selain xx sekunnin välein"; +$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = ""; +$a->strings["Number of items to display per page:"] = ""; +$a->strings["Maximum of 100 items"] = "Enintään 100 kohdetta"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = ""; +$a->strings["Don't show emoticons"] = "Piilota hymiöt"; +$a->strings["Calendar"] = "Kalenteri"; +$a->strings["Beginning of week:"] = "Viikon alku:"; +$a->strings["Don't show notices"] = ""; +$a->strings["Infinite scroll"] = ""; +$a->strings["Automatic updates only at the top of the network page"] = ""; +$a->strings["When disabled, the network page is updated all the time, which could be confusing while reading."] = ""; +$a->strings["Bandwith Saver Mode"] = "Kaistanleveyssäästömoodi"; +$a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = ""; +$a->strings["Smart Threading"] = ""; +$a->strings["When enabled, suppress extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled."] = ""; +$a->strings["General Theme Settings"] = "Yleiset teeman asetukset"; +$a->strings["Custom Theme Settings"] = ""; +$a->strings["Content Settings"] = "Sisältöasetukset"; +$a->strings["Theme settings"] = "Teeman asetukset"; +$a->strings["Unable to find your profile. Please contact your admin."] = ""; +$a->strings["Account Types"] = "Tilityypit"; +$a->strings["Personal Page Subtypes"] = "Henkilökohtaisen sivun alatyypit"; +$a->strings["Community Forum Subtypes"] = "Yhteisöfoorumin alatyypit"; +$a->strings["Personal Page"] = "Henkilökohtainen sivu"; +$a->strings["Account for a personal profile."] = ""; +$a->strings["Organisation Page"] = "Järjestön sivu"; +$a->strings["Account for an organisation that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["News Page"] = "Uutissivu"; +$a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["Community Forum"] = "Yhteisöfoorumi"; +$a->strings["Account for community discussions."] = ""; +$a->strings["Normal Account Page"] = ""; +$a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; +$a->strings["Soapbox Page"] = "Saarnatuoli sivu"; +$a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["Public Forum"] = "Julkinen foorumi"; +$a->strings["Automatically approves all contact requests."] = "Automaattisesti hyväksyy kaikki kontaktipyynnöt"; +$a->strings["Automatic Friend Page"] = ""; +$a->strings["Account for a popular profile that automatically approves contact requests as \"Friends\"."] = ""; +$a->strings["Private Forum [Experimental]"] = "Yksityisfoorumi [kokeellinen]"; +$a->strings["Requires manual approval of contact requests."] = ""; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = ""; +$a->strings["Publish your default profile in your local site directory?"] = ""; +$a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; +$a->strings["Publish your default profile in the global social directory?"] = ""; +$a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = ""; +$a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; +$a->strings["Hide your profile details from anonymous viewers?"] = ""; +$a->strings["Anonymous visitors will only see your profile picture, your display name and the nickname you are using on your profile page. Disables posting public messages to Diaspora and other networks."] = ""; +$a->strings["Allow friends to post to your profile page?"] = ""; +$a->strings["Your contacts may write posts on your profile wall. These posts will be distributed to your contacts"] = ""; +$a->strings["Allow friends to tag your posts?"] = ""; +$a->strings["Your contacts can add additional tags to your posts."] = ""; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = ""; +$a->strings["If you like, Friendica may suggest new members to add you as a contact."] = ""; +$a->strings["Permit unknown people to send you private mail?"] = "Salli yksityisviesit tuntemattomilta?"; +$a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; +$a->strings["Profile is not published."] = "Profiili ei ole julkaistu."; +$a->strings["Your Identity Address is '%s' or '%s'."] = ""; +$a->strings["Automatically expire posts after this many days:"] = ""; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = ""; +$a->strings["Advanced expiration settings"] = ""; +$a->strings["Advanced Expiration"] = ""; +$a->strings["Expire posts:"] = ""; +$a->strings["Expire personal notes:"] = ""; +$a->strings["Expire starred posts:"] = ""; +$a->strings["Expire photos:"] = ""; +$a->strings["Only expire posts by others:"] = ""; +$a->strings["Account Settings"] = "Tiliasetukset"; +$a->strings["Password Settings"] = "Salasana-asetukset"; +$a->strings["Leave password fields blank unless changing"] = ""; +$a->strings["Current Password:"] = "Nykyinen salasana:"; +$a->strings["Your current password to confirm the changes"] = ""; +$a->strings["Password:"] = "Salasana:"; +$a->strings["Basic Settings"] = "Perusasetukset"; +$a->strings["Full Name:"] = "Koko nimi:"; +$a->strings["Email Address:"] = "Sähköpostiosoite:"; +$a->strings["Your Timezone:"] = "Aikavyöhyke:"; +$a->strings["Your Language:"] = "Kieli:"; +$a->strings["Set the language we use to show you friendica interface and to send you emails"] = ""; +$a->strings["Default Post Location:"] = ""; +$a->strings["Use Browser Location:"] = "Käytä selaimen sijainti:"; +$a->strings["Security and Privacy Settings"] = "Turvallisuus ja tietosuoja-asetukset"; +$a->strings["Maximum Friend Requests/Day:"] = ""; +$a->strings["(to prevent spam abuse)"] = ""; +$a->strings["Default Post Permissions"] = ""; +$a->strings["(click to open/close)"] = "(klikkaa auki/kiinni)"; +$a->strings["Default Private Post"] = ""; +$a->strings["Default Public Post"] = ""; +$a->strings["Default Permissions for New Posts"] = ""; +$a->strings["Maximum private messages per day from unknown people:"] = ""; +$a->strings["Notification Settings"] = "Huomautusasetukset"; +$a->strings["By default post a status message when:"] = ""; +$a->strings["accepting a friend request"] = "hyväksyt kaveripyynnön"; +$a->strings["joining a forum/community"] = "liityt foorumiin/yhteisöön"; +$a->strings["making an interesting profile change"] = ""; +$a->strings["Send a notification email when:"] = "Lähetä sähköposti-ilmoitus kun:"; +$a->strings["You receive an introduction"] = ""; +$a->strings["Your introductions are confirmed"] = ""; +$a->strings["Someone writes on your profile wall"] = ""; +$a->strings["Someone writes a followup comment"] = ""; +$a->strings["You receive a private message"] = "Vastaanotat yksityisviestin"; +$a->strings["You receive a friend suggestion"] = "Vastaanotat kaveriehdotuksen"; +$a->strings["You are tagged in a post"] = "Sinut on merkitty julkaisuun"; +$a->strings["You are poked/prodded/etc. in a post"] = ""; +$a->strings["Activate desktop notifications"] = "Ota työpöytäilmoitukset käyttöön"; +$a->strings["Show desktop popup on new notifications"] = ""; +$a->strings["Text-only notification emails"] = ""; +$a->strings["Send text only notification emails, without the html part"] = ""; +$a->strings["Show detailled notifications"] = ""; +$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; +$a->strings["Advanced Account/Page Type Settings"] = "Käyttäjätili/sivutyyppi lisäasetuksia"; +$a->strings["Change the behaviour of this account for special situations"] = ""; +$a->strings["Relocate"] = ""; +$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = ""; +$a->strings["Resend relocate message to contacts"] = ""; $a->strings["Error decoding account file"] = ""; $a->strings["Error! No version data in file! This is not a Friendica account file?"] = ""; $a->strings["User '%s' already exists on this server!"] = ""; @@ -1720,7 +1724,7 @@ $a->strings["%d contact not imported"] = [ $a->strings["Done. You can now login with your username and password"] = ""; $a->strings["System"] = ""; $a->strings["Home"] = "Koti"; -$a->strings["Introductions"] = ""; +$a->strings["Introductions"] = "Esittelyt"; $a->strings["%s commented on %s's post"] = ""; $a->strings["%s created a new post"] = "%s loi uuden julkaisun"; $a->strings["%s liked %s's post"] = ""; @@ -1885,35 +1889,35 @@ $a->strings["%d contact in common"] = [ 0 => "", 1 => "", ]; -$a->strings["Frequently"] = "Usein"; -$a->strings["Hourly"] = "Tunneittain"; -$a->strings["Twice daily"] = "Kahdesti päivässä"; -$a->strings["Daily"] = "Päivittäin"; -$a->strings["Weekly"] = "Viikottain"; -$a->strings["Monthly"] = "Kuukausittain"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "LinkedIn"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "MySpace"; -$a->strings["Google+"] = "Google+"; -$a->strings["pump.io"] = "pump.io"; -$a->strings["Twitter"] = "Twitter"; +$a->strings["Frequently"] = ""; +$a->strings["Hourly"] = ""; +$a->strings["Twice daily"] = ""; +$a->strings["Daily"] = ""; +$a->strings["Weekly"] = ""; +$a->strings["Monthly"] = ""; +$a->strings["OStatus"] = ""; +$a->strings["RSS/Atom"] = ""; +$a->strings["Facebook"] = ""; +$a->strings["Zot!"] = ""; +$a->strings["LinkedIn"] = ""; +$a->strings["XMPP/IM"] = ""; +$a->strings["MySpace"] = ""; +$a->strings["Google+"] = ""; +$a->strings["pump.io"] = ""; +$a->strings["Twitter"] = ""; $a->strings["Diaspora Connector"] = ""; $a->strings["GNU Social Connector"] = ""; -$a->strings["pnut"] = "pnut"; -$a->strings["App.net"] = "App.net"; -$a->strings["Male"] = "Mies"; -$a->strings["Female"] = "Nainen"; +$a->strings["pnut"] = ""; +$a->strings["App.net"] = ""; +$a->strings["Male"] = ""; +$a->strings["Female"] = ""; $a->strings["Currently Male"] = ""; $a->strings["Currently Female"] = ""; $a->strings["Mostly Male"] = ""; $a->strings["Mostly Female"] = ""; -$a->strings["Transgender"] = "Transsukupuolinen"; -$a->strings["Intersex"] = "Intersukupuolinen"; -$a->strings["Transsexual"] = "Transsukupuolinen"; +$a->strings["Transgender"] = ""; +$a->strings["Intersex"] = ""; +$a->strings["Transsexual"] = ""; $a->strings["Hermaphrodite"] = ""; $a->strings["Neuter"] = ""; $a->strings["Non-specific"] = ""; @@ -2049,7 +2053,7 @@ $a->strings["Invitation could not be verified."] = "Kutsua ei voitu vahvistaa."; $a->strings["Invalid OpenID url"] = "Virheellinen OpenID url-osoite"; $a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = ""; $a->strings["The error message was:"] = "Virheviesti oli:"; -$a->strings["Please enter the required information."] = ""; +$a->strings["Please enter the required information."] = "Syötä tarvittavat tiedot."; $a->strings["Please use a shorter name."] = ""; $a->strings["Name too short."] = "Nimi on liian lyhyt."; $a->strings["That doesn't appear to be your full (First Last) name."] = ""; @@ -2067,10 +2071,11 @@ $a->strings["An error occurred creating your default contact group. Please try a $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = ""; $a->strings["Registration at %s"] = ""; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = ""; -$a->strings["%s is now following %s."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; +$a->strings["%s is now following %s."] = "%s seuraa %s."; $a->strings["following"] = "seuraa"; -$a->strings["%s stopped following %s."] = ""; -$a->strings["stopped following"] = ""; +$a->strings["%s stopped following %s."] = "%s ei enää seuraa %s."; +$a->strings["stopped following"] = "ei enää seuraa"; $a->strings["%s\\'s birthday"] = ""; $a->strings["Sharing notification from Diaspora network"] = ""; $a->strings["Attachments:"] = "Liitteitä:"; @@ -2083,7 +2088,7 @@ $a->strings["I might attend"] = "Ehkä osallistun"; $a->strings["add star"] = "lisää tähti"; $a->strings["remove star"] = "poista tähti"; $a->strings["toggle star status"] = "Tähtitila päälle/pois"; -$a->strings["starred"] = ""; +$a->strings["starred"] = "tähtimerkitty"; $a->strings["ignore thread"] = ""; $a->strings["unignore thread"] = ""; $a->strings["toggle ignore status"] = ""; @@ -2117,7 +2122,7 @@ $a->strings["Website Terms of Service"] = "Verkkosivun käyttöehdot"; $a->strings["terms of service"] = "käyttöehdot"; $a->strings["Website Privacy Policy"] = "Sivuston tietosuojakäytäntö"; $a->strings["privacy policy"] = "tietosuojakäytäntö"; -$a->strings["Logged out."] = ""; +$a->strings["Logged out."] = "Kirjautunut ulos."; $a->strings["Delete this item?"] = "Poista tämä kohde?"; $a->strings["show fewer"] = "näytä vähemmän"; $a->strings["greenzero"] = "greenzero"; @@ -2126,7 +2131,7 @@ $a->strings["easterbunny"] = "easterbunny"; $a->strings["darkzero"] = "darkzero"; $a->strings["comix"] = "comix"; $a->strings["slackr"] = "slackr"; -$a->strings["Variations"] = ""; +$a->strings["Variations"] = "Muunnelmat"; $a->strings["Repeat the image"] = "Toista kuva"; $a->strings["Will repeat your image to fill the background."] = ""; $a->strings["Stretch"] = "Venytä"; @@ -2157,11 +2162,11 @@ $a->strings["Color scheme"] = "Värimalli"; $a->strings["Posts font size"] = ""; $a->strings["Textareas font size"] = ""; $a->strings["Comma separated list of helper forums"] = ""; -$a->strings["Set style"] = ""; +$a->strings["Set style"] = "Aseta tyyli"; $a->strings["Community Pages"] = "Yhteisösivut"; $a->strings["Community Profiles"] = "Yhteisöprofiilit"; $a->strings["Help or @NewHere ?"] = ""; -$a->strings["Connect Services"] = ""; +$a->strings["Connect Services"] = "Yhdistä palvelut"; $a->strings["Find Friends"] = ""; $a->strings["Last users"] = ""; $a->strings["Local Directory"] = "Paikallinen hakemisto"; diff --git a/view/lang/pl/messages.po b/view/lang/pl/messages.po index b4adce871..cddaaa7df 100644 --- a/view/lang/pl/messages.po +++ b/view/lang/pl/messages.po @@ -39,7 +39,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-07 18:39+0000\n" +"PO-Revision-Date: 2018-04-08 16:58+0000\n" "Last-Translator: Waldemar Stoczkowski \n" "Language-Team: Polish (http://www.transifex.com/Friendica/friendica/language/pl/)\n" "MIME-Version: 1.0\n" @@ -480,7 +480,7 @@ msgstr "zdjęcie" #: src/Protocol/Diaspora.php:2006 #, php-format msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s lubi %2$s's %3$s" +msgstr "%1$s lubi to %2$s's %3$s" #: include/conversation.php:167 src/Model/Item.php:1671 #, php-format @@ -529,11 +529,11 @@ msgstr "%1$s oznacz %2$s's %3$s jako ulubione" #: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 msgid "Likes" -msgstr "Lubi" +msgstr "Lubię to" #: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 msgid "Dislikes" -msgstr "Nie lubi" +msgstr "Nie lubię tego" #: include/conversation.php:606 include/conversation.php:1687 #: mod/photos.php:1502 @@ -702,12 +702,12 @@ msgstr "%2$dosoby uczestniczą" #: include/conversation.php:1246 #, php-format msgid "%s attend." -msgstr "" +msgstr "%suczestniczy" #: include/conversation.php:1249 #, php-format msgid "%2$d people don't attend" -msgstr "" +msgstr "%2$dludzie nie uczestniczą" #: include/conversation.php:1250 #, php-format @@ -3006,7 +3006,7 @@ msgstr "Ulubione posty" #: mod/notes.php:52 src/Model/Profile.php:946 msgid "Personal Notes" -msgstr "Osobiste notatki" +msgstr "Notatki" #: mod/oexchange.php:30 msgid "Post successful." @@ -4346,11 +4346,11 @@ msgstr "(Używany do wyszukiwania profili, niepokazywany innym)" #: mod/profiles.php:726 src/Model/Profile.php:814 msgid "Likes:" -msgstr "Lubi:" +msgstr "Lubią to:" #: mod/profiles.php:727 src/Model/Profile.php:818 msgid "Dislikes:" -msgstr "Nie lubi:" +msgstr "Nie lubię tego:" #: mod/profiles.php:728 msgid "Musical interests" @@ -5283,7 +5283,7 @@ msgstr "Domena nowego serwera do dodania do listy bloków. Nie dołączaj protok #: mod/admin.php:367 msgid "Block reason" -msgstr "" +msgstr "Powód zablokowania" #: mod/admin.php:368 msgid "Add Entry" @@ -6518,7 +6518,7 @@ msgid "" "\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" "\n" "\t\t\tThank you and welcome to %4$s." -msgstr "" +msgstr "\n\t\t\tDane logowania są następuje:\n\t\t\tLokalizacja witryny:\t%1$s\n\t\t\tNazwa użytkownika:%2$s\n\t\t\tHasło:%3$s\n\n\t\t\tPo zalogowaniu możesz zmienić hasło do swojego konta na stronie \"Ustawienia\"\n \t\t\tProszę poświęć chwilę, aby przejrzeć inne ustawienia konta na tej stronie.\n\n\t\t\tMożesz również dodać podstawowe informacje do swojego domyślnego profilu\n\t\t\t(na stronie \"Profil\"), aby inne osoby mogły łatwo Cię znaleźć.\n\n\t\t\tZalecamy ustawienie imienia i nazwiska, dodanie zdjęcia profilowego,\n\t\t\tdodanie niektórych \"słów kluczowych\" profilu (bardzo przydatne w nawiązywaniu nowych znajomości) - i\n\t\t\tbyć może w jakim kraju mieszkasz; jeśli nie chcesz być bardziej szczegółowy.\n\n\t\t\tW pełni szanujemy Twoje prawo do prywatności i żaden z tych elementów nie jest konieczny.\n\t\t\tJeśli jesteś nowy i nie znasz tutaj nikogo, oni mogą ci pomóc\n\t\t\tmożesz zdobyć nowych interesujących przyjaciół\n\n\t\t\tJeśli kiedykolwiek zechcesz usunąć swoje konto, możesz to zrobić w %1$s/Usuń konto\n\n\t\t\tDziękujemy i Zapraszamy do%4$s" #: mod/admin.php:1611 src/Model/User.php:649 #, php-format @@ -7433,7 +7433,7 @@ msgstr "Wygasające posty:" #: mod/settings.php:1159 msgid "Expire personal notes:" -msgstr "Wygasające notatki osobiste:" +msgstr "Wygasanie osobistych notatek:" #: mod/settings.php:1160 msgid "Expire starred posts:" @@ -7710,7 +7710,7 @@ msgstr "%s polubił wpis %s" #: src/Core/NotificationsManager.php:294 #, php-format msgid "%s disliked %s's post" -msgstr "%s przestał lubić post %s" +msgstr "%s nie lubi tych %s postów" #: src/Core/NotificationsManager.php:307 #, php-format @@ -7917,11 +7917,11 @@ msgstr "Twoje wydarzenia" #: src/Content/Nav.php:105 msgid "Personal notes" -msgstr "Osobiste notatki" +msgstr "Notatki" #: src/Content/Nav.php:105 msgid "Your personal notes" -msgstr "Twoje osobiste notatki" +msgstr "Twoje prywatne notatki" #: src/Content/Nav.php:114 msgid "Sign in" @@ -9160,7 +9160,7 @@ msgid "" "\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" "\n" "\t\t\tThank you and welcome to %2$s." -msgstr "" +msgstr "\n\t\t\tDane logowania są następuje:\n\t\t\tLokalizacja witryny:\t%3$s\n\t\t\tNazwa użytkownika:\t\t%1$s\n\t\t\tHasło:\t\t%5$s\n\n\t\t\tPo zalogowaniu możesz zmienić hasło do swojego konta na stronie \"Ustawienia\"\n \t\t\tProszę poświęć chwilę, aby przejrzeć inne ustawienia konta na tej stronie.\n\n\t\t\tMożesz również dodać podstawowe informacje do swojego domyślnego profilu\n\t\t\t(na stronie \"Profil\"), aby inne osoby mogły łatwo Cię znaleźć.\n\n\t\t\tZalecamy ustawienie imienia i nazwiska, dodanie zdjęcia profilowego,\n\t\t\tdodanie niektórych \"słów kluczowych\" profilu (bardzo przydatne w nawiązywaniu nowych znajomości) - i\n\t\t\tbyć może w jakim kraju mieszkasz; jeśli nie chcesz być bardziej szczegółowy.\n\n\t\t\tW pełni szanujemy Twoje prawo do prywatności i żaden z tych elementów nie jest konieczny.\n\t\t\tJeśli jesteś nowy i nie znasz tutaj nikogo, oni mogą ci pomóc\n\t\t\tmożesz zdobyć nowych interesujących przyjaciół\n\n\t\t\tJeśli kiedykolwiek zechcesz usunąć swoje konto, możesz to zrobić w %3$s/Usuń konto\n\n\t\t\tDziękujemy i Zapraszamy do %2$s." #: src/Protocol/OStatus.php:1799 #, php-format @@ -9251,11 +9251,11 @@ msgstr "dodaj tag" #: src/Object/Post.php:296 msgid "like" -msgstr "polub" +msgstr "lubię to" #: src/Object/Post.php:297 msgid "dislike" -msgstr "Nie lubię" +msgstr "nie lubię tego" #: src/Object/Post.php:300 msgid "Share this" diff --git a/view/lang/pl/strings.php b/view/lang/pl/strings.php index 92794228a..70bc4974b 100644 --- a/view/lang/pl/strings.php +++ b/view/lang/pl/strings.php @@ -93,7 +93,7 @@ $a->strings["show more"] = "Pokaż więcej"; $a->strings["event"] = "wydarzenie"; $a->strings["status"] = "status"; $a->strings["photo"] = "zdjęcie"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s lubi %2\$s's %3\$s"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s lubi to %2\$s's %3\$s"; $a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nie lubi %2\$s's %3\$s"; $a->strings["%1\$s attends %2\$s's %3\$s"] = ""; $a->strings["%1\$s doesn't attend %2\$s's %3\$s"] = "%1\$s nie uczestniczy %2\$s 's %3\$s"; @@ -103,8 +103,8 @@ $a->strings["%1\$s poked %2\$s"] = ""; $a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s zaznaczył %2\$s'go %3\$s przy użyciu %4\$s"; $a->strings["post/item"] = ""; $a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s oznacz %2\$s's %3\$s jako ulubione"; -$a->strings["Likes"] = "Lubi"; -$a->strings["Dislikes"] = "Nie lubi"; +$a->strings["Likes"] = "Lubię to"; +$a->strings["Dislikes"] = "Nie lubię tego"; $a->strings["Attending"] = [ 0 => "", 1 => "", @@ -144,8 +144,8 @@ $a->strings["%s like this."] = "%s lubię to."; $a->strings["%2\$d people don't like this"] = "%2\$d ludzi nie lubi tego "; $a->strings["%s don't like this."] = "%s nie lubię tego."; $a->strings["%2\$d people attend"] = "%2\$dosoby uczestniczą"; -$a->strings["%s attend."] = ""; -$a->strings["%2\$d people don't attend"] = ""; +$a->strings["%s attend."] = "%suczestniczy"; +$a->strings["%2\$d people don't attend"] = "%2\$dludzie nie uczestniczą"; $a->strings["%s don't attend."] = "%s nie uczestnicz"; $a->strings["%2\$d people attend maybe"] = "%2\$dprzyjacielemogą uczestniczyć "; $a->strings["%s attend maybe."] = "%sbyć może uczestniczyć. "; @@ -697,7 +697,7 @@ $a->strings["Shared Links"] = "Udostępnione łącza"; $a->strings["Interesting Links"] = "Interesujące linki"; $a->strings["Starred"] = "Ulubione"; $a->strings["Favourite Posts"] = "Ulubione posty"; -$a->strings["Personal Notes"] = "Osobiste notatki"; +$a->strings["Personal Notes"] = "Notatki"; $a->strings["Post successful."] = "Post dodany pomyślnie"; $a->strings["Photo Albums"] = "Albumy zdjęć"; $a->strings["Recent Photos"] = "Ostatnio dodane zdjęcia"; @@ -1009,8 +1009,8 @@ $a->strings["Public Keywords:"] = "Publiczne słowa kluczowe :"; $a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Używany do sugerowania potencjalnych znajomych, jest widoczny dla innych)"; $a->strings["Private Keywords:"] = "Prywatne słowa kluczowe :"; $a->strings["(Used for searching profiles, never shown to others)"] = "(Używany do wyszukiwania profili, niepokazywany innym)"; -$a->strings["Likes:"] = "Lubi:"; -$a->strings["Dislikes:"] = "Nie lubi:"; +$a->strings["Likes:"] = "Lubią to:"; +$a->strings["Dislikes:"] = "Nie lubię tego:"; $a->strings["Musical interests"] = "Muzyka"; $a->strings["Books, literature"] = "Literatura"; $a->strings["Television"] = "Telewizja"; @@ -1217,7 +1217,7 @@ $a->strings["The list of blocked servers will be made publically available on th $a->strings["Add new entry to block list"] = "Dodaj nowy wpis do listy bloków"; $a->strings["Server Domain"] = "Domena serwera"; $a->strings["The domain of the new server to add to the block list. Do not include the protocol."] = "Domena nowego serwera do dodania do listy bloków. Nie dołączaj protokołu."; -$a->strings["Block reason"] = ""; +$a->strings["Block reason"] = "Powód zablokowania"; $a->strings["Add Entry"] = "Dodaj wpis"; $a->strings["Save changes to the blocklist"] = "Zapisz zmiany w Liście zablokowanych"; $a->strings["Current Entries in the Blocklist"] = "Aktualne wpisy na liście zablokowanych"; @@ -1482,7 +1482,7 @@ $a->strings["This does not include updates prior to 1139, which did not return a $a->strings["Mark success (if update was manually applied)"] = "Oznacz sukces (jeśli aktualizacja została ręcznie zastosowana)"; $a->strings["Attempt to execute this update step automatically"] = "Spróbuj automatycznie wykonać ten krok aktualizacji"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = "\n\t\t\tSzanowny/a Panie/Pani %1\$s, \n\t\t\t\tadministrator %2\$s założył dla ciebie konto."; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = "\n\t\t\tDane logowania są następuje:\n\t\t\tLokalizacja witryny:\t%1\$s\n\t\t\tNazwa użytkownika:%2\$s\n\t\t\tHasło:%3\$s\n\n\t\t\tPo zalogowaniu możesz zmienić hasło do swojego konta na stronie \"Ustawienia\"\n \t\t\tProszę poświęć chwilę, aby przejrzeć inne ustawienia konta na tej stronie.\n\n\t\t\tMożesz również dodać podstawowe informacje do swojego domyślnego profilu\n\t\t\t(na stronie \"Profil\"), aby inne osoby mogły łatwo Cię znaleźć.\n\n\t\t\tZalecamy ustawienie imienia i nazwiska, dodanie zdjęcia profilowego,\n\t\t\tdodanie niektórych \"słów kluczowych\" profilu (bardzo przydatne w nawiązywaniu nowych znajomości) - i\n\t\t\tbyć może w jakim kraju mieszkasz; jeśli nie chcesz być bardziej szczegółowy.\n\n\t\t\tW pełni szanujemy Twoje prawo do prywatności i żaden z tych elementów nie jest konieczny.\n\t\t\tJeśli jesteś nowy i nie znasz tutaj nikogo, oni mogą ci pomóc\n\t\t\tmożesz zdobyć nowych interesujących przyjaciół\n\n\t\t\tJeśli kiedykolwiek zechcesz usunąć swoje konto, możesz to zrobić w %1\$s/Usuń konto\n\n\t\t\tDziękujemy i Zapraszamy do%4\$s"; $a->strings["Registration details for %s"] = "Szczegóły rejestracji dla %s"; $a->strings["%s user blocked/unblocked"] = [ 0 => "", @@ -1696,7 +1696,7 @@ $a->strings["If empty, posts will not expire. Expired posts will be deleted"] = $a->strings["Advanced expiration settings"] = "Zaawansowane ustawienia wygasania"; $a->strings["Advanced Expiration"] = "Zaawansowane wygasanie"; $a->strings["Expire posts:"] = "Wygasające posty:"; -$a->strings["Expire personal notes:"] = "Wygasające notatki osobiste:"; +$a->strings["Expire personal notes:"] = "Wygasanie osobistych notatek:"; $a->strings["Expire starred posts:"] = "Wygasaj posty oznaczone gwiazdką:"; $a->strings["Expire photos:"] = "Wygasanie zdjęć:"; $a->strings["Only expire posts by others:"] = "Tylko wygasaj posty innych osób:"; @@ -1766,7 +1766,7 @@ $a->strings["Introductions"] = "Wstępy"; $a->strings["%s commented on %s's post"] = "%s skomentował wpis %s"; $a->strings["%s created a new post"] = "%s dodał nowy wpis"; $a->strings["%s liked %s's post"] = "%s polubił wpis %s"; -$a->strings["%s disliked %s's post"] = "%s przestał lubić post %s"; +$a->strings["%s disliked %s's post"] = "%s nie lubi tych %s postów"; $a->strings["%s is attending %s's event"] = "%suczestniczy %sw wydarzeniu "; $a->strings["%s is not attending %s's event"] = "%snie uczestniczy %s w wydarzeniu "; $a->strings["%s may attend %s's event"] = "%smoże uczestniczyć %s w wydarzeniu"; @@ -1815,8 +1815,8 @@ $a->strings["Your photos"] = "Twoje zdjęcia"; $a->strings["Videos"] = "Filmy"; $a->strings["Your videos"] = "Twoje filmy"; $a->strings["Your events"] = "Twoje wydarzenia"; -$a->strings["Personal notes"] = "Osobiste notatki"; -$a->strings["Your personal notes"] = "Twoje osobiste notatki"; +$a->strings["Personal notes"] = "Notatki"; +$a->strings["Your personal notes"] = "Twoje prywatne notatki"; $a->strings["Sign in"] = "Zaloguj się"; $a->strings["Home Page"] = "Strona startowa"; $a->strings["Create an account"] = "Załóż konto"; @@ -2113,7 +2113,7 @@ $a->strings["An error occurred creating your default contact group. Please try a $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = "\n\t\t\tDrodzy %1\$s, \n\t\t\t\tDziękujemy za rejestrację na stronie %2\$s. Twoje konto czeka na zatwierdzenie przez administratora."; $a->strings["Registration at %s"] = "Rejestracja w %s"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = "\n\t\t\tDrodzy %1\$s, \n\t\t\t\tDziękujemy za rejestrację na stronie %2\$s. Twoje konto zostało utworzone."; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = "\n\t\t\tDane logowania są następuje:\n\t\t\tLokalizacja witryny:\t%3\$s\n\t\t\tNazwa użytkownika:\t\t%1\$s\n\t\t\tHasło:\t\t%5\$s\n\n\t\t\tPo zalogowaniu możesz zmienić hasło do swojego konta na stronie \"Ustawienia\"\n \t\t\tProszę poświęć chwilę, aby przejrzeć inne ustawienia konta na tej stronie.\n\n\t\t\tMożesz również dodać podstawowe informacje do swojego domyślnego profilu\n\t\t\t(na stronie \"Profil\"), aby inne osoby mogły łatwo Cię znaleźć.\n\n\t\t\tZalecamy ustawienie imienia i nazwiska, dodanie zdjęcia profilowego,\n\t\t\tdodanie niektórych \"słów kluczowych\" profilu (bardzo przydatne w nawiązywaniu nowych znajomości) - i\n\t\t\tbyć może w jakim kraju mieszkasz; jeśli nie chcesz być bardziej szczegółowy.\n\n\t\t\tW pełni szanujemy Twoje prawo do prywatności i żaden z tych elementów nie jest konieczny.\n\t\t\tJeśli jesteś nowy i nie znasz tutaj nikogo, oni mogą ci pomóc\n\t\t\tmożesz zdobyć nowych interesujących przyjaciół\n\n\t\t\tJeśli kiedykolwiek zechcesz usunąć swoje konto, możesz to zrobić w %3\$s/Usuń konto\n\n\t\t\tDziękujemy i Zapraszamy do %2\$s."; $a->strings["%s is now following %s."] = "%sjest teraz następujące %s. "; $a->strings["following"] = "następujący"; $a->strings["%s stopped following %s."] = "%sprzestał śledzić %s. "; @@ -2135,8 +2135,8 @@ $a->strings["ignore thread"] = "zignoruj ​​wątek"; $a->strings["unignore thread"] = "odignoruj ​​wątek"; $a->strings["toggle ignore status"] = "przełącz status ignorowania"; $a->strings["add tag"] = "dodaj tag"; -$a->strings["like"] = "polub"; -$a->strings["dislike"] = "Nie lubię"; +$a->strings["like"] = "lubię to"; +$a->strings["dislike"] = "nie lubię tego"; $a->strings["Share this"] = "Udostępnij to"; $a->strings["share"] = "udostępnij"; $a->strings["to"] = "do"; diff --git a/view/lang/ru/messages.po b/view/lang/ru/messages.po index 8986fad38..f366c13bc 100644 --- a/view/lang/ru/messages.po +++ b/view/lang/ru/messages.po @@ -15,13 +15,14 @@ # Stanislav N. , 2012 # vislav , 2014 # Михаил , 2013 +# Олексій Замковий , 2018 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2017-05-03 07:08+0200\n" -"PO-Revision-Date: 2017-05-26 12:25+0000\n" -"Last-Translator: Stanislav N. \n" +"POT-Creation-Date: 2018-04-06 16:58+0200\n" +"PO-Revision-Date: 2018-04-08 23:23+0000\n" +"Last-Translator: Олексій Замковий \n" "Language-Team: Russian (http://www.transifex.com/Friendica/friendica/language/ru/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -29,1168 +30,495 @@ msgstr "" "Language: ru\n" "Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" -#: include/ForumManager.php:114 include/nav.php:131 include/text.php:1093 -#: view/theme/vier/theme.php:254 -msgid "Forums" -msgstr "Форумы" - -#: include/ForumManager.php:116 view/theme/vier/theme.php:256 -msgid "External link to forum" -msgstr "Внешняя ссылка на форум" - -#: include/ForumManager.php:119 include/contact_widgets.php:269 -#: include/items.php:2450 mod/content.php:624 object/Item.php:420 -#: view/theme/vier/theme.php:259 boot.php:1000 -msgid "show more" -msgstr "показать больше" - -#: include/NotificationsManager.php:153 -msgid "System" -msgstr "Система" - -#: include/NotificationsManager.php:160 include/nav.php:158 mod/admin.php:517 -#: view/theme/frio/theme.php:253 -msgid "Network" -msgstr "Новости" - -#: include/NotificationsManager.php:167 mod/network.php:832 -#: mod/profiles.php:696 -msgid "Personal" -msgstr "Личные" - -#: include/NotificationsManager.php:174 include/nav.php:105 -#: include/nav.php:161 -msgid "Home" -msgstr "Мой профиль" - -#: include/NotificationsManager.php:181 include/nav.php:166 -msgid "Introductions" -msgstr "Запросы" - -#: include/NotificationsManager.php:239 include/NotificationsManager.php:251 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s прокомментировал %s сообщение" - -#: include/NotificationsManager.php:250 -#, php-format -msgid "%s created a new post" -msgstr "%s написал новое сообщение" - -#: include/NotificationsManager.php:265 -#, php-format -msgid "%s liked %s's post" -msgstr "%s нравится %s сообшение" - -#: include/NotificationsManager.php:278 -#, php-format -msgid "%s disliked %s's post" -msgstr "%s не нравится сообщение %s" - -#: include/NotificationsManager.php:291 -#, php-format -msgid "%s is attending %s's event" -msgstr "" - -#: include/NotificationsManager.php:304 -#, php-format -msgid "%s is not attending %s's event" -msgstr "" - -#: include/NotificationsManager.php:317 -#, php-format -msgid "%s may attend %s's event" -msgstr "" - -#: include/NotificationsManager.php:334 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s теперь друзья с %s" - -#: include/NotificationsManager.php:770 -msgid "Friend Suggestion" -msgstr "Предложение в друзья" - -#: include/NotificationsManager.php:803 -msgid "Friend/Connect Request" -msgstr "Запрос в друзья / на подключение" - -#: include/NotificationsManager.php:803 -msgid "New Follower" -msgstr "Новый фолловер" - -#: include/Photo.php:1038 include/Photo.php:1054 include/Photo.php:1062 -#: include/Photo.php:1087 include/message.php:146 mod/wall_upload.php:249 -#: mod/item.php:467 -msgid "Wall Photos" -msgstr "Фото стены" - -#: include/delivery.php:427 -msgid "(no subject)" -msgstr "(без темы)" - -#: include/delivery.php:439 include/enotify.php:43 -msgid "noreply" -msgstr "без ответа" - -#: include/like.php:27 include/conversation.php:153 include/diaspora.php:1576 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s нравится %3$s от %2$s " - -#: include/like.php:31 include/like.php:36 include/conversation.php:156 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s не нравится %3$s от %2$s " - -#: include/like.php:41 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "" - -#: include/like.php:46 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "" - -#: include/like.php:51 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "" - -#: include/like.php:178 include/conversation.php:141 -#: include/conversation.php:293 include/text.php:1872 mod/subthread.php:88 -#: mod/tagger.php:62 -msgid "photo" -msgstr "фото" - -#: include/like.php:178 include/conversation.php:136 -#: include/conversation.php:146 include/conversation.php:288 -#: include/conversation.php:297 include/diaspora.php:1580 mod/subthread.php:88 -#: mod/tagger.php:62 -msgid "status" -msgstr "статус" - -#: include/like.php:180 include/conversation.php:133 -#: include/conversation.php:285 include/text.php:1870 -msgid "event" -msgstr "мероприятие" - -#: include/message.php:15 include/message.php:169 -msgid "[no subject]" -msgstr "[без темы]" - -#: include/nav.php:35 mod/navigation.php:19 -msgid "Nothing new here" -msgstr "Ничего нового здесь" - -#: include/nav.php:39 mod/navigation.php:23 -msgid "Clear notifications" -msgstr "Стереть уведомления" - -#: include/nav.php:40 include/text.php:1083 -msgid "@name, !forum, #tags, content" -msgstr "@имя, !форум, #тег, контент" - -#: include/nav.php:78 view/theme/frio/theme.php:243 boot.php:1867 -msgid "Logout" -msgstr "Выход" - -#: include/nav.php:78 view/theme/frio/theme.php:243 -msgid "End this session" -msgstr "Завершить эту сессию" - -#: include/nav.php:81 include/identity.php:769 mod/contacts.php:645 -#: mod/contacts.php:841 view/theme/frio/theme.php:246 -msgid "Status" -msgstr "Посты" - -#: include/nav.php:81 include/nav.php:161 view/theme/frio/theme.php:246 -msgid "Your posts and conversations" -msgstr "Данные вашей учётной записи" - -#: include/nav.php:82 include/identity.php:622 include/identity.php:744 -#: include/identity.php:777 mod/contacts.php:647 mod/contacts.php:849 -#: mod/newmember.php:32 mod/profperm.php:105 view/theme/frio/theme.php:247 -msgid "Profile" -msgstr "Информация" - -#: include/nav.php:82 view/theme/frio/theme.php:247 -msgid "Your profile page" -msgstr "Информация о вас" - -#: include/nav.php:83 include/identity.php:785 mod/fbrowser.php:31 -#: view/theme/frio/theme.php:248 -msgid "Photos" -msgstr "Фото" - -#: include/nav.php:83 view/theme/frio/theme.php:248 -msgid "Your photos" -msgstr "Ваши фотографии" - -#: include/nav.php:84 include/identity.php:793 include/identity.php:796 -#: view/theme/frio/theme.php:249 -msgid "Videos" -msgstr "Видео" - -#: include/nav.php:84 view/theme/frio/theme.php:249 -msgid "Your videos" -msgstr "Ваши видео" - -#: include/nav.php:85 include/nav.php:149 include/identity.php:805 -#: include/identity.php:816 mod/cal.php:270 mod/events.php:374 -#: view/theme/frio/theme.php:250 view/theme/frio/theme.php:254 -msgid "Events" -msgstr "Мероприятия" - -#: include/nav.php:85 view/theme/frio/theme.php:250 -msgid "Your events" -msgstr "Ваши события" - -#: include/nav.php:86 -msgid "Personal notes" -msgstr "Личные заметки" - -#: include/nav.php:86 -msgid "Your personal notes" -msgstr "Ваши личные заметки" - -#: include/nav.php:95 mod/bookmarklet.php:12 boot.php:1868 -msgid "Login" -msgstr "Вход" - -#: include/nav.php:95 -msgid "Sign in" -msgstr "Вход" - -#: include/nav.php:105 -msgid "Home Page" -msgstr "Главная страница" - -#: include/nav.php:109 mod/register.php:289 boot.php:1844 -msgid "Register" -msgstr "Регистрация" - -#: include/nav.php:109 -msgid "Create an account" -msgstr "Создать аккаунт" - -#: include/nav.php:115 mod/help.php:47 view/theme/vier/theme.php:297 -msgid "Help" -msgstr "Помощь" - -#: include/nav.php:115 -msgid "Help and documentation" -msgstr "Помощь и документация" - -#: include/nav.php:119 -msgid "Apps" -msgstr "Приложения" - -#: include/nav.php:119 -msgid "Addon applications, utilities, games" -msgstr "Дополнительные приложения, утилиты, игры" - -#: include/nav.php:123 include/text.php:1080 mod/search.php:149 -msgid "Search" -msgstr "Поиск" - -#: include/nav.php:123 -msgid "Search site content" -msgstr "Поиск по сайту" - -#: include/nav.php:126 include/text.php:1088 -msgid "Full Text" -msgstr "Контент" - -#: include/nav.php:127 include/text.php:1089 -msgid "Tags" -msgstr "Тэги" - -#: include/nav.php:128 include/nav.php:192 include/identity.php:838 -#: include/identity.php:841 include/text.php:1090 mod/contacts.php:800 -#: mod/contacts.php:861 mod/viewcontacts.php:121 view/theme/frio/theme.php:257 -msgid "Contacts" -msgstr "Контакты" - -#: include/nav.php:143 include/nav.php:145 mod/community.php:32 -msgid "Community" -msgstr "Сообщество" - -#: include/nav.php:143 -msgid "Conversations on this site" -msgstr "Беседы на этом сайте" - -#: include/nav.php:145 -msgid "Conversations on the network" -msgstr "Беседы в сети" - -#: include/nav.php:149 include/identity.php:808 include/identity.php:819 -#: view/theme/frio/theme.php:254 -msgid "Events and Calendar" -msgstr "Календарь и события" - -#: include/nav.php:152 -msgid "Directory" -msgstr "Каталог" - -#: include/nav.php:152 -msgid "People directory" -msgstr "Каталог участников" - -#: include/nav.php:154 -msgid "Information" -msgstr "Информация" - -#: include/nav.php:154 -msgid "Information about this friendica instance" -msgstr "Информация об этом экземпляре Friendica" - -#: include/nav.php:158 view/theme/frio/theme.php:253 -msgid "Conversations from your friends" -msgstr "Сообщения ваших друзей" - -#: include/nav.php:159 -msgid "Network Reset" -msgstr "Перезагрузка сети" - -#: include/nav.php:159 -msgid "Load Network page with no filters" -msgstr "Загрузить страницу сети без фильтров" - -#: include/nav.php:166 -msgid "Friend Requests" -msgstr "Запросы на добавление в список друзей" - -#: include/nav.php:169 mod/notifications.php:96 -msgid "Notifications" -msgstr "Уведомления" - -#: include/nav.php:170 -msgid "See all notifications" -msgstr "Посмотреть все уведомления" - -#: include/nav.php:171 mod/settings.php:906 -msgid "Mark as seen" -msgstr "Отметить, как прочитанное" - -#: include/nav.php:171 -msgid "Mark all system notifications seen" -msgstr "Отметить все системные уведомления, как прочитанные" - -#: include/nav.php:175 mod/message.php:179 view/theme/frio/theme.php:255 -msgid "Messages" -msgstr "Сообщения" - -#: include/nav.php:175 view/theme/frio/theme.php:255 -msgid "Private mail" -msgstr "Личная почта" - -#: include/nav.php:176 -msgid "Inbox" -msgstr "Входящие" - -#: include/nav.php:177 -msgid "Outbox" -msgstr "Исходящие" - -#: include/nav.php:178 mod/message.php:16 -msgid "New Message" -msgstr "Новое сообщение" - -#: include/nav.php:181 -msgid "Manage" -msgstr "Управлять" - -#: include/nav.php:181 -msgid "Manage other pages" -msgstr "Управление другими страницами" - -#: include/nav.php:184 mod/settings.php:81 -msgid "Delegations" -msgstr "Делегирование" - -#: include/nav.php:184 mod/delegate.php:130 -msgid "Delegate Page Management" -msgstr "Делегировать управление страницей" - -#: include/nav.php:186 mod/newmember.php:22 mod/settings.php:111 -#: mod/admin.php:1618 mod/admin.php:1894 view/theme/frio/theme.php:256 -msgid "Settings" -msgstr "Настройки" - -#: include/nav.php:186 view/theme/frio/theme.php:256 -msgid "Account settings" -msgstr "Настройки аккаунта" - -#: include/nav.php:189 include/identity.php:290 -msgid "Profiles" -msgstr "Профили" - -#: include/nav.php:189 -msgid "Manage/Edit Profiles" -msgstr "Управление/редактирование профилей" - -#: include/nav.php:192 view/theme/frio/theme.php:257 -msgid "Manage/edit friends and contacts" -msgstr "Управление / редактирование друзей и контактов" - -#: include/nav.php:197 mod/admin.php:196 -msgid "Admin" -msgstr "Администратор" - -#: include/nav.php:197 -msgid "Site setup and configuration" -msgstr "Конфигурация сайта" - -#: include/nav.php:200 -msgid "Navigation" -msgstr "Навигация" - -#: include/nav.php:200 -msgid "Site map" -msgstr "Карта сайта" - -#: include/plugin.php:530 include/plugin.php:532 -msgid "Click here to upgrade." -msgstr "Нажмите для обновления." - -#: include/plugin.php:538 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Это действие превышает лимиты, установленные вашим тарифным планом." - -#: include/plugin.php:543 -msgid "This action is not available under your subscription plan." -msgstr "Это действие не доступно в соответствии с вашим планом подписки." - -#: include/profile_selectors.php:6 -msgid "Male" -msgstr "Мужчина" - -#: include/profile_selectors.php:6 -msgid "Female" -msgstr "Женщина" - -#: include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "В данный момент мужчина" - -#: include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "В настоящее время женщина" - -#: include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "В основном мужчина" - -#: include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "В основном женщина" - -#: include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Транссексуал" - -#: include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Интерсексуал" - -#: include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Транссексуал" - -#: include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Гермафродит" - -#: include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Средний род" - -#: include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Не определен" - -#: include/profile_selectors.php:6 -msgid "Other" -msgstr "Другой" - -#: include/profile_selectors.php:6 include/conversation.php:1547 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" - -#: include/profile_selectors.php:23 -msgid "Males" -msgstr "Мужчины" - -#: include/profile_selectors.php:23 -msgid "Females" -msgstr "Женщины" - -#: include/profile_selectors.php:23 -msgid "Gay" -msgstr "Гей" - -#: include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Лесбиянка" - -#: include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Без предпочтений" - -#: include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Бисексуал" - -#: include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Автосексуал" - -#: include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Воздержанный" - -#: include/profile_selectors.php:23 -msgid "Virgin" -msgstr "Девственница" - -#: include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Deviant" - -#: include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Фетиш" - -#: include/profile_selectors.php:23 -msgid "Oodles" -msgstr "Групповой" - -#: include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Нет интереса к сексу" - -#: include/profile_selectors.php:42 -msgid "Single" -msgstr "Без пары" - -#: include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Пока никого нет" - -#: include/profile_selectors.php:42 -msgid "Available" -msgstr "Доступный" - -#: include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "Не ищу никого" - -#: include/profile_selectors.php:42 -msgid "Has crush" -msgstr "Имеет ошибку" - -#: include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "Влюблён" - -#: include/profile_selectors.php:42 -msgid "Dating" -msgstr "Свидания" - -#: include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Изменяю супругу" - -#: include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Люблю секс" - -#: include/profile_selectors.php:42 include/user.php:263 include/user.php:267 -msgid "Friends" -msgstr "Друзья" - -#: include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Друзья / Предпочтения" - -#: include/profile_selectors.php:42 -msgid "Casual" -msgstr "Обычный" - -#: include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Занят" - -#: include/profile_selectors.php:42 -msgid "Married" -msgstr "Женат / Замужем" - -#: include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "Воображаемо женат (замужем)" - -#: include/profile_selectors.php:42 -msgid "Partners" -msgstr "Партнеры" - -#: include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "Партнерство" - -#: include/profile_selectors.php:42 -msgid "Common law" -msgstr "" - -#: include/profile_selectors.php:42 -msgid "Happy" -msgstr "Счастлив/а/" - -#: include/profile_selectors.php:42 -msgid "Not looking" -msgstr "Не в поиске" - -#: include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Свинг" - -#: include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Преданный" - -#: include/profile_selectors.php:42 -msgid "Separated" -msgstr "Разделенный" - -#: include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Нестабильный" - -#: include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Разведен(а)" - -#: include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "Воображаемо разведен(а)" - -#: include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Овдовевший" - -#: include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Неопределенный" - -#: include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "влишком сложно" - -#: include/profile_selectors.php:42 -msgid "Don't care" -msgstr "Не беспокоить" - -#: include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Спросите меня" - -#: include/security.php:61 +#: include/security.php:81 msgid "Welcome " msgstr "Добро пожаловать, " -#: include/security.php:62 +#: include/security.php:82 msgid "Please upload a profile photo." msgstr "Пожалуйста, загрузите фотографию профиля." -#: include/security.php:65 +#: include/security.php:84 msgid "Welcome back " msgstr "Добро пожаловать обратно, " -#: include/security.php:429 +#: include/security.php:431 msgid "" "The form security token was not correct. This probably happened because the " "form has been opened for too long (>3 hours) before submitting it." msgstr "Ключ формы безопасности неправильный. Вероятно, это произошло потому, что форма была открыта слишком долго (более 3 часов) до её отправки." -#: include/uimport.php:91 -msgid "Error decoding account file" -msgstr "Ошибка расшифровки файла аккаунта" - -#: include/uimport.php:97 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Ошибка! Неправильная версия данных в файле! Это не файл аккаунта Friendica?" - -#: include/uimport.php:113 include/uimport.php:124 -msgid "Error! Cannot check nickname" -msgstr "Ошибка! Невозможно проверить никнейм" - -#: include/uimport.php:117 include/uimport.php:128 +#: include/dba.php:57 #, php-format -msgid "User '%s' already exists on this server!" -msgstr "Пользователь '%s' уже существует на этом сервере!" +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Не могу найти информацию для DNS-сервера базы данных '%s'" -#: include/uimport.php:150 -msgid "User creation error" -msgstr "Ошибка создания пользователя" - -#: include/uimport.php:170 -msgid "User profile creation error" -msgstr "Ошибка создания профиля пользователя" - -#: include/uimport.php:219 +#: include/api.php:1199 #, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d контакт не импортирован" -msgstr[1] "%d контакты не импортированы" -msgstr[2] "%d контакты не импортированы" -msgstr[3] "%d контакты не импортированы" +msgid "Daily posting limit of %d post reached. The post was rejected." +msgid_plural "Daily posting limit of %d posts reached. The post was rejected." +msgstr[0] "Дневной лимит в %d пост достигнут. Пост отклонен." +msgstr[1] "Дневной лимит в %d поста достигнут. Пост отклонен." +msgstr[2] "Дневной лимит в %d постов достигнут. Пост отклонен." +msgstr[3] "Дневной лимит в %d постов достигнут. Пост отклонен." -#: include/uimport.php:289 -msgid "Done. You can now login with your username and password" -msgstr "Завершено. Теперь вы можете войти с вашим логином и паролем" - -#: include/Contact.php:395 include/Contact.php:408 include/Contact.php:453 -#: include/conversation.php:1004 include/conversation.php:1020 -#: mod/allfriends.php:68 mod/directory.php:157 mod/match.php:73 -#: mod/suggest.php:82 mod/dirfind.php:209 -msgid "View Profile" -msgstr "Просмотреть профиль" - -#: include/Contact.php:409 include/contact_widgets.php:32 -#: include/conversation.php:1017 mod/allfriends.php:69 mod/contacts.php:610 -#: mod/match.php:74 mod/suggest.php:83 mod/dirfind.php:210 mod/follow.php:106 -msgid "Connect/Follow" -msgstr "Подключиться/Следовать" - -#: include/Contact.php:452 include/conversation.php:1003 -msgid "View Status" -msgstr "Просмотреть статус" - -#: include/Contact.php:454 include/conversation.php:1005 -msgid "View Photos" -msgstr "Просмотреть фото" - -#: include/Contact.php:455 include/conversation.php:1006 -msgid "Network Posts" -msgstr "Посты сети" - -#: include/Contact.php:456 include/conversation.php:1007 -msgid "View Contact" -msgstr "Просмотреть контакт" - -#: include/Contact.php:457 -msgid "Drop Contact" -msgstr "Удалить контакт" - -#: include/Contact.php:458 include/conversation.php:1008 -msgid "Send PM" -msgstr "Отправить ЛС" - -#: include/Contact.php:459 include/conversation.php:1012 -msgid "Poke" -msgstr "потыкать" - -#: include/Contact.php:840 -msgid "Organisation" -msgstr "Организация" - -#: include/Contact.php:843 -msgid "News" -msgstr "Новости" - -#: include/Contact.php:846 -msgid "Forum" -msgstr "Форум" - -#: include/acl_selectors.php:353 -msgid "Post to Email" -msgstr "Отправить на Email" - -#: include/acl_selectors.php:358 +#: include/api.php:1223 #, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Коннекторы отключены так как \"%s\" включен." +msgid "Weekly posting limit of %d post reached. The post was rejected." +msgid_plural "" +"Weekly posting limit of %d posts reached. The post was rejected." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: include/acl_selectors.php:359 mod/settings.php:1188 -msgid "Hide your profile details from unknown viewers?" -msgstr "Скрыть данные профиля из неизвестных зрителей?" - -#: include/acl_selectors.php:365 -msgid "Visible to everybody" -msgstr "Видимо всем" - -#: include/acl_selectors.php:366 view/theme/vier/config.php:108 -msgid "show" -msgstr "показывать" - -#: include/acl_selectors.php:367 view/theme/vier/config.php:108 -msgid "don't show" -msgstr "не показывать" - -#: include/acl_selectors.php:373 mod/editpost.php:123 -msgid "CC: email addresses" -msgstr "Копии на email адреса" - -#: include/acl_selectors.php:374 mod/editpost.php:130 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Пример: bob@example.com, mary@example.com" - -#: include/acl_selectors.php:376 mod/events.php:508 mod/photos.php:1196 -#: mod/photos.php:1593 -msgid "Permissions" -msgstr "Разрешения" - -#: include/acl_selectors.php:377 -msgid "Close" -msgstr "Закрыть" - -#: include/api.php:1089 +#: include/api.php:1247 #, php-format -msgid "Daily posting limit of %d posts reached. The post was rejected." -msgstr "Дневной лимит в %d постов достигнут. Пост отклонен." - -#: include/api.php:1110 -#, php-format -msgid "Weekly posting limit of %d posts reached. The post was rejected." -msgstr "Недельный лимит в %d постов достигнут. Пост отклонен." - -#: include/api.php:1131 -#, php-format -msgid "Monthly posting limit of %d posts reached. The post was rejected." -msgstr "Месячный лимит в %d постов достигнут. Пост отклонен." - -#: include/auth.php:51 -msgid "Logged out." -msgstr "Выход из системы." - -#: include/auth.php:122 include/auth.php:184 mod/openid.php:110 -msgid "Login failed." -msgstr "Войти не удалось." - -#: include/auth.php:138 include/user.php:75 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Мы столкнулись с проблемой при входе с OpenID, который вы указали. Пожалуйста, проверьте правильность написания ID." - -#: include/auth.php:138 include/user.php:75 -msgid "The error message was:" -msgstr "Сообщение об ошибке было:" - -#: include/bb2diaspora.php:230 include/event.php:17 mod/localtime.php:12 -msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" - -#: include/bb2diaspora.php:236 include/event.php:34 include/event.php:54 -#: include/event.php:525 -msgid "Starts:" -msgstr "Начало:" - -#: include/bb2diaspora.php:244 include/event.php:37 include/event.php:60 -#: include/event.php:526 -msgid "Finishes:" -msgstr "Окончание:" - -#: include/bb2diaspora.php:253 include/event.php:41 include/event.php:67 -#: include/event.php:527 include/identity.php:336 mod/contacts.php:636 -#: mod/directory.php:139 mod/events.php:493 mod/notifications.php:244 -msgid "Location:" -msgstr "Откуда:" - -#: include/bbcode.php:380 include/bbcode.php:1132 include/bbcode.php:1133 -msgid "Image/photo" -msgstr "Изображение / Фото" - -#: include/bbcode.php:497 -#, php-format -msgid "%2$s %3$s" -msgstr "%2$s %3$s" - -#: include/bbcode.php:1089 include/bbcode.php:1111 -msgid "$1 wrote:" -msgstr "$1 написал:" - -#: include/bbcode.php:1141 include/bbcode.php:1142 -msgid "Encrypted content" -msgstr "Зашифрованный контент" - -#: include/bbcode.php:1257 -msgid "Invalid source protocol" -msgstr "Неправильный протокол источника" - -#: include/bbcode.php:1267 -msgid "Invalid link protocol" -msgstr "Неправильная протокольная ссылка" - -#: include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Неизвестно | Не определено" - -#: include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Блокировать немедленно" - -#: include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Тролль, спаммер, рассылает рекламу" - -#: include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Известные мне, но нет определенного мнения" - -#: include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "Хорошо, наверное, безвредные" - -#: include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Уважаемые, есть мое доверие" - -#: include/contact_selectors.php:56 mod/admin.php:980 -msgid "Frequently" -msgstr "Часто" - -#: include/contact_selectors.php:57 mod/admin.php:981 -msgid "Hourly" -msgstr "Раз в час" - -#: include/contact_selectors.php:58 mod/admin.php:982 -msgid "Twice daily" -msgstr "Два раза в день" - -#: include/contact_selectors.php:59 mod/admin.php:983 -msgid "Daily" -msgstr "Ежедневно" - -#: include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Еженедельно" - -#: include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Ежемесячно" - -#: include/contact_selectors.php:76 mod/dfrn_request.php:886 -msgid "Friendica" -msgstr "Friendica" - -#: include/contact_selectors.php:77 -msgid "OStatus" -msgstr "OStatus" - -#: include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: include/contact_selectors.php:79 include/contact_selectors.php:86 -#: mod/admin.php:1490 mod/admin.php:1503 mod/admin.php:1516 mod/admin.php:1534 -msgid "Email" -msgstr "Эл. почта" - -#: include/contact_selectors.php:80 mod/dfrn_request.php:888 -#: mod/settings.php:848 -msgid "Diaspora" -msgstr "Diaspora" - -#: include/contact_selectors.php:81 -msgid "Facebook" -msgstr "Facebook" - -#: include/contact_selectors.php:82 -msgid "Zot!" -msgstr "Zot!" - -#: include/contact_selectors.php:83 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: include/contact_selectors.php:84 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: include/contact_selectors.php:85 -msgid "MySpace" -msgstr "MySpace" - -#: include/contact_selectors.php:87 -msgid "Google+" -msgstr "Google+" - -#: include/contact_selectors.php:88 -msgid "pump.io" -msgstr "pump.io" - -#: include/contact_selectors.php:89 -msgid "Twitter" -msgstr "Twitter" - -#: include/contact_selectors.php:90 -msgid "Diaspora Connector" -msgstr "Коннектор Diaspora" - -#: include/contact_selectors.php:91 -msgid "GNU Social Connector" +msgid "Monthly posting limit of %d post reached. The post was rejected." msgstr "" -#: include/contact_selectors.php:92 -msgid "pnut" -msgstr "pnut" +#: include/api.php:4400 mod/photos.php:88 mod/photos.php:194 +#: mod/photos.php:722 mod/photos.php:1149 mod/photos.php:1166 +#: mod/photos.php:1684 mod/profile_photo.php:85 mod/profile_photo.php:93 +#: mod/profile_photo.php:101 mod/profile_photo.php:211 +#: mod/profile_photo.php:302 mod/profile_photo.php:312 src/Model/User.php:539 +#: src/Model/User.php:547 src/Model/User.php:555 +msgid "Profile Photos" +msgstr "Фотографии профиля" -#: include/contact_selectors.php:93 -msgid "App.net" -msgstr "App.net" +#: include/enotify.php:31 +msgid "Friendica Notification" +msgstr "Уведомления Friendica" -#: include/contact_widgets.php:6 -msgid "Add New Contact" -msgstr "Добавить контакт" +#: include/enotify.php:34 +msgid "Thank You," +msgstr "Спасибо," -#: include/contact_widgets.php:7 -msgid "Enter address or web location" -msgstr "Введите адрес или веб-местонахождение" - -#: include/contact_widgets.php:8 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Пример: bob@example.com, http://example.com/barbara" - -#: include/contact_widgets.php:10 include/identity.php:224 -#: mod/allfriends.php:85 mod/match.php:89 mod/suggest.php:101 -#: mod/dirfind.php:207 -msgid "Connect" -msgstr "Подключить" - -#: include/contact_widgets.php:24 +#: include/enotify.php:37 #, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d приглашение доступно" -msgstr[1] "%d приглашений доступно" -msgstr[2] "%d приглашений доступно" -msgstr[3] "%d приглашений доступно" +msgid "%s Administrator" +msgstr "%s администратор" -#: include/contact_widgets.php:30 -msgid "Find People" -msgstr "Поиск людей" - -#: include/contact_widgets.php:31 -msgid "Enter name or interest" -msgstr "Введите имя или интерес" - -#: include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Примеры: Роберт Morgenstein, Рыбалка" - -#: include/contact_widgets.php:34 mod/contacts.php:806 mod/directory.php:206 -msgid "Find" -msgstr "Найти" - -#: include/contact_widgets.php:35 mod/suggest.php:114 -#: view/theme/vier/theme.php:201 -msgid "Friend Suggestions" -msgstr "Предложения друзей" - -#: include/contact_widgets.php:36 view/theme/vier/theme.php:200 -msgid "Similar Interests" -msgstr "Похожие интересы" - -#: include/contact_widgets.php:37 -msgid "Random Profile" -msgstr "Случайный профиль" - -#: include/contact_widgets.php:38 view/theme/vier/theme.php:202 -msgid "Invite Friends" -msgstr "Пригласить друзей" - -#: include/contact_widgets.php:125 -msgid "Networks" -msgstr "Сети" - -#: include/contact_widgets.php:128 -msgid "All Networks" -msgstr "Все сети" - -#: include/contact_widgets.php:160 include/features.php:104 -msgid "Saved Folders" -msgstr "Сохранённые папки" - -#: include/contact_widgets.php:163 include/contact_widgets.php:198 -msgid "Everything" -msgstr "Всё" - -#: include/contact_widgets.php:195 -msgid "Categories" -msgstr "Категории" - -#: include/contact_widgets.php:264 +#: include/enotify.php:39 #, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d Контакт" -msgstr[1] "%d Контактов" -msgstr[2] "%d Контактов" -msgstr[3] "%d Контактов" +msgid "%1$s, %2$s Administrator" +msgstr "%1$s, администратор %2$s" -#: include/conversation.php:159 +#: include/enotify.php:50 src/Worker/Delivery.php:404 +msgid "noreply" +msgstr "без ответа" + +#: include/enotify.php:98 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "[Friendica: Оповещение] Новое сообщение, пришедшее на %s" + +#: include/enotify.php:100 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "%1$s отправил вам новое личное сообщение на %2$s." + +#: include/enotify.php:101 +msgid "a private message" +msgstr "личное сообщение" + +#: include/enotify.php:101 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s послал вам %2$s." + +#: include/enotify.php:103 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "Пожалуйста, посетите %s для просмотра и/или ответа на личные сообщения." + +#: include/enotify.php:141 +#, php-format +msgid "%1$s commented on [url=%2$s]a %3$s[/url]" +msgstr "%1$s прокомментировал [url=%2$s]a %3$s[/url]" + +#: include/enotify.php:149 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "%1$s прокомментировал [url=%2$s]%3$s's %4$s[/url]" + +#: include/enotify.php:159 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "%1$s прокомментировал [url=%2$s]your %3$s[/url]" + +#: include/enotify.php:171 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "[Friendica:Notify] Комментарий к #%1$d от %2$s" + +#: include/enotify.php:173 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s оставил комментарий к элементу/беседе, за которой вы следите." + +#: include/enotify.php:176 include/enotify.php:191 include/enotify.php:206 +#: include/enotify.php:221 include/enotify.php:240 include/enotify.php:255 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "Пожалуйста посетите %s для просмотра и/или ответа в беседу." + +#: include/enotify.php:183 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "[Friendica:Оповещение] %s написал на стене вашего профиля" + +#: include/enotify.php:185 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s написал на вашей стене на %2$s" + +#: include/enotify.php:186 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "%1$s написал на [url=%2$s]вашей стене[/url]" + +#: include/enotify.php:198 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "[Friendica:Notify] %s отметил вас" + +#: include/enotify.php:200 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s отметил вас в %2$s" + +#: include/enotify.php:201 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "%1$s [url=%2$s]отметил вас[/url]." + +#: include/enotify.php:213 +#, php-format +msgid "[Friendica:Notify] %s shared a new post" +msgstr "[Friendica:Notify] %s поделился новым постом" + +#: include/enotify.php:215 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "%1$s поделился новым постом на %2$s" + +#: include/enotify.php:216 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "%1$s [url=%2$s]поделился постом[/url]." + +#: include/enotify.php:228 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "[Friendica:Notify] %1$s потыкал вас" + +#: include/enotify.php:230 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "%1$s потыкал вас на %2$s" + +#: include/enotify.php:231 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "%1$s [url=%2$s]потыкал вас[/url]." + +#: include/enotify.php:247 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "[Friendica:Notify] %s поставил тег вашему посту" + +#: include/enotify.php:249 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "%1$s поставил тег вашему посту на %2$s" + +#: include/enotify.php:250 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "%1$s поставил тег [url=%2$s]вашему посту[/url]" + +#: include/enotify.php:262 +msgid "[Friendica:Notify] Introduction received" +msgstr "[Friendica:Сообщение] получен запрос" + +#: include/enotify.php:264 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "Вы получили запрос от '%1$s' на %2$s" + +#: include/enotify.php:265 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "Вы получили [url=%1$s]запрос[/url] от %2$s." + +#: include/enotify.php:270 include/enotify.php:316 +#, php-format +msgid "You may visit their profile at %s" +msgstr "Вы можете посмотреть его профиль здесь %s" + +#: include/enotify.php:272 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "Посетите %s для подтверждения или отказа запроса." + +#: include/enotify.php:280 +msgid "[Friendica:Notify] A new person is sharing with you" +msgstr "[Friendica:Notify] Новый человек делится с вами" + +#: include/enotify.php:282 include/enotify.php:283 +#, php-format +msgid "%1$s is sharing with you at %2$s" +msgstr "%1$s делится с вами на %2$s" + +#: include/enotify.php:290 +msgid "[Friendica:Notify] You have a new follower" +msgstr "[Friendica:Notify] У вас новый подписчик" + +#: include/enotify.php:292 include/enotify.php:293 +#, php-format +msgid "You have a new follower at %2$s : %1$s" +msgstr "У вас новый подписчик на %2$s : %1$s" + +#: include/enotify.php:305 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "[Friendica: Оповещение] получено предложение дружбы" + +#: include/enotify.php:307 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "Вы получили предложение дружбы от '%1$s' на %2$s" + +#: include/enotify.php:308 +#, php-format +msgid "" +"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." +msgstr "У вас [url=%1$s]новое предложение дружбы[/url] для %2$s от %3$s." + +#: include/enotify.php:314 +msgid "Name:" +msgstr "Имя:" + +#: include/enotify.php:315 +msgid "Photo:" +msgstr "Фото:" + +#: include/enotify.php:318 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "Пожалуйста, посетите %s для подтверждения, или отказа запроса." + +#: include/enotify.php:326 include/enotify.php:341 +msgid "[Friendica:Notify] Connection accepted" +msgstr "[Friendica:Notify] Соединение принято" + +#: include/enotify.php:328 include/enotify.php:343 +#, php-format +msgid "'%1$s' has accepted your connection request at %2$s" +msgstr "'%1$s' принял соединение с вами на %2$s" + +#: include/enotify.php:329 include/enotify.php:344 +#, php-format +msgid "%2$s has accepted your [url=%1$s]connection request[/url]." +msgstr "%2$s принял ваше [url=%1$s]предложение о соединении[/url]." + +#: include/enotify.php:334 +msgid "" +"You are now mutual friends and may exchange status updates, photos, and " +"email without restriction." +msgstr "Вы теперь взаимные друзья и можете обмениваться статусами, фотографиями и письмами без ограничений." + +#: include/enotify.php:336 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "Посетите %s если вы хотите сделать изменения в этом отношении." + +#: include/enotify.php:349 +#, php-format +msgid "" +"'%1$s' has chosen to accept you a fan, which restricts some forms of " +"communication - such as private messaging and some profile interactions. If " +"this is a celebrity or community page, these settings were applied " +"automatically." +msgstr "" + +#: include/enotify.php:351 +#, php-format +msgid "" +"'%1$s' may choose to extend this into a two-way or more permissive " +"relationship in the future." +msgstr "" + +#: include/enotify.php:353 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "Посетите %s если вы хотите сделать изменения в этом отношении." + +#: include/enotify.php:363 +msgid "[Friendica System:Notify] registration request" +msgstr "[Friendica System:Notify] Запрос на регистрацию" + +#: include/enotify.php:365 +#, php-format +msgid "You've received a registration request from '%1$s' at %2$s" +msgstr "Вы получили запрос на регистрацию от '%1$s' на %2$s" + +#: include/enotify.php:366 +#, php-format +msgid "You've received a [url=%1$s]registration request[/url] from %2$s." +msgstr "Вы получили [url=%1$s]запрос регистрации[/url] от %2$s." + +#: include/enotify.php:371 +#, php-format +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "" + +#: include/enotify.php:377 +#, php-format +msgid "Please visit %s to approve or reject the request." +msgstr "Пожалуйста, посетите %s чтобы подтвердить или отвергнуть запрос." + +#: include/items.php:342 mod/notice.php:22 mod/viewsrc.php:21 +#: mod/display.php:72 mod/display.php:252 mod/display.php:354 +#: mod/admin.php:276 mod/admin.php:1854 mod/admin.php:2102 +msgid "Item not found." +msgstr "Пункт не найден." + +#: include/items.php:382 +msgid "Do you really want to delete this item?" +msgstr "Вы действительно хотите удалить этот элемент?" + +#: include/items.php:384 mod/api.php:110 mod/suggest.php:38 +#: mod/dfrn_request.php:653 mod/message.php:138 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:639 mod/profiles.php:661 +#: mod/contacts.php:472 mod/register.php:237 mod/settings.php:1105 +#: mod/settings.php:1111 mod/settings.php:1118 mod/settings.php:1122 +#: mod/settings.php:1126 mod/settings.php:1130 mod/settings.php:1134 +#: mod/settings.php:1138 mod/settings.php:1158 mod/settings.php:1159 +#: mod/settings.php:1160 mod/settings.php:1161 mod/settings.php:1162 +msgid "Yes" +msgstr "Да" + +#: include/items.php:387 include/conversation.php:1378 mod/fbrowser.php:103 +#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 +#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 +#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 +#: mod/unfollow.php:117 mod/follow.php:161 mod/contacts.php:475 +#: mod/settings.php:676 mod/settings.php:702 +msgid "Cancel" +msgstr "Отмена" + +#: include/items.php:401 mod/allfriends.php:21 mod/api.php:35 mod/api.php:40 +#: mod/attach.php:38 mod/common.php:26 mod/crepair.php:98 mod/nogroup.php:28 +#: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/uimport.php:28 +#: mod/notifications.php:73 mod/dfrn_confirm.php:68 mod/invite.php:20 +#: mod/invite.php:106 mod/wall_attach.php:74 mod/wall_attach.php:77 +#: mod/manage.php:131 mod/regmod.php:108 mod/viewcontacts.php:57 +#: mod/wallmessage.php:16 mod/wallmessage.php:40 mod/wallmessage.php:79 +#: mod/wallmessage.php:103 mod/poke.php:150 mod/wall_upload.php:103 +#: mod/wall_upload.php:106 mod/editpost.php:18 mod/fsuggest.php:80 +#: mod/group.php:26 mod/item.php:160 mod/message.php:59 mod/message.php:104 +#: mod/network.php:32 mod/notes.php:30 mod/photos.php:174 mod/photos.php:1051 +#: mod/delegate.php:25 mod/delegate.php:43 mod/delegate.php:54 +#: mod/dirfind.php:25 mod/ostatus_subscribe.php:16 mod/unfollow.php:15 +#: mod/unfollow.php:57 mod/unfollow.php:90 mod/cal.php:304 mod/events.php:194 +#: mod/profile_photo.php:30 mod/profile_photo.php:176 +#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/follow.php:17 +#: mod/follow.php:54 mod/follow.php:118 mod/profiles.php:182 +#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 +#: mod/settings.php:42 mod/settings.php:141 mod/settings.php:665 index.php:416 +msgid "Permission denied." +msgstr "Нет разрешения." + +#: include/items.php:471 +msgid "Archives" +msgstr "Архивы" + +#: include/items.php:477 src/Content/ForumManager.php:130 +#: src/Content/Widget.php:312 src/Object/Post.php:430 src/App.php:512 +#: view/theme/vier/theme.php:259 +msgid "show more" +msgstr "показать больше" + +#: include/conversation.php:144 include/conversation.php:282 +#: include/text.php:1774 src/Model/Item.php:1795 +msgid "event" +msgstr "мероприятие" + +#: include/conversation.php:147 include/conversation.php:157 +#: include/conversation.php:285 include/conversation.php:294 +#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 +#: src/Protocol/Diaspora.php:2010 +msgid "status" +msgstr "статус" + +#: include/conversation.php:152 include/conversation.php:290 +#: include/text.php:1776 mod/subthread.php:97 mod/tagger.php:72 +#: src/Model/Item.php:1793 +msgid "photo" +msgstr "фото" + +#: include/conversation.php:164 src/Model/Item.php:1666 +#: src/Protocol/Diaspora.php:2006 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s нравится %3$s от %2$s " + +#: include/conversation.php:167 src/Model/Item.php:1671 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s не нравится %3$s от %2$s " + +#: include/conversation.php:170 #, php-format msgid "%1$s attends %2$s's %3$s" msgstr "%1$s уделил внимание %2$s's %3$s" -#: include/conversation.php:162 +#: include/conversation.php:173 #, php-format msgid "%1$s doesn't attend %2$s's %3$s" msgstr "" -#: include/conversation.php:165 +#: include/conversation.php:176 #, php-format msgid "%1$s attends maybe %2$s's %3$s" msgstr "" -#: include/conversation.php:198 mod/dfrn_confirm.php:478 +#: include/conversation.php:209 mod/dfrn_confirm.php:431 +#: src/Protocol/Diaspora.php:2481 #, php-format msgid "%1$s is now friends with %2$s" msgstr "%1$s и %2$s теперь друзья" -#: include/conversation.php:239 +#: include/conversation.php:250 #, php-format msgid "%1$s poked %2$s" msgstr "" -#: include/conversation.php:260 mod/mood.php:63 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "" - -#: include/conversation.php:307 mod/tagger.php:95 +#: include/conversation.php:304 mod/tagger.php:110 #, php-format msgid "%1$s tagged %2$s's %3$s with %4$s" msgstr "%1$s tagged %2$s's %3$s в %4$s" -#: include/conversation.php:334 +#: include/conversation.php:331 msgid "post/item" msgstr "пост/элемент" -#: include/conversation.php:335 +#: include/conversation.php:332 #, php-format msgid "%1$s marked %2$s's %3$s as favorite" msgstr "%1$s пометил %2$s %3$s как Фаворит" -#: include/conversation.php:614 mod/content.php:372 mod/photos.php:1662 -#: mod/profiles.php:340 +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 msgid "Likes" msgstr "Лайки" -#: include/conversation.php:614 mod/content.php:372 mod/photos.php:1662 -#: mod/profiles.php:344 +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 msgid "Dislikes" msgstr "Не нравится" -#: include/conversation.php:615 include/conversation.php:1541 -#: mod/content.php:373 mod/photos.php:1663 +#: include/conversation.php:606 include/conversation.php:1687 +#: mod/photos.php:1502 msgid "Attending" msgid_plural "Attending" msgstr[0] "" @@ -1198,309 +526,339 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: include/conversation.php:615 mod/content.php:373 mod/photos.php:1663 +#: include/conversation.php:606 mod/photos.php:1502 msgid "Not attending" msgstr "" -#: include/conversation.php:615 mod/content.php:373 mod/photos.php:1663 +#: include/conversation.php:606 mod/photos.php:1502 msgid "Might attend" msgstr "" -#: include/conversation.php:747 mod/content.php:453 mod/content.php:759 -#: mod/photos.php:1728 object/Item.php:137 +#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 msgid "Select" msgstr "Выберите" -#: include/conversation.php:748 mod/contacts.php:816 mod/contacts.php:1015 -#: mod/content.php:454 mod/content.php:760 mod/photos.php:1729 -#: mod/settings.php:744 mod/admin.php:1508 object/Item.php:138 +#: include/conversation.php:745 mod/photos.php:1570 mod/contacts.php:830 +#: mod/contacts.php:1035 mod/admin.php:1798 mod/settings.php:738 +#: src/Object/Post.php:179 msgid "Delete" msgstr "Удалить" -#: include/conversation.php:791 mod/content.php:487 mod/content.php:915 -#: mod/content.php:916 object/Item.php:356 object/Item.php:357 +#: include/conversation.php:783 src/Object/Post.php:363 +#: src/Object/Post.php:364 #, php-format msgid "View %s's profile @ %s" msgstr "Просмотреть профиль %s [@ %s]" -#: include/conversation.php:803 object/Item.php:344 +#: include/conversation.php:795 src/Object/Post.php:351 msgid "Categories:" msgstr "Категории:" -#: include/conversation.php:804 object/Item.php:345 +#: include/conversation.php:796 src/Object/Post.php:352 msgid "Filed under:" msgstr "В рубрике:" -#: include/conversation.php:811 mod/content.php:497 mod/content.php:928 -#: object/Item.php:370 +#: include/conversation.php:803 src/Object/Post.php:377 #, php-format msgid "%s from %s" msgstr "%s с %s" -#: include/conversation.php:827 mod/content.php:513 +#: include/conversation.php:818 msgid "View in context" msgstr "Смотреть в контексте" -#: include/conversation.php:829 include/conversation.php:1298 -#: mod/content.php:515 mod/content.php:953 mod/editpost.php:114 -#: mod/wallmessage.php:140 mod/message.php:337 mod/message.php:522 -#: mod/photos.php:1627 object/Item.php:395 +#: include/conversation.php:820 include/conversation.php:1360 +#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 +#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:402 msgid "Please wait" msgstr "Пожалуйста, подождите" -#: include/conversation.php:906 +#: include/conversation.php:891 msgid "remove" msgstr "удалить" -#: include/conversation.php:910 +#: include/conversation.php:895 msgid "Delete Selected Items" msgstr "Удалить выбранные позиции" -#: include/conversation.php:1002 +#: include/conversation.php:1065 view/theme/frio/theme.php:352 msgid "Follow Thread" msgstr "Подписаться на тему" -#: include/conversation.php:1139 +#: include/conversation.php:1066 src/Model/Contact.php:640 +msgid "View Status" +msgstr "Просмотреть статус" + +#: include/conversation.php:1067 include/conversation.php:1083 +#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 +#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 +#: src/Model/Contact.php:593 src/Model/Contact.php:641 +msgid "View Profile" +msgstr "Просмотреть профиль" + +#: include/conversation.php:1068 src/Model/Contact.php:642 +msgid "View Photos" +msgstr "Просмотреть фото" + +#: include/conversation.php:1069 src/Model/Contact.php:643 +msgid "Network Posts" +msgstr "Посты сети" + +#: include/conversation.php:1070 src/Model/Contact.php:644 +msgid "View Contact" +msgstr "Просмотреть контакт" + +#: include/conversation.php:1071 src/Model/Contact.php:646 +msgid "Send PM" +msgstr "Отправить ЛС" + +#: include/conversation.php:1075 src/Model/Contact.php:647 +msgid "Poke" +msgstr "потыкать" + +#: include/conversation.php:1080 mod/allfriends.php:74 mod/suggest.php:83 +#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 +#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 +msgid "Connect/Follow" +msgstr "Подключиться/Следовать" + +#: include/conversation.php:1199 #, php-format msgid "%s likes this." msgstr "%s нравится это." -#: include/conversation.php:1142 +#: include/conversation.php:1202 #, php-format msgid "%s doesn't like this." msgstr "%s не нравится это." -#: include/conversation.php:1145 +#: include/conversation.php:1205 #, php-format msgid "%s attends." msgstr "" -#: include/conversation.php:1148 +#: include/conversation.php:1208 #, php-format msgid "%s doesn't attend." msgstr "" -#: include/conversation.php:1151 +#: include/conversation.php:1211 #, php-format msgid "%s attends maybe." msgstr "" -#: include/conversation.php:1162 +#: include/conversation.php:1222 msgid "and" msgstr "и" -#: include/conversation.php:1168 +#: include/conversation.php:1228 #, php-format -msgid ", and %d other people" -msgstr ", и %d других чел." +msgid "and %d other people" +msgstr "" -#: include/conversation.php:1177 +#: include/conversation.php:1237 #, php-format msgid "%2$d people like this" msgstr "%2$d людям нравится это" -#: include/conversation.php:1178 +#: include/conversation.php:1238 #, php-format msgid "%s like this." msgstr "%s нравится это." -#: include/conversation.php:1181 +#: include/conversation.php:1241 #, php-format msgid "%2$d people don't like this" msgstr "%2$d людям не нравится это" -#: include/conversation.php:1182 +#: include/conversation.php:1242 #, php-format msgid "%s don't like this." msgstr "%s не нравится это" -#: include/conversation.php:1185 +#: include/conversation.php:1245 #, php-format msgid "%2$d people attend" msgstr "" -#: include/conversation.php:1186 +#: include/conversation.php:1246 #, php-format msgid "%s attend." msgstr "" -#: include/conversation.php:1189 +#: include/conversation.php:1249 #, php-format msgid "%2$d people don't attend" msgstr "" -#: include/conversation.php:1190 +#: include/conversation.php:1250 #, php-format msgid "%s don't attend." msgstr "" -#: include/conversation.php:1193 +#: include/conversation.php:1253 #, php-format msgid "%2$d people attend maybe" msgstr "" -#: include/conversation.php:1194 +#: include/conversation.php:1254 #, php-format -msgid "%s anttend maybe." +msgid "%s attend maybe." msgstr "" -#: include/conversation.php:1223 include/conversation.php:1239 +#: include/conversation.php:1284 include/conversation.php:1300 msgid "Visible to everybody" msgstr "Видимое всем" -#: include/conversation.php:1224 include/conversation.php:1240 -#: mod/wallmessage.php:114 mod/wallmessage.php:121 mod/message.php:271 -#: mod/message.php:278 mod/message.php:418 mod/message.php:425 +#: include/conversation.php:1285 include/conversation.php:1301 +#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 +#: mod/message.php:207 mod/message.php:343 mod/message.php:350 msgid "Please enter a link URL:" msgstr "Пожалуйста, введите URL ссылки:" -#: include/conversation.php:1225 include/conversation.php:1241 +#: include/conversation.php:1286 include/conversation.php:1302 msgid "Please enter a video link/URL:" msgstr "Введите ссылку на видео link/URL:" -#: include/conversation.php:1226 include/conversation.php:1242 +#: include/conversation.php:1287 include/conversation.php:1303 msgid "Please enter an audio link/URL:" msgstr "Введите ссылку на аудио link/URL:" -#: include/conversation.php:1227 include/conversation.php:1243 +#: include/conversation.php:1288 include/conversation.php:1304 msgid "Tag term:" msgstr "Тег:" -#: include/conversation.php:1228 include/conversation.php:1244 -#: mod/filer.php:30 +#: include/conversation.php:1289 include/conversation.php:1305 +#: mod/filer.php:34 msgid "Save to Folder:" msgstr "Сохранить в папку:" -#: include/conversation.php:1229 include/conversation.php:1245 +#: include/conversation.php:1290 include/conversation.php:1306 msgid "Where are you right now?" msgstr "И где вы сейчас?" -#: include/conversation.php:1230 +#: include/conversation.php:1291 msgid "Delete item(s)?" msgstr "Удалить елемент(ты)?" -#: include/conversation.php:1279 +#: include/conversation.php:1338 +msgid "New Post" +msgstr "" + +#: include/conversation.php:1341 msgid "Share" msgstr "Поделиться" -#: include/conversation.php:1280 mod/editpost.php:100 mod/wallmessage.php:138 -#: mod/message.php:335 mod/message.php:519 +#: include/conversation.php:1342 mod/wallmessage.php:143 mod/editpost.php:111 +#: mod/message.php:262 mod/message.php:430 msgid "Upload photo" msgstr "Загрузить фото" -#: include/conversation.php:1281 mod/editpost.php:101 +#: include/conversation.php:1343 mod/editpost.php:112 msgid "upload photo" msgstr "загрузить фото" -#: include/conversation.php:1282 mod/editpost.php:102 +#: include/conversation.php:1344 mod/editpost.php:113 msgid "Attach file" msgstr "Прикрепить файл" -#: include/conversation.php:1283 mod/editpost.php:103 +#: include/conversation.php:1345 mod/editpost.php:114 msgid "attach file" msgstr "приложить файл" -#: include/conversation.php:1284 mod/editpost.php:104 mod/wallmessage.php:139 -#: mod/message.php:336 mod/message.php:520 +#: include/conversation.php:1346 mod/wallmessage.php:144 mod/editpost.php:115 +#: mod/message.php:263 mod/message.php:431 msgid "Insert web link" msgstr "Вставить веб-ссылку" -#: include/conversation.php:1285 mod/editpost.php:105 +#: include/conversation.php:1347 mod/editpost.php:116 msgid "web link" msgstr "веб-ссылка" -#: include/conversation.php:1286 mod/editpost.php:106 +#: include/conversation.php:1348 mod/editpost.php:117 msgid "Insert video link" msgstr "Вставить ссылку видео" -#: include/conversation.php:1287 mod/editpost.php:107 +#: include/conversation.php:1349 mod/editpost.php:118 msgid "video link" msgstr "видео-ссылка" -#: include/conversation.php:1288 mod/editpost.php:108 +#: include/conversation.php:1350 mod/editpost.php:119 msgid "Insert audio link" msgstr "Вставить ссылку аудио" -#: include/conversation.php:1289 mod/editpost.php:109 +#: include/conversation.php:1351 mod/editpost.php:120 msgid "audio link" msgstr "аудио-ссылка" -#: include/conversation.php:1290 mod/editpost.php:110 +#: include/conversation.php:1352 mod/editpost.php:121 msgid "Set your location" msgstr "Задать ваше местоположение" -#: include/conversation.php:1291 mod/editpost.php:111 +#: include/conversation.php:1353 mod/editpost.php:122 msgid "set location" msgstr "установить местонахождение" -#: include/conversation.php:1292 mod/editpost.php:112 +#: include/conversation.php:1354 mod/editpost.php:123 msgid "Clear browser location" msgstr "Очистить местонахождение браузера" -#: include/conversation.php:1293 mod/editpost.php:113 +#: include/conversation.php:1355 mod/editpost.php:124 msgid "clear location" msgstr "убрать местонахождение" -#: include/conversation.php:1295 mod/editpost.php:127 +#: include/conversation.php:1357 mod/editpost.php:138 msgid "Set title" msgstr "Установить заголовок" -#: include/conversation.php:1297 mod/editpost.php:129 +#: include/conversation.php:1359 mod/editpost.php:140 msgid "Categories (comma-separated list)" msgstr "Категории (список через запятую)" -#: include/conversation.php:1299 mod/editpost.php:115 +#: include/conversation.php:1361 mod/editpost.php:126 msgid "Permission settings" msgstr "Настройки разрешений" -#: include/conversation.php:1300 mod/editpost.php:144 +#: include/conversation.php:1362 mod/editpost.php:155 msgid "permissions" msgstr "разрешения" -#: include/conversation.php:1308 mod/editpost.php:124 +#: include/conversation.php:1370 mod/editpost.php:135 msgid "Public post" msgstr "Публичное сообщение" -#: include/conversation.php:1313 mod/content.php:737 mod/editpost.php:135 -#: mod/events.php:503 mod/photos.php:1647 mod/photos.php:1689 -#: mod/photos.php:1769 object/Item.php:714 +#: include/conversation.php:1374 mod/editpost.php:146 mod/photos.php:1492 +#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 +#: src/Object/Post.php:805 msgid "Preview" msgstr "Предварительный просмотр" -#: include/conversation.php:1317 include/items.php:2167 mod/contacts.php:455 -#: mod/editpost.php:138 mod/fbrowser.php:100 mod/fbrowser.php:135 -#: mod/suggest.php:32 mod/tagrm.php:11 mod/tagrm.php:96 -#: mod/dfrn_request.php:894 mod/follow.php:124 mod/message.php:209 -#: mod/photos.php:245 mod/photos.php:337 mod/settings.php:682 -#: mod/settings.php:708 mod/videos.php:132 -msgid "Cancel" -msgstr "Отмена" - -#: include/conversation.php:1323 +#: include/conversation.php:1383 msgid "Post to Groups" msgstr "Пост для групп" -#: include/conversation.php:1324 +#: include/conversation.php:1384 msgid "Post to Contacts" msgstr "Пост для контактов" -#: include/conversation.php:1325 +#: include/conversation.php:1385 msgid "Private post" msgstr "Личное сообщение" -#: include/conversation.php:1330 include/identity.php:264 mod/editpost.php:142 +#: include/conversation.php:1390 mod/editpost.php:153 +#: src/Model/Profile.php:342 msgid "Message" msgstr "Сообщение" -#: include/conversation.php:1331 mod/editpost.php:143 +#: include/conversation.php:1391 mod/editpost.php:154 msgid "Browser" msgstr "Браузер" -#: include/conversation.php:1513 +#: include/conversation.php:1658 msgid "View all" msgstr "Посмотреть все" -#: include/conversation.php:1535 +#: include/conversation.php:1681 msgid "Like" msgid_plural "Likes" msgstr[0] "Нравится" @@ -1508,7 +866,7 @@ msgstr[1] "Нравится" msgstr[2] "Нравится" msgstr[3] "Нравится" -#: include/conversation.php:1538 +#: include/conversation.php:1684 msgid "Dislike" msgid_plural "Dislikes" msgstr[0] "Не нравится" @@ -1516,7 +874,7 @@ msgstr[1] "Не нравится" msgstr[2] "Не нравится" msgstr[3] "Не нравится" -#: include/conversation.php:1544 +#: include/conversation.php:1690 msgid "Not Attending" msgid_plural "Not Attending" msgstr[0] "" @@ -1524,1430 +882,51 @@ msgstr[1] "" msgstr[2] "" msgstr[3] "" -#: include/datetime.php:66 include/datetime.php:68 mod/profiles.php:698 -msgid "Miscellaneous" -msgstr "Разное" - -#: include/datetime.php:196 include/identity.php:644 -msgid "Birthday:" -msgstr "День рождения:" - -#: include/datetime.php:198 mod/profiles.php:721 -msgid "Age: " -msgstr "Возраст: " - -#: include/datetime.php:200 -msgid "YYYY-MM-DD or MM-DD" -msgstr "YYYY-MM-DD или MM-DD" - -#: include/datetime.php:370 -msgid "never" -msgstr "никогда" - -#: include/datetime.php:376 -msgid "less than a second ago" -msgstr "менее сек. назад" - -#: include/datetime.php:379 -msgid "year" -msgstr "год" - -#: include/datetime.php:379 -msgid "years" -msgstr "лет" - -#: include/datetime.php:380 include/event.php:519 mod/cal.php:279 -#: mod/events.php:384 -msgid "month" -msgstr "мес." - -#: include/datetime.php:380 -msgid "months" -msgstr "мес." - -#: include/datetime.php:381 include/event.php:520 mod/cal.php:280 -#: mod/events.php:385 -msgid "week" -msgstr "неделя" - -#: include/datetime.php:381 -msgid "weeks" -msgstr "недель" - -#: include/datetime.php:382 include/event.php:521 mod/cal.php:281 -#: mod/events.php:386 -msgid "day" -msgstr "день" - -#: include/datetime.php:382 -msgid "days" -msgstr "дней" - -#: include/datetime.php:383 -msgid "hour" -msgstr "час" - -#: include/datetime.php:383 -msgid "hours" -msgstr "час." - -#: include/datetime.php:384 -msgid "minute" -msgstr "минута" - -#: include/datetime.php:384 -msgid "minutes" -msgstr "мин." - -#: include/datetime.php:385 -msgid "second" -msgstr "секунда" - -#: include/datetime.php:385 -msgid "seconds" -msgstr "сек." - -#: include/datetime.php:394 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s назад" - -#: include/datetime.php:620 -#, php-format -msgid "%s's birthday" -msgstr "день рождения %s" - -#: include/datetime.php:621 include/dfrn.php:1252 -#, php-format -msgid "Happy Birthday %s" -msgstr "С днём рождения %s" - -#: include/dba_pdo.php:72 include/dba.php:47 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Не могу найти информацию для DNS-сервера базы данных '%s'" - -#: include/enotify.php:24 -msgid "Friendica Notification" -msgstr "Уведомления Friendica" - -#: include/enotify.php:27 -msgid "Thank You," -msgstr "Спасибо," - -#: include/enotify.php:30 -#, php-format -msgid "%s Administrator" -msgstr "%s администратор" - -#: include/enotify.php:32 -#, php-format -msgid "%1$s, %2$s Administrator" -msgstr "%1$s, администратор %2$s" - -#: include/enotify.php:70 -#, php-format -msgid "%s " -msgstr "%s " - -#: include/enotify.php:83 -#, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica: Оповещение] Новое сообщение, пришедшее на %s" - -#: include/enotify.php:85 -#, php-format -msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s отправил вам новое личное сообщение на %2$s." - -#: include/enotify.php:86 -#, php-format -msgid "%1$s sent you %2$s." -msgstr "%1$s послал вам %2$s." - -#: include/enotify.php:86 -msgid "a private message" -msgstr "личное сообщение" - -#: include/enotify.php:88 -#, php-format -msgid "Please visit %s to view and/or reply to your private messages." -msgstr "Пожалуйста, посетите %s для просмотра и/или ответа на личные сообщения." - -#: include/enotify.php:134 -#, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s прокомментировал [url=%2$s]a %3$s[/url]" - -#: include/enotify.php:141 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s прокомментировал [url=%2$s]%3$s's %4$s[/url]" - -#: include/enotify.php:149 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s прокомментировал [url=%2$s]your %3$s[/url]" - -#: include/enotify.php:159 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notify] Комментарий к #%1$d от %2$s" - -#: include/enotify.php:161 -#, php-format -msgid "%s commented on an item/conversation you have been following." -msgstr "%s оставил комментарий к элементу/беседе, за которой вы следите." - -#: include/enotify.php:164 include/enotify.php:178 include/enotify.php:192 -#: include/enotify.php:206 include/enotify.php:224 include/enotify.php:238 -#, php-format -msgid "Please visit %s to view and/or reply to the conversation." -msgstr "Пожалуйста посетите %s для просмотра и/или ответа в беседу." - -#: include/enotify.php:171 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Оповещение] %s написал на стене вашего профиля" - -#: include/enotify.php:173 -#, php-format -msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s написал на вашей стене на %2$s" - -#: include/enotify.php:174 -#, php-format -msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "%1$s написал на [url=%2$s]вашей стене[/url]" - -#: include/enotify.php:185 -#, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notify] %s отметил вас" - -#: include/enotify.php:187 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s отметил вас в %2$s" - -#: include/enotify.php:188 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [url=%2$s]отметил вас[/url]." - -#: include/enotify.php:199 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" -msgstr "[Friendica:Notify] %s поделился новым постом" - -#: include/enotify.php:201 -#, php-format -msgid "%1$s shared a new post at %2$s" -msgstr "%1$s поделился новым постом на %2$s" - -#: include/enotify.php:202 -#, php-format -msgid "%1$s [url=%2$s]shared a post[/url]." -msgstr "%1$s [url=%2$s]поделился постом[/url]." - -#: include/enotify.php:213 -#, php-format -msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notify] %1$s потыкал вас" - -#: include/enotify.php:215 -#, php-format -msgid "%1$s poked you at %2$s" -msgstr "%1$s потыкал вас на %2$s" - -#: include/enotify.php:216 -#, php-format -msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s [url=%2$s]потыкал вас[/url]." - -#: include/enotify.php:231 -#, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notify] %s поставил тег вашему посту" - -#: include/enotify.php:233 -#, php-format -msgid "%1$s tagged your post at %2$s" -msgstr "%1$s поставил тег вашему посту на %2$s" - -#: include/enotify.php:234 -#, php-format -msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s поставил тег [url=%2$s]вашему посту[/url]" - -#: include/enotify.php:245 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Сообщение] получен запрос" - -#: include/enotify.php:247 -#, php-format -msgid "You've received an introduction from '%1$s' at %2$s" -msgstr "Вы получили запрос от '%1$s' на %2$s" - -#: include/enotify.php:248 -#, php-format -msgid "You've received [url=%1$s]an introduction[/url] from %2$s." -msgstr "Вы получили [url=%1$s]запрос[/url] от %2$s." - -#: include/enotify.php:252 include/enotify.php:295 -#, php-format -msgid "You may visit their profile at %s" -msgstr "Вы можете посмотреть его профиль здесь %s" - -#: include/enotify.php:254 -#, php-format -msgid "Please visit %s to approve or reject the introduction." -msgstr "Посетите %s для подтверждения или отказа запроса." - -#: include/enotify.php:262 -msgid "[Friendica:Notify] A new person is sharing with you" -msgstr "[Friendica:Notify] Новый человек делится с вами" - -#: include/enotify.php:264 include/enotify.php:265 -#, php-format -msgid "%1$s is sharing with you at %2$s" -msgstr "%1$s делится с вами на %2$s" - -#: include/enotify.php:271 -msgid "[Friendica:Notify] You have a new follower" -msgstr "[Friendica:Notify] У вас новый подписчик" - -#: include/enotify.php:273 include/enotify.php:274 -#, php-format -msgid "You have a new follower at %2$s : %1$s" -msgstr "У вас новый подписчик на %2$s : %1$s" - -#: include/enotify.php:285 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica: Оповещение] получено предложение дружбы" - -#: include/enotify.php:287 -#, php-format -msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "Вы получили предложение дружбы от '%1$s' на %2$s" - -#: include/enotify.php:288 -#, php-format -msgid "" -"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -msgstr "У вас [url=%1$s]новое предложение дружбы[/url] для %2$s от %3$s." - -#: include/enotify.php:293 -msgid "Name:" -msgstr "Имя:" - -#: include/enotify.php:294 -msgid "Photo:" -msgstr "Фото:" - -#: include/enotify.php:297 -#, php-format -msgid "Please visit %s to approve or reject the suggestion." -msgstr "Пожалуйста, посетите %s для подтверждения, или отказа запроса." - -#: include/enotify.php:305 include/enotify.php:319 -msgid "[Friendica:Notify] Connection accepted" -msgstr "[Friendica:Notify] Соединение принято" - -#: include/enotify.php:307 include/enotify.php:321 -#, php-format -msgid "'%1$s' has accepted your connection request at %2$s" -msgstr "'%1$s' принял соединение с вами на %2$s" - -#: include/enotify.php:308 include/enotify.php:322 -#, php-format -msgid "%2$s has accepted your [url=%1$s]connection request[/url]." -msgstr "%2$s принял ваше [url=%1$s]предложение о соединении[/url]." - -#: include/enotify.php:312 -msgid "" -"You are now mutual friends and may exchange status updates, photos, and " -"email without restriction." -msgstr "Вы теперь взаимные друзья и можете обмениваться статусами, фотографиями и письмами без ограничений." - -#: include/enotify.php:314 -#, php-format -msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "Посетите %s если вы хотите сделать изменения в этом отношении." - -#: include/enotify.php:326 -#, php-format -msgid "" -"'%1$s' has chosen to accept you a \"fan\", which restricts some forms of " -"communication - such as private messaging and some profile interactions. If " -"this is a celebrity or community page, these settings were applied " -"automatically." -msgstr "" - -#: include/enotify.php:328 -#, php-format -msgid "" -"'%1$s' may choose to extend this into a two-way or more permissive " -"relationship in the future." -msgstr "" - -#: include/enotify.php:330 -#, php-format -msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "Посетите %s если вы хотите сделать изменения в этом отношении." - -#: include/enotify.php:340 -msgid "[Friendica System:Notify] registration request" -msgstr "[Friendica System:Notify] Запрос на регистрацию" - -#: include/enotify.php:342 -#, php-format -msgid "You've received a registration request from '%1$s' at %2$s" -msgstr "Вы получили запрос на регистрацию от '%1$s' на %2$s" - -#: include/enotify.php:343 -#, php-format -msgid "You've received a [url=%1$s]registration request[/url] from %2$s." -msgstr "Вы получили [url=%1$s]запрос регистрации[/url] от %2$s." - -#: include/enotify.php:347 -#, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -msgstr "Полное имя:⇥%1$s\\nСайт:⇥%2$s\\nЛогин:⇥%3$s (%4$s)" - -#: include/enotify.php:350 -#, php-format -msgid "Please visit %s to approve or reject the request." -msgstr "Пожалуйста, посетите %s чтобы подтвердить или отвергнуть запрос." - -#: include/event.php:474 -msgid "all-day" -msgstr "" - -#: include/event.php:476 -msgid "Sun" -msgstr "Вс" - -#: include/event.php:477 -msgid "Mon" -msgstr "Пн" - -#: include/event.php:478 -msgid "Tue" -msgstr "Вт" - -#: include/event.php:479 -msgid "Wed" -msgstr "Ср" - -#: include/event.php:480 -msgid "Thu" -msgstr "Чт" - -#: include/event.php:481 -msgid "Fri" -msgstr "Пт" - -#: include/event.php:482 -msgid "Sat" -msgstr "Сб" - -#: include/event.php:484 include/text.php:1198 mod/settings.php:981 -msgid "Sunday" -msgstr "Воскресенье" - -#: include/event.php:485 include/text.php:1198 mod/settings.php:981 -msgid "Monday" -msgstr "Понедельник" - -#: include/event.php:486 include/text.php:1198 -msgid "Tuesday" -msgstr "Вторник" - -#: include/event.php:487 include/text.php:1198 -msgid "Wednesday" -msgstr "Среда" - -#: include/event.php:488 include/text.php:1198 -msgid "Thursday" -msgstr "Четверг" - -#: include/event.php:489 include/text.php:1198 -msgid "Friday" -msgstr "Пятница" - -#: include/event.php:490 include/text.php:1198 -msgid "Saturday" -msgstr "Суббота" - -#: include/event.php:492 -msgid "Jan" -msgstr "Янв" - -#: include/event.php:493 -msgid "Feb" -msgstr "Фев" - -#: include/event.php:494 -msgid "Mar" -msgstr "Мрт" - -#: include/event.php:495 -msgid "Apr" -msgstr "Апр" - -#: include/event.php:496 include/event.php:509 include/text.php:1202 -msgid "May" -msgstr "Май" - -#: include/event.php:497 -msgid "Jun" -msgstr "Июн" - -#: include/event.php:498 -msgid "Jul" -msgstr "Июл" - -#: include/event.php:499 -msgid "Aug" -msgstr "Авг" - -#: include/event.php:500 -msgid "Sept" -msgstr "Сен" - -#: include/event.php:501 -msgid "Oct" -msgstr "Окт" - -#: include/event.php:502 -msgid "Nov" -msgstr "Нбр" - -#: include/event.php:503 -msgid "Dec" -msgstr "Дек" - -#: include/event.php:505 include/text.php:1202 -msgid "January" -msgstr "Январь" - -#: include/event.php:506 include/text.php:1202 -msgid "February" -msgstr "Февраль" - -#: include/event.php:507 include/text.php:1202 -msgid "March" -msgstr "Март" - -#: include/event.php:508 include/text.php:1202 -msgid "April" -msgstr "Апрель" - -#: include/event.php:510 include/text.php:1202 -msgid "June" -msgstr "Июнь" - -#: include/event.php:511 include/text.php:1202 -msgid "July" -msgstr "Июль" - -#: include/event.php:512 include/text.php:1202 -msgid "August" -msgstr "Август" - -#: include/event.php:513 include/text.php:1202 -msgid "September" -msgstr "Сентябрь" - -#: include/event.php:514 include/text.php:1202 -msgid "October" -msgstr "Октябрь" - -#: include/event.php:515 include/text.php:1202 -msgid "November" -msgstr "Ноябрь" - -#: include/event.php:516 include/text.php:1202 -msgid "December" -msgstr "Декабрь" - -#: include/event.php:518 mod/cal.php:278 mod/events.php:383 -msgid "today" -msgstr "сегодня" - -#: include/event.php:523 -msgid "No events to display" -msgstr "Нет событий для показа" - -#: include/event.php:636 -msgid "l, F j" -msgstr "l, j F" - -#: include/event.php:658 -msgid "Edit event" -msgstr "Редактировать мероприятие" - -#: include/event.php:659 -msgid "Delete event" -msgstr "" - -#: include/event.php:685 include/text.php:1600 include/text.php:1607 -msgid "link to source" -msgstr "ссылка на сообщение" - -#: include/event.php:939 -msgid "Export" -msgstr "Экспорт" - -#: include/event.php:940 -msgid "Export calendar as ical" -msgstr "Экспортировать календарь в формат ical" - -#: include/event.php:941 -msgid "Export calendar as csv" -msgstr "Экспортировать календарь в формат csv" - -#: include/features.php:65 -msgid "General Features" -msgstr "Основные возможности" - -#: include/features.php:67 -msgid "Multiple Profiles" -msgstr "Несколько профилей" - -#: include/features.php:67 -msgid "Ability to create multiple profiles" -msgstr "Возможность создания нескольких профилей" - -#: include/features.php:68 -msgid "Photo Location" -msgstr "Место фотографирования" - -#: include/features.php:68 -msgid "" -"Photo metadata is normally stripped. This extracts the location (if present)" -" prior to stripping metadata and links it to a map." -msgstr "Метаданные фотографий обычно вырезаются. Эта настройка получает местоположение (если есть) до вырезки метаданных и связывает с координатами на карте." - -#: include/features.php:69 -msgid "Export Public Calendar" -msgstr "Экспортировать публичный календарь" - -#: include/features.php:69 -msgid "Ability for visitors to download the public calendar" -msgstr "Возможность скачивать публичный календарь посетителями" - -#: include/features.php:74 -msgid "Post Composition Features" -msgstr "Составление сообщений" - -#: include/features.php:75 -msgid "Post Preview" -msgstr "Предварительный просмотр" - -#: include/features.php:75 -msgid "Allow previewing posts and comments before publishing them" -msgstr "Разрешить предпросмотр сообщения и комментария перед их публикацией" - -#: include/features.php:76 -msgid "Auto-mention Forums" -msgstr "" - -#: include/features.php:76 -msgid "" -"Add/remove mention when a forum page is selected/deselected in ACL window." -msgstr "" - -#: include/features.php:81 -msgid "Network Sidebar Widgets" -msgstr "Виджет боковой панели \"Сеть\"" - -#: include/features.php:82 -msgid "Search by Date" -msgstr "Поиск по датам" - -#: include/features.php:82 -msgid "Ability to select posts by date ranges" -msgstr "Возможность выбора постов по диапазону дат" - -#: include/features.php:83 include/features.php:113 -msgid "List Forums" -msgstr "Список форумов" - -#: include/features.php:83 -msgid "Enable widget to display the forums your are connected with" -msgstr "" - -#: include/features.php:84 -msgid "Group Filter" -msgstr "Фильтр групп" - -#: include/features.php:84 -msgid "Enable widget to display Network posts only from selected group" -msgstr "Включить виджет для отображения сообщений сети только от выбранной группы" - -#: include/features.php:85 -msgid "Network Filter" -msgstr "Фильтр сети" - -#: include/features.php:85 -msgid "Enable widget to display Network posts only from selected network" -msgstr "Включить виджет для отображения сообщений сети только от выбранной сети" - -#: include/features.php:86 mod/network.php:206 mod/search.php:34 -msgid "Saved Searches" -msgstr "запомненные поиски" - -#: include/features.php:86 -msgid "Save search terms for re-use" -msgstr "Сохранить условия поиска для повторного использования" - -#: include/features.php:91 -msgid "Network Tabs" -msgstr "Сетевые вкладки" - -#: include/features.php:92 -msgid "Network Personal Tab" -msgstr "Персональные сетевые вкладки" - -#: include/features.php:92 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Включить вкладку для отображения только сообщений сети, с которой вы взаимодействовали" - -#: include/features.php:93 -msgid "Network New Tab" -msgstr "Новая вкладка сеть" - -#: include/features.php:93 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "Включить вкладку для отображения только новых сообщений сети (за последние 12 часов)" - -#: include/features.php:94 -msgid "Network Shared Links Tab" -msgstr "Вкладка shared ссылок сети" - -#: include/features.php:94 -msgid "Enable tab to display only Network posts with links in them" -msgstr "Включить вкладку для отображения только сообщений сети со ссылками на них" - -#: include/features.php:99 -msgid "Post/Comment Tools" -msgstr "Инструменты пост/комментарий" - -#: include/features.php:100 -msgid "Multiple Deletion" -msgstr "Множественное удаление" - -#: include/features.php:100 -msgid "Select and delete multiple posts/comments at once" -msgstr "Выбрать и удалить несколько постов/комментариев одновременно." - -#: include/features.php:101 -msgid "Edit Sent Posts" -msgstr "Редактировать отправленные посты" - -#: include/features.php:101 -msgid "Edit and correct posts and comments after sending" -msgstr "Редактировать и править посты и комментарии после отправления" - -#: include/features.php:102 -msgid "Tagging" -msgstr "Отмеченное" - -#: include/features.php:102 -msgid "Ability to tag existing posts" -msgstr "Возможность отмечать существующие посты" - -#: include/features.php:103 -msgid "Post Categories" -msgstr "Категории постов" - -#: include/features.php:103 -msgid "Add categories to your posts" -msgstr "Добавить категории вашего поста" - -#: include/features.php:104 -msgid "Ability to file posts under folders" -msgstr "" - -#: include/features.php:105 -msgid "Dislike Posts" -msgstr "Посты, которые не нравятся" - -#: include/features.php:105 -msgid "Ability to dislike posts/comments" -msgstr "Возможность поставить \"Не нравится\" посту или комментарию" - -#: include/features.php:106 -msgid "Star Posts" -msgstr "Популярные посты" - -#: include/features.php:106 -msgid "Ability to mark special posts with a star indicator" -msgstr "Возможность отметить специальные сообщения индикатором популярности" - -#: include/features.php:107 -msgid "Mute Post Notifications" -msgstr "Отключить уведомления для поста" - -#: include/features.php:107 -msgid "Ability to mute notifications for a thread" -msgstr "Возможность отключить уведомления для отдельно взятого обсуждения" - -#: include/features.php:112 -msgid "Advanced Profile Settings" -msgstr "Расширенные настройки профиля" - -#: include/features.php:113 -msgid "Show visitors public community forums at the Advanced Profile Page" -msgstr "" - -#: include/follow.php:81 mod/dfrn_request.php:512 -msgid "Disallowed profile URL." -msgstr "Запрещенный URL профиля." - -#: include/follow.php:86 mod/dfrn_request.php:518 mod/friendica.php:114 -#: mod/admin.php:279 mod/admin.php:297 -msgid "Blocked domain" -msgstr "" - -#: include/follow.php:91 -msgid "Connect URL missing." -msgstr "Connect-URL отсутствует." - -#: include/follow.php:119 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Данный сайт не настроен так, чтобы держать связь с другими сетями." - -#: include/follow.php:120 include/follow.php:134 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Обнаружены несовместимые протоколы связи или каналы." - -#: include/follow.php:132 -msgid "The profile address specified does not provide adequate information." -msgstr "Указанный адрес профиля не дает адекватной информации." - -#: include/follow.php:137 -msgid "An author or name was not found." -msgstr "Автор или имя не найдены." - -#: include/follow.php:140 -msgid "No browser URL could be matched to this address." -msgstr "Нет URL браузера, который соответствует этому адресу." - -#: include/follow.php:143 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "" - -#: include/follow.php:144 -msgid "Use mailto: in front of address to force email check." -msgstr "Bcgjkmpeqnt mailto: перед адресом для быстрого доступа к email." - -#: include/follow.php:150 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "Указанный адрес профиля принадлежит сети, недоступной на этом сайта." - -#: include/follow.php:155 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Ограниченный профиль. Этот человек не сможет получить прямые / личные уведомления от вас." - -#: include/follow.php:256 -msgid "Unable to retrieve contact information." -msgstr "Невозможно получить контактную информацию." - -#: include/group.php:25 -msgid "" -"A deleted group with this name was revived. Existing item permissions " -"may apply to this group and any future members. If this is " -"not what you intended, please create another group with a different name." -msgstr "Удаленная группа с таким названием была восстановлена. Существующие права доступа могут применяться к этой группе и любым будущим участникам. Если это не то, что вы хотели, пожалуйста, создайте еще ​​одну группу с другим названием." - -#: include/group.php:210 -msgid "Default privacy group for new contacts" -msgstr "Группа доступа по умолчанию для новых контактов" - -#: include/group.php:243 -msgid "Everybody" -msgstr "Каждый" - -#: include/group.php:266 -msgid "edit" -msgstr "редактировать" - -#: include/group.php:287 mod/newmember.php:61 -msgid "Groups" -msgstr "Группы" - -#: include/group.php:289 -msgid "Edit groups" -msgstr "Редактировать группы" - -#: include/group.php:291 -msgid "Edit group" -msgstr "Редактировать группу" - -#: include/group.php:292 -msgid "Create a new group" -msgstr "Создать новую группу" - -#: include/group.php:293 mod/group.php:99 mod/group.php:196 -msgid "Group Name: " -msgstr "Название группы: " - -#: include/group.php:295 -msgid "Contacts not in any group" -msgstr "Контакты не состоят в группе" - -#: include/group.php:297 mod/network.php:207 -msgid "add" -msgstr "добавить" - -#: include/identity.php:43 -msgid "Requested account is not available." -msgstr "Запрашиваемый профиль недоступен." - -#: include/identity.php:52 mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "Запрашиваемый профиль недоступен." - -#: include/identity.php:96 include/identity.php:319 include/identity.php:740 -msgid "Edit profile" -msgstr "Редактировать профиль" - -#: include/identity.php:259 -msgid "Atom feed" -msgstr "Фид Atom" - -#: include/identity.php:290 -msgid "Manage/edit profiles" -msgstr "Управление / редактирование профилей" - -#: include/identity.php:295 include/identity.php:321 mod/profiles.php:787 -msgid "Change profile photo" -msgstr "Изменить фото профиля" - -#: include/identity.php:296 mod/profiles.php:788 -msgid "Create New Profile" -msgstr "Создать новый профиль" - -#: include/identity.php:306 mod/profiles.php:777 -msgid "Profile Image" -msgstr "Фото профиля" - -#: include/identity.php:309 mod/profiles.php:779 -msgid "visible to everybody" -msgstr "видимый всем" - -#: include/identity.php:310 mod/profiles.php:684 mod/profiles.php:780 -msgid "Edit visibility" -msgstr "Редактировать видимость" - -#: include/identity.php:338 include/identity.php:633 mod/directory.php:141 -#: mod/notifications.php:250 -msgid "Gender:" -msgstr "Пол:" - -#: include/identity.php:341 include/identity.php:651 mod/directory.php:143 -msgid "Status:" -msgstr "Статус:" - -#: include/identity.php:343 include/identity.php:667 mod/directory.php:145 -msgid "Homepage:" -msgstr "Домашняя страничка:" - -#: include/identity.php:345 include/identity.php:687 mod/contacts.php:640 -#: mod/directory.php:147 mod/notifications.php:246 -msgid "About:" -msgstr "О себе:" - -#: include/identity.php:347 mod/contacts.php:638 -msgid "XMPP:" -msgstr "XMPP:" - -#: include/identity.php:433 mod/contacts.php:55 mod/notifications.php:258 -msgid "Network:" -msgstr "Сеть:" - -#: include/identity.php:462 include/identity.php:552 -msgid "g A l F d" -msgstr "g A l F d" - -#: include/identity.php:463 include/identity.php:553 -msgid "F d" -msgstr "F d" - -#: include/identity.php:514 include/identity.php:599 -msgid "[today]" -msgstr "[сегодня]" - -#: include/identity.php:526 -msgid "Birthday Reminders" -msgstr "Напоминания о днях рождения" - -#: include/identity.php:527 -msgid "Birthdays this week:" -msgstr "Дни рождения на этой неделе:" - -#: include/identity.php:586 -msgid "[No description]" -msgstr "[без описания]" - -#: include/identity.php:610 -msgid "Event Reminders" -msgstr "Напоминания о мероприятиях" - -#: include/identity.php:611 -msgid "Events this week:" -msgstr "Мероприятия на этой неделе:" - -#: include/identity.php:631 mod/settings.php:1286 -msgid "Full Name:" -msgstr "Полное имя:" - -#: include/identity.php:636 -msgid "j F, Y" -msgstr "j F, Y" - -#: include/identity.php:637 -msgid "j F" -msgstr "j F" - -#: include/identity.php:648 -msgid "Age:" -msgstr "Возраст:" - -#: include/identity.php:659 -#, php-format -msgid "for %1$d %2$s" -msgstr "для %1$d %2$s" - -#: include/identity.php:663 mod/profiles.php:703 -msgid "Sexual Preference:" -msgstr "Сексуальные предпочтения:" - -#: include/identity.php:671 mod/profiles.php:730 -msgid "Hometown:" -msgstr "Родной город:" - -#: include/identity.php:675 mod/contacts.php:642 mod/follow.php:137 -#: mod/notifications.php:248 -msgid "Tags:" -msgstr "Ключевые слова: " - -#: include/identity.php:679 mod/profiles.php:731 -msgid "Political Views:" -msgstr "Политические взгляды:" - -#: include/identity.php:683 -msgid "Religion:" -msgstr "Религия:" - -#: include/identity.php:691 -msgid "Hobbies/Interests:" -msgstr "Хобби / Интересы:" - -#: include/identity.php:695 mod/profiles.php:735 -msgid "Likes:" -msgstr "Нравится:" - -#: include/identity.php:699 mod/profiles.php:736 -msgid "Dislikes:" -msgstr "Не нравится:" - -#: include/identity.php:703 -msgid "Contact information and Social Networks:" -msgstr "Информация о контакте и социальных сетях:" - -#: include/identity.php:707 -msgid "Musical interests:" -msgstr "Музыкальные интересы:" - -#: include/identity.php:711 -msgid "Books, literature:" -msgstr "Книги, литература:" - -#: include/identity.php:715 -msgid "Television:" -msgstr "Телевидение:" - -#: include/identity.php:719 -msgid "Film/dance/culture/entertainment:" -msgstr "Кино / Танцы / Культура / Развлечения:" - -#: include/identity.php:723 -msgid "Love/Romance:" -msgstr "Любовь / Романтика:" - -#: include/identity.php:727 -msgid "Work/employment:" -msgstr "Работа / Занятость:" - -#: include/identity.php:731 -msgid "School/education:" -msgstr "Школа / Образование:" - -#: include/identity.php:736 -msgid "Forums:" -msgstr "Форумы:" - -#: include/identity.php:745 mod/events.php:506 -msgid "Basic" -msgstr "Базовый" - -#: include/identity.php:746 mod/contacts.php:878 mod/events.php:507 -#: mod/admin.php:1059 -msgid "Advanced" -msgstr "Расширенный" - -#: include/identity.php:772 mod/contacts.php:844 mod/follow.php:145 -msgid "Status Messages and Posts" -msgstr "Ваши посты" - -#: include/identity.php:780 mod/contacts.php:852 -msgid "Profile Details" -msgstr "Информация о вас" - -#: include/identity.php:788 mod/photos.php:93 -msgid "Photo Albums" -msgstr "Фотоальбомы" - -#: include/identity.php:827 mod/notes.php:47 -msgid "Personal Notes" -msgstr "Личные заметки" - -#: include/identity.php:830 -msgid "Only You Can See This" -msgstr "Только вы можете это видеть" - -#: include/network.php:687 -msgid "view full size" -msgstr "посмотреть в полный размер" - -#: include/oembed.php:255 -msgid "Embedded content" -msgstr "Встроенное содержание" - -#: include/oembed.php:263 -msgid "Embedding disabled" -msgstr "Встраивание отключено" - -#: include/photos.php:57 include/photos.php:66 mod/fbrowser.php:40 -#: mod/fbrowser.php:61 mod/photos.php:187 mod/photos.php:1123 -#: mod/photos.php:1256 mod/photos.php:1277 mod/photos.php:1839 -#: mod/photos.php:1853 -msgid "Contact Photos" -msgstr "Фотографии контакта" - -#: include/user.php:39 mod/settings.php:375 -msgid "Passwords do not match. Password unchanged." -msgstr "Пароли не совпадают. Пароль не изменен." - -#: include/user.php:48 -msgid "An invitation is required." -msgstr "Требуется приглашение." - -#: include/user.php:53 -msgid "Invitation could not be verified." -msgstr "Приглашение не может быть проверено." - -#: include/user.php:61 -msgid "Invalid OpenID url" -msgstr "Неверный URL OpenID" - -#: include/user.php:82 -msgid "Please enter the required information." -msgstr "Пожалуйста, введите необходимую информацию." - -#: include/user.php:96 -msgid "Please use a shorter name." -msgstr "Пожалуйста, используйте более короткое имя." - -#: include/user.php:98 -msgid "Name too short." -msgstr "Имя слишком короткое." - -#: include/user.php:106 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Кажется, что это ваше неполное (Имя Фамилия) имя." - -#: include/user.php:111 -msgid "Your email domain is not among those allowed on this site." -msgstr "Домен вашего адреса электронной почты не относится к числу разрешенных на этом сайте." - -#: include/user.php:114 -msgid "Not a valid email address." -msgstr "Неверный адрес электронной почты." - -#: include/user.php:127 -msgid "Cannot use that email." -msgstr "Нельзя использовать этот Email." - -#: include/user.php:133 -msgid "Your \"nickname\" can only contain \"a-z\", \"0-9\" and \"_\"." -msgstr "" - -#: include/user.php:140 include/user.php:228 -msgid "Nickname is already registered. Please choose another." -msgstr "Такой ник уже зарегистрирован. Пожалуйста, выберите другой." - -#: include/user.php:150 -msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Ник уже зарегистрирован на этом сайте и не может быть изменён. Пожалуйста, выберите другой ник." - -#: include/user.php:166 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "СЕРЬЕЗНАЯ ОШИБКА: генерация ключей безопасности не удалась." - -#: include/user.php:214 -msgid "An error occurred during registration. Please try again." -msgstr "Ошибка при регистрации. Пожалуйста, попробуйте еще раз." - -#: include/user.php:239 view/theme/duepuntozero/config.php:43 -msgid "default" -msgstr "значение по умолчанию" - -#: include/user.php:249 -msgid "An error occurred creating your default profile. Please try again." -msgstr "Ошибка создания вашего профиля. Пожалуйста, попробуйте еще раз." - -#: include/user.php:309 include/user.php:317 include/user.php:325 -#: mod/profile_photo.php:74 mod/profile_photo.php:82 mod/profile_photo.php:90 -#: mod/profile_photo.php:215 mod/profile_photo.php:310 -#: mod/profile_photo.php:320 mod/photos.php:71 mod/photos.php:187 -#: mod/photos.php:774 mod/photos.php:1256 mod/photos.php:1277 -#: mod/photos.php:1863 -msgid "Profile Photos" -msgstr "Фотографии профиля" - -#: include/user.php:400 -#, php-format -msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" -"\t" -msgstr "" - -#: include/user.php:410 -#, php-format -msgid "Registration at %s" -msgstr "" - -#: include/user.php:420 -#, php-format -msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tThank you for registering at %2$s. Your account has been created.\n" -"\t" -msgstr "" - -#: include/user.php:424 -#, php-format -msgid "" -"\n" -"\t\tThe login details are as follows:\n" -"\t\t\tSite Location:\t%3$s\n" -"\t\t\tLogin Name:\t%1$s\n" -"\t\t\tPassword:\t%5$s\n" -"\n" -"\t\tYou may change your password from your account \"Settings\" page after logging\n" -"\t\tin.\n" -"\n" -"\t\tPlease take a few moments to review the other account settings on that page.\n" -"\n" -"\t\tYou may also wish to add some basic information to your default profile\n" -"\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" -"\n" -"\t\tWe recommend setting your full name, adding a profile photo,\n" -"\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" -"\t\tperhaps what country you live in; if you do not wish to be more specific\n" -"\t\tthan that.\n" -"\n" -"\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" -"\t\tIf you are new and do not know anybody here, they may help\n" -"\t\tyou to make some new and interesting friends.\n" -"\n" -"\n" -"\t\tThank you and welcome to %2$s." -msgstr "" - -#: include/user.php:456 mod/admin.php:1308 -#, php-format -msgid "Registration details for %s" -msgstr "Подробности регистрации для %s" - -#: include/dbstructure.php:20 -msgid "There are no tables on MyISAM." -msgstr "" - -#: include/dbstructure.php:61 -#, php-format -msgid "" -"\n" -"\t\t\tThe friendica developers released update %s recently,\n" -"\t\t\tbut when I tried to install it, something went terribly wrong.\n" -"\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" -"\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." -msgstr "" - -#: include/dbstructure.php:66 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "Сообщение об ошибке:\n[pre]%s[/pre]" - -#: include/dbstructure.php:190 -#, php-format -msgid "" -"\n" -"Error %d occurred during database update:\n" -"%s\n" -msgstr "" - -#: include/dbstructure.php:193 -msgid "Errors encountered performing database changes: " -msgstr "" - -#: include/dbstructure.php:201 -msgid ": Database update" -msgstr "" - -#: include/dbstructure.php:425 -#, php-format -msgid "%s: updating %s table." -msgstr "" - -#: include/dfrn.php:1251 -#, php-format -msgid "%s\\'s birthday" -msgstr "День рождения %s" - -#: include/diaspora.php:2137 -msgid "Sharing notification from Diaspora network" -msgstr "Уведомление о шаре из сети Diaspora" - -#: include/diaspora.php:3146 -msgid "Attachments:" -msgstr "Вложения:" - -#: include/items.php:1738 mod/dfrn_confirm.php:736 mod/dfrn_request.php:759 -msgid "[Name Withheld]" -msgstr "[Имя не разглашается]" - -#: include/items.php:2123 mod/display.php:103 mod/display.php:279 -#: mod/display.php:484 mod/notice.php:15 mod/viewsrc.php:15 mod/admin.php:247 -#: mod/admin.php:1565 mod/admin.php:1816 -msgid "Item not found." -msgstr "Пункт не найден." - -#: include/items.php:2162 -msgid "Do you really want to delete this item?" -msgstr "Вы действительно хотите удалить этот элемент?" - -#: include/items.php:2164 mod/api.php:105 mod/contacts.php:452 -#: mod/suggest.php:29 mod/dfrn_request.php:880 mod/follow.php:113 -#: mod/message.php:206 mod/profiles.php:640 mod/profiles.php:643 -#: mod/profiles.php:670 mod/register.php:245 mod/settings.php:1171 -#: mod/settings.php:1177 mod/settings.php:1184 mod/settings.php:1188 -#: mod/settings.php:1193 mod/settings.php:1198 mod/settings.php:1203 -#: mod/settings.php:1208 mod/settings.php:1234 mod/settings.php:1235 -#: mod/settings.php:1236 mod/settings.php:1237 mod/settings.php:1238 -msgid "Yes" -msgstr "Да" - -#: include/items.php:2327 mod/allfriends.php:12 mod/api.php:26 mod/api.php:31 -#: mod/attach.php:33 mod/common.php:18 mod/contacts.php:360 -#: mod/crepair.php:102 mod/delegate.php:12 mod/display.php:481 -#: mod/editpost.php:10 mod/fsuggest.php:79 mod/invite.php:15 -#: mod/invite.php:103 mod/mood.php:115 mod/nogroup.php:27 mod/notes.php:23 -#: mod/ostatus_subscribe.php:9 mod/poke.php:154 mod/profile_photo.php:19 -#: mod/profile_photo.php:180 mod/profile_photo.php:191 -#: mod/profile_photo.php:204 mod/regmod.php:113 mod/repair_ostatus.php:9 -#: mod/suggest.php:58 mod/uimport.php:24 mod/viewcontacts.php:46 -#: mod/wall_attach.php:67 mod/wall_attach.php:70 mod/wallmessage.php:9 -#: mod/wallmessage.php:33 mod/wallmessage.php:73 mod/wallmessage.php:97 -#: mod/cal.php:299 mod/dfrn_confirm.php:61 mod/dirfind.php:11 -#: mod/events.php:185 mod/follow.php:11 mod/follow.php:74 mod/follow.php:158 -#: mod/group.php:19 mod/manage.php:102 mod/message.php:46 mod/message.php:171 -#: mod/network.php:4 mod/photos.php:166 mod/photos.php:1109 -#: mod/profiles.php:168 mod/profiles.php:607 mod/register.php:42 -#: mod/settings.php:22 mod/settings.php:130 mod/settings.php:668 -#: mod/wall_upload.php:101 mod/wall_upload.php:104 mod/item.php:196 -#: mod/item.php:208 mod/notifications.php:71 index.php:407 -msgid "Permission denied." -msgstr "Нет разрешения." - -#: include/items.php:2444 -msgid "Archives" -msgstr "Архивы" - -#: include/ostatus.php:1947 -#, php-format -msgid "%s is now following %s." -msgstr "%s теперь подписан на %s." - -#: include/ostatus.php:1948 -msgid "following" -msgstr "следует" - -#: include/ostatus.php:1951 -#, php-format -msgid "%s stopped following %s." -msgstr "%s отписался от %s." - -#: include/ostatus.php:1952 -msgid "stopped following" -msgstr "остановлено следование" - -#: include/text.php:307 +#: include/conversation.php:1693 src/Content/ContactSelector.php:125 +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: include/text.php:302 msgid "newer" msgstr "новее" -#: include/text.php:308 +#: include/text.php:303 msgid "older" msgstr "старее" -#: include/text.php:313 +#: include/text.php:308 msgid "first" msgstr "первый" -#: include/text.php:314 +#: include/text.php:309 msgid "prev" msgstr "пред." -#: include/text.php:348 +#: include/text.php:343 msgid "next" msgstr "след." -#: include/text.php:349 +#: include/text.php:344 msgid "last" msgstr "последний" -#: include/text.php:403 +#: include/text.php:398 msgid "Loading more entries..." msgstr "Загружаю больше сообщений..." -#: include/text.php:404 +#: include/text.php:399 msgid "The end" msgstr "Конец" -#: include/text.php:955 +#: include/text.php:884 msgid "No contacts" msgstr "Нет контактов" -#: include/text.php:980 +#: include/text.php:908 #, php-format msgid "%d Contact" msgid_plural "%d Contacts" @@ -2956,168 +935,275 @@ msgstr[1] "%d контактов" msgstr[2] "%d контактов" msgstr[3] "%d контактов" -#: include/text.php:993 +#: include/text.php:921 msgid "View Contacts" msgstr "Просмотр контактов" -#: include/text.php:1081 mod/editpost.php:99 mod/filer.php:31 mod/notes.php:62 +#: include/text.php:1010 mod/filer.php:35 mod/editpost.php:110 +#: mod/notes.php:67 msgid "Save" msgstr "Сохранить" -#: include/text.php:1144 +#: include/text.php:1010 +msgid "Follow" +msgstr "" + +#: include/text.php:1016 mod/search.php:155 src/Content/Nav.php:142 +msgid "Search" +msgstr "Поиск" + +#: include/text.php:1019 src/Content/Nav.php:58 +msgid "@name, !forum, #tags, content" +msgstr "@имя, !форум, #тег, контент" + +#: include/text.php:1025 src/Content/Nav.php:145 +msgid "Full Text" +msgstr "Контент" + +#: include/text.php:1026 src/Content/Nav.php:146 +#: src/Content/Widget/TagCloud.php:54 +msgid "Tags" +msgstr "Тэги" + +#: include/text.php:1027 mod/viewcontacts.php:131 mod/contacts.php:814 +#: mod/contacts.php:875 src/Content/Nav.php:147 src/Content/Nav.php:212 +#: src/Model/Profile.php:957 src/Model/Profile.php:960 +#: view/theme/frio/theme.php:270 +msgid "Contacts" +msgstr "Контакты" + +#: include/text.php:1030 src/Content/ForumManager.php:125 +#: src/Content/Nav.php:151 view/theme/vier/theme.php:254 +msgid "Forums" +msgstr "Форумы" + +#: include/text.php:1074 msgid "poke" msgstr "poke" -#: include/text.php:1144 +#: include/text.php:1074 msgid "poked" msgstr "ткнут" -#: include/text.php:1145 +#: include/text.php:1075 msgid "ping" msgstr "пинг" -#: include/text.php:1145 +#: include/text.php:1075 msgid "pinged" msgstr "пингуется" -#: include/text.php:1146 +#: include/text.php:1076 msgid "prod" msgstr "толкать" -#: include/text.php:1146 +#: include/text.php:1076 msgid "prodded" msgstr "толкнут" -#: include/text.php:1147 +#: include/text.php:1077 msgid "slap" msgstr "шлепнуть" -#: include/text.php:1147 +#: include/text.php:1077 msgid "slapped" msgstr "шлепнут" -#: include/text.php:1148 +#: include/text.php:1078 msgid "finger" msgstr "" -#: include/text.php:1148 +#: include/text.php:1078 msgid "fingered" msgstr "" -#: include/text.php:1149 +#: include/text.php:1079 msgid "rebuff" msgstr "" -#: include/text.php:1149 +#: include/text.php:1079 msgid "rebuffed" msgstr "" -#: include/text.php:1163 -msgid "happy" +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:379 +msgid "Monday" +msgstr "Понедельник" + +#: include/text.php:1093 src/Model/Event.php:380 +msgid "Tuesday" +msgstr "Вторник" + +#: include/text.php:1093 src/Model/Event.php:381 +msgid "Wednesday" +msgstr "Среда" + +#: include/text.php:1093 src/Model/Event.php:382 +msgid "Thursday" +msgstr "Четверг" + +#: include/text.php:1093 src/Model/Event.php:383 +msgid "Friday" +msgstr "Пятница" + +#: include/text.php:1093 src/Model/Event.php:384 +msgid "Saturday" +msgstr "Суббота" + +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:378 +msgid "Sunday" +msgstr "Воскресенье" + +#: include/text.php:1097 src/Model/Event.php:399 +msgid "January" +msgstr "Январь" + +#: include/text.php:1097 src/Model/Event.php:400 +msgid "February" +msgstr "Февраль" + +#: include/text.php:1097 src/Model/Event.php:401 +msgid "March" +msgstr "Март" + +#: include/text.php:1097 src/Model/Event.php:402 +msgid "April" +msgstr "Апрель" + +#: include/text.php:1097 include/text.php:1114 src/Model/Event.php:390 +#: src/Model/Event.php:403 +msgid "May" +msgstr "Май" + +#: include/text.php:1097 src/Model/Event.php:404 +msgid "June" +msgstr "Июнь" + +#: include/text.php:1097 src/Model/Event.php:405 +msgid "July" +msgstr "Июль" + +#: include/text.php:1097 src/Model/Event.php:406 +msgid "August" +msgstr "Август" + +#: include/text.php:1097 src/Model/Event.php:407 +msgid "September" +msgstr "Сентябрь" + +#: include/text.php:1097 src/Model/Event.php:408 +msgid "October" +msgstr "Октябрь" + +#: include/text.php:1097 src/Model/Event.php:409 +msgid "November" +msgstr "Ноябрь" + +#: include/text.php:1097 src/Model/Event.php:410 +msgid "December" +msgstr "Декабрь" + +#: include/text.php:1111 src/Model/Event.php:371 +msgid "Mon" +msgstr "Пн" + +#: include/text.php:1111 src/Model/Event.php:372 +msgid "Tue" +msgstr "Вт" + +#: include/text.php:1111 src/Model/Event.php:373 +msgid "Wed" +msgstr "Ср" + +#: include/text.php:1111 src/Model/Event.php:374 +msgid "Thu" +msgstr "Чт" + +#: include/text.php:1111 src/Model/Event.php:375 +msgid "Fri" +msgstr "Пт" + +#: include/text.php:1111 src/Model/Event.php:376 +msgid "Sat" +msgstr "Сб" + +#: include/text.php:1111 src/Model/Event.php:370 +msgid "Sun" +msgstr "Вс" + +#: include/text.php:1114 src/Model/Event.php:386 +msgid "Jan" +msgstr "Янв" + +#: include/text.php:1114 src/Model/Event.php:387 +msgid "Feb" +msgstr "Фев" + +#: include/text.php:1114 src/Model/Event.php:388 +msgid "Mar" +msgstr "Мрт" + +#: include/text.php:1114 src/Model/Event.php:389 +msgid "Apr" +msgstr "Апр" + +#: include/text.php:1114 src/Model/Event.php:392 +msgid "Jul" +msgstr "Июл" + +#: include/text.php:1114 src/Model/Event.php:393 +msgid "Aug" +msgstr "Авг" + +#: include/text.php:1114 +msgid "Sep" msgstr "" -#: include/text.php:1164 -msgid "sad" +#: include/text.php:1114 src/Model/Event.php:395 +msgid "Oct" +msgstr "Окт" + +#: include/text.php:1114 src/Model/Event.php:396 +msgid "Nov" +msgstr "Нбр" + +#: include/text.php:1114 src/Model/Event.php:397 +msgid "Dec" +msgstr "Дек" + +#: include/text.php:1275 +#, php-format +msgid "Content warning: %s" msgstr "" -#: include/text.php:1165 -msgid "mellow" -msgstr "" - -#: include/text.php:1166 -msgid "tired" -msgstr "" - -#: include/text.php:1167 -msgid "perky" -msgstr "" - -#: include/text.php:1168 -msgid "angry" -msgstr "" - -#: include/text.php:1169 -msgid "stupified" -msgstr "" - -#: include/text.php:1170 -msgid "puzzled" -msgstr "" - -#: include/text.php:1171 -msgid "interested" -msgstr "" - -#: include/text.php:1172 -msgid "bitter" -msgstr "" - -#: include/text.php:1173 -msgid "cheerful" -msgstr "" - -#: include/text.php:1174 -msgid "alive" -msgstr "" - -#: include/text.php:1175 -msgid "annoyed" -msgstr "" - -#: include/text.php:1176 -msgid "anxious" -msgstr "" - -#: include/text.php:1177 -msgid "cranky" -msgstr "" - -#: include/text.php:1178 -msgid "disturbed" -msgstr "" - -#: include/text.php:1179 -msgid "frustrated" -msgstr "" - -#: include/text.php:1180 -msgid "motivated" -msgstr "" - -#: include/text.php:1181 -msgid "relaxed" -msgstr "" - -#: include/text.php:1182 -msgid "surprised" -msgstr "" - -#: include/text.php:1392 mod/videos.php:386 +#: include/text.php:1345 mod/videos.php:380 msgid "View Video" msgstr "Просмотреть видео" -#: include/text.php:1424 +#: include/text.php:1362 msgid "bytes" msgstr "байт" -#: include/text.php:1456 include/text.php:1468 +#: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" msgstr "Нажмите, чтобы открыть / закрыть" -#: include/text.php:1594 +#: include/text.php:1559 msgid "View on separate page" msgstr "" -#: include/text.php:1595 +#: include/text.php:1560 msgid "view on separate page" msgstr "" -#: include/text.php:1874 +#: include/text.php:1565 include/text.php:1572 src/Model/Event.php:594 +msgid "link to source" +msgstr "ссылка на сообщение" + +#: include/text.php:1778 msgid "activity" msgstr "активность" -#: include/text.php:1876 mod/content.php:623 object/Item.php:419 -#: object/Item.php:431 +#: include/text.php:1780 src/Object/Post.php:429 src/Object/Post.php:441 msgid "comment" msgid_plural "comments" msgstr[0] "" @@ -3125,855 +1211,237 @@ msgstr[1] "" msgstr[2] "комментарий" msgstr[3] "комментарий" -#: include/text.php:1877 +#: include/text.php:1783 msgid "post" msgstr "сообщение" -#: include/text.php:2045 +#: include/text.php:1940 msgid "Item filed" msgstr "" -#: mod/allfriends.php:46 +#: mod/allfriends.php:51 msgid "No friends to display." msgstr "Нет друзей." -#: mod/api.php:76 mod/api.php:102 +#: mod/allfriends.php:90 mod/suggest.php:101 mod/match.php:105 +#: mod/dirfind.php:215 src/Content/Widget.php:37 src/Model/Profile.php:297 +msgid "Connect" +msgstr "Подключить" + +#: mod/api.php:85 mod/api.php:107 msgid "Authorize application connection" msgstr "Разрешить связь с приложением" -#: mod/api.php:77 +#: mod/api.php:86 msgid "Return to your app and insert this Securty Code:" msgstr "Вернитесь в ваше приложение и задайте этот код:" -#: mod/api.php:89 +#: mod/api.php:95 msgid "Please login to continue." msgstr "Пожалуйста, войдите для продолжения." -#: mod/api.php:104 +#: mod/api.php:109 msgid "" "Do you want to authorize this application to access your posts and contacts," " and/or create new posts for you?" msgstr "Вы действительно хотите разрешить этому приложению доступ к своим постам и контактам, а также создавать новые записи от вашего имени?" -#: mod/api.php:106 mod/dfrn_request.php:880 mod/follow.php:113 -#: mod/profiles.php:640 mod/profiles.php:644 mod/profiles.php:670 -#: mod/register.php:246 mod/settings.php:1171 mod/settings.php:1177 -#: mod/settings.php:1184 mod/settings.php:1188 mod/settings.php:1193 -#: mod/settings.php:1198 mod/settings.php:1203 mod/settings.php:1208 -#: mod/settings.php:1234 mod/settings.php:1235 mod/settings.php:1236 -#: mod/settings.php:1237 mod/settings.php:1238 +#: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 +#: mod/register.php:238 mod/settings.php:1105 mod/settings.php:1111 +#: mod/settings.php:1118 mod/settings.php:1122 mod/settings.php:1126 +#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 +#: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 +#: mod/settings.php:1161 mod/settings.php:1162 msgid "No" msgstr "Нет" -#: mod/apps.php:7 index.php:254 +#: mod/apps.php:14 index.php:245 msgid "You must be logged in to use addons. " msgstr "Вы должны войти в систему, чтобы использовать аддоны." -#: mod/apps.php:11 +#: mod/apps.php:19 msgid "Applications" msgstr "Приложения" -#: mod/apps.php:14 +#: mod/apps.php:22 msgid "No installed applications." msgstr "Нет установленных приложений." -#: mod/attach.php:8 +#: mod/attach.php:15 msgid "Item not available." msgstr "Пункт не доступен." -#: mod/attach.php:20 +#: mod/attach.php:25 msgid "Item was not found." msgstr "Пункт не был найден." -#: mod/bookmarklet.php:41 -msgid "The post was created" -msgstr "Пост был создан" - #: mod/common.php:91 msgid "No contacts in common." msgstr "Нет общих контактов." -#: mod/common.php:141 mod/contacts.php:871 +#: mod/common.php:140 mod/contacts.php:886 msgid "Common Friends" msgstr "Общие друзья" -#: mod/contacts.php:134 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" - -#: mod/contacts.php:169 mod/contacts.php:378 -msgid "Could not access contact record." -msgstr "Не удалось получить доступ к записи контакта." - -#: mod/contacts.php:183 -msgid "Could not locate selected profile." -msgstr "Не удалось найти выбранный профиль." - -#: mod/contacts.php:216 -msgid "Contact updated." -msgstr "Контакт обновлен." - -#: mod/contacts.php:218 mod/dfrn_request.php:593 -msgid "Failed to update contact record." -msgstr "Не удалось обновить запись контакта." - -#: mod/contacts.php:399 -msgid "Contact has been blocked" -msgstr "Контакт заблокирован" - -#: mod/contacts.php:399 -msgid "Contact has been unblocked" -msgstr "Контакт разблокирован" - -#: mod/contacts.php:410 -msgid "Contact has been ignored" -msgstr "Контакт проигнорирован" - -#: mod/contacts.php:410 -msgid "Contact has been unignored" -msgstr "У контакта отменено игнорирование" - -#: mod/contacts.php:422 -msgid "Contact has been archived" -msgstr "Контакт заархивирован" - -#: mod/contacts.php:422 -msgid "Contact has been unarchived" -msgstr "Контакт разархивирован" - -#: mod/contacts.php:447 -msgid "Drop contact" -msgstr "Удалить контакт" - -#: mod/contacts.php:450 mod/contacts.php:809 -msgid "Do you really want to delete this contact?" -msgstr "Вы действительно хотите удалить этот контакт?" - -#: mod/contacts.php:469 -msgid "Contact has been removed." -msgstr "Контакт удален." - -#: mod/contacts.php:506 -#, php-format -msgid "You are mutual friends with %s" -msgstr "У Вас взаимная дружба с %s" - -#: mod/contacts.php:510 -#, php-format -msgid "You are sharing with %s" -msgstr "Вы делитесь с %s" - -#: mod/contacts.php:515 -#, php-format -msgid "%s is sharing with you" -msgstr "%s делится с Вами" - -#: mod/contacts.php:535 -msgid "Private communications are not available for this contact." -msgstr "Приватные коммуникации недоступны для этого контакта." - -#: mod/contacts.php:538 mod/admin.php:978 -msgid "Never" -msgstr "Никогда" - -#: mod/contacts.php:542 -msgid "(Update was successful)" -msgstr "(Обновление было успешно)" - -#: mod/contacts.php:542 -msgid "(Update was not successful)" -msgstr "(Обновление не удалось)" - -#: mod/contacts.php:544 mod/contacts.php:972 -msgid "Suggest friends" -msgstr "Предложить друзей" - -#: mod/contacts.php:548 -#, php-format -msgid "Network type: %s" -msgstr "Сеть: %s" - -#: mod/contacts.php:561 -msgid "Communications lost with this contact!" -msgstr "Связь с контактом утеряна!" - -#: mod/contacts.php:564 -msgid "Fetch further information for feeds" -msgstr "Получить подробную информацию о фидах" - -#: mod/contacts.php:565 mod/admin.php:987 -msgid "Disabled" -msgstr "Отключенный" - -#: mod/contacts.php:565 -msgid "Fetch information" -msgstr "Получить информацию" - -#: mod/contacts.php:565 -msgid "Fetch information and keywords" -msgstr "Получить информацию и ключевые слова" - -#: mod/contacts.php:583 -msgid "Contact" -msgstr "Контакт" - -#: mod/contacts.php:585 mod/content.php:728 mod/crepair.php:156 -#: mod/fsuggest.php:108 mod/invite.php:142 mod/localtime.php:45 -#: mod/mood.php:138 mod/poke.php:203 mod/events.php:505 mod/manage.php:155 -#: mod/message.php:338 mod/message.php:521 mod/photos.php:1141 -#: mod/photos.php:1271 mod/photos.php:1597 mod/photos.php:1646 -#: mod/photos.php:1688 mod/photos.php:1768 mod/profiles.php:681 -#: mod/install.php:242 mod/install.php:282 object/Item.php:705 -#: view/theme/duepuntozero/config.php:61 view/theme/frio/config.php:64 -#: view/theme/quattro/config.php:67 view/theme/vier/config.php:112 -msgid "Submit" -msgstr "Добавить" - -#: mod/contacts.php:586 -msgid "Profile Visibility" -msgstr "Видимость профиля" - -#: mod/contacts.php:587 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Пожалуйста, выберите профиль, который вы хотите отображать %s, когда просмотр вашего профиля безопасен." - -#: mod/contacts.php:588 -msgid "Contact Information / Notes" -msgstr "Информация о контакте / Заметки" - -#: mod/contacts.php:589 -msgid "Edit contact notes" -msgstr "Редактировать заметки контакта" - -#: mod/contacts.php:594 mod/contacts.php:938 mod/nogroup.php:43 -#: mod/viewcontacts.php:102 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Посетить профиль %s [%s]" - -#: mod/contacts.php:595 -msgid "Block/Unblock contact" -msgstr "Блокировать / Разблокировать контакт" - -#: mod/contacts.php:596 -msgid "Ignore contact" -msgstr "Игнорировать контакт" - -#: mod/contacts.php:597 -msgid "Repair URL settings" -msgstr "Восстановить настройки URL" - -#: mod/contacts.php:598 -msgid "View conversations" -msgstr "Просмотр бесед" - -#: mod/contacts.php:604 -msgid "Last update:" -msgstr "Последнее обновление: " - -#: mod/contacts.php:606 -msgid "Update public posts" -msgstr "Обновить публичные сообщения" - -#: mod/contacts.php:608 mod/contacts.php:982 -msgid "Update now" -msgstr "Обновить сейчас" - -#: mod/contacts.php:613 mod/contacts.php:813 mod/contacts.php:991 -#: mod/admin.php:1510 -msgid "Unblock" -msgstr "Разблокировать" - -#: mod/contacts.php:613 mod/contacts.php:813 mod/contacts.php:991 -#: mod/admin.php:1509 -msgid "Block" -msgstr "Заблокировать" - -#: mod/contacts.php:614 mod/contacts.php:814 mod/contacts.php:999 -msgid "Unignore" -msgstr "Не игнорировать" - -#: mod/contacts.php:614 mod/contacts.php:814 mod/contacts.php:999 -#: mod/notifications.php:60 mod/notifications.php:179 -#: mod/notifications.php:263 -msgid "Ignore" -msgstr "Игнорировать" - -#: mod/contacts.php:618 -msgid "Currently blocked" -msgstr "В настоящее время заблокирован" - -#: mod/contacts.php:619 -msgid "Currently ignored" -msgstr "В настоящее время игнорируется" - -#: mod/contacts.php:620 -msgid "Currently archived" -msgstr "В данный момент архивирован" - -#: mod/contacts.php:621 mod/notifications.php:172 mod/notifications.php:251 -msgid "Hide this contact from others" -msgstr "Скрыть этот контакт от других" - -#: mod/contacts.php:621 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Ответы/лайки ваших публичных сообщений будут видимы." - -#: mod/contacts.php:622 -msgid "Notification for new posts" -msgstr "Уведомление о новых постах" - -#: mod/contacts.php:622 -msgid "Send a notification of every new post of this contact" -msgstr "Отправлять уведомление о каждом новом посте контакта" - -#: mod/contacts.php:625 -msgid "Blacklisted keywords" -msgstr "Черный список ключевых слов" - -#: mod/contacts.php:625 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "" - -#: mod/contacts.php:632 mod/follow.php:129 mod/notifications.php:255 -msgid "Profile URL" -msgstr "URL профиля" - -#: mod/contacts.php:643 -msgid "Actions" -msgstr "Действия" - -#: mod/contacts.php:646 -msgid "Contact Settings" -msgstr "Настройки контакта" - -#: mod/contacts.php:692 -msgid "Suggestions" -msgstr "Предложения" - -#: mod/contacts.php:695 -msgid "Suggest potential friends" -msgstr "Предложить потенциального знакомого" - -#: mod/contacts.php:700 mod/group.php:212 -msgid "All Contacts" -msgstr "Все контакты" - -#: mod/contacts.php:703 -msgid "Show all contacts" -msgstr "Показать все контакты" - -#: mod/contacts.php:708 -msgid "Unblocked" -msgstr "Не блокирован" - -#: mod/contacts.php:711 -msgid "Only show unblocked contacts" -msgstr "Показать только не блокированные контакты" - -#: mod/contacts.php:717 -msgid "Blocked" -msgstr "Заблокирован" - -#: mod/contacts.php:720 -msgid "Only show blocked contacts" -msgstr "Показать только блокированные контакты" - -#: mod/contacts.php:726 -msgid "Ignored" -msgstr "Игнорирован" - -#: mod/contacts.php:729 -msgid "Only show ignored contacts" -msgstr "Показать только игнорируемые контакты" - -#: mod/contacts.php:735 -msgid "Archived" -msgstr "Архивированные" - -#: mod/contacts.php:738 -msgid "Only show archived contacts" -msgstr "Показывать только архивные контакты" - -#: mod/contacts.php:744 -msgid "Hidden" -msgstr "Скрытые" - -#: mod/contacts.php:747 -msgid "Only show hidden contacts" -msgstr "Показывать только скрытые контакты" - -#: mod/contacts.php:804 -msgid "Search your contacts" -msgstr "Поиск ваших контактов" - -#: mod/contacts.php:805 mod/network.php:151 mod/search.php:227 -#, php-format -msgid "Results for: %s" -msgstr "Результаты для: %s" - -#: mod/contacts.php:812 mod/settings.php:160 mod/settings.php:707 -msgid "Update" -msgstr "Обновление" - -#: mod/contacts.php:815 mod/contacts.php:1007 -msgid "Archive" -msgstr "Архивировать" - -#: mod/contacts.php:815 mod/contacts.php:1007 -msgid "Unarchive" -msgstr "Разархивировать" - -#: mod/contacts.php:818 -msgid "Batch Actions" -msgstr "Пакетные действия" - -#: mod/contacts.php:864 -msgid "View all contacts" -msgstr "Показать все контакты" - -#: mod/contacts.php:874 -msgid "View all common friends" -msgstr "Показать все общие поля" - -#: mod/contacts.php:881 -msgid "Advanced Contact Settings" -msgstr "Дополнительные Настройки Контакта" - -#: mod/contacts.php:915 -msgid "Mutual Friendship" -msgstr "Взаимная дружба" - -#: mod/contacts.php:919 -msgid "is a fan of yours" -msgstr "является вашим поклонником" - -#: mod/contacts.php:923 -msgid "you are a fan of" -msgstr "Вы - поклонник" - -#: mod/contacts.php:939 mod/nogroup.php:44 -msgid "Edit contact" -msgstr "Редактировать контакт" - -#: mod/contacts.php:993 -msgid "Toggle Blocked status" -msgstr "Изменить статус блокированности (заблокировать/разблокировать)" - -#: mod/contacts.php:1001 -msgid "Toggle Ignored status" -msgstr "Изменить статус игнорирования" - -#: mod/contacts.php:1009 -msgid "Toggle Archive status" -msgstr "Сменить статус архивации (архивирова/не архивировать)" - -#: mod/contacts.php:1017 -msgid "Delete contact" -msgstr "Удалить контакт" - -#: mod/content.php:119 mod/network.php:475 -msgid "No such group" -msgstr "Нет такой группы" - -#: mod/content.php:130 mod/group.php:213 mod/network.php:502 -msgid "Group is empty" -msgstr "Группа пуста" - -#: mod/content.php:135 mod/network.php:506 -#, php-format -msgid "Group: %s" -msgstr "Группа: %s" - -#: mod/content.php:325 object/Item.php:96 -msgid "This entry was edited" -msgstr "Эта запись была отредактирована" - -#: mod/content.php:621 object/Item.php:417 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d комментарий" -msgstr[1] "%d комментариев" -msgstr[2] "%d комментариев" -msgstr[3] "%d комментариев" - -#: mod/content.php:638 mod/photos.php:1429 object/Item.php:117 -msgid "Private Message" -msgstr "Личное сообщение" - -#: mod/content.php:702 mod/photos.php:1625 object/Item.php:274 -msgid "I like this (toggle)" -msgstr "Нравится" - -#: mod/content.php:702 object/Item.php:274 -msgid "like" -msgstr "нравится" - -#: mod/content.php:703 mod/photos.php:1626 object/Item.php:275 -msgid "I don't like this (toggle)" -msgstr "Не нравится" - -#: mod/content.php:703 object/Item.php:275 -msgid "dislike" -msgstr "не нравится" - -#: mod/content.php:705 object/Item.php:278 -msgid "Share this" -msgstr "Поделитесь этим" - -#: mod/content.php:705 object/Item.php:278 -msgid "share" -msgstr "поделиться" - -#: mod/content.php:725 mod/photos.php:1643 mod/photos.php:1685 -#: mod/photos.php:1765 object/Item.php:702 -msgid "This is you" -msgstr "Это вы" - -#: mod/content.php:727 mod/content.php:950 mod/photos.php:1645 -#: mod/photos.php:1687 mod/photos.php:1767 object/Item.php:392 -#: object/Item.php:704 -msgid "Comment" -msgstr "Оставить комментарий" - -#: mod/content.php:729 object/Item.php:706 -msgid "Bold" -msgstr "Жирный" - -#: mod/content.php:730 object/Item.php:707 -msgid "Italic" -msgstr "Kурсивный" - -#: mod/content.php:731 object/Item.php:708 -msgid "Underline" -msgstr "Подчеркнутый" - -#: mod/content.php:732 object/Item.php:709 -msgid "Quote" -msgstr "Цитата" - -#: mod/content.php:733 object/Item.php:710 -msgid "Code" -msgstr "Код" - -#: mod/content.php:734 object/Item.php:711 -msgid "Image" -msgstr "Изображение / Фото" - -#: mod/content.php:735 object/Item.php:712 -msgid "Link" -msgstr "Ссылка" - -#: mod/content.php:736 object/Item.php:713 -msgid "Video" -msgstr "Видео" - -#: mod/content.php:746 mod/settings.php:743 object/Item.php:122 -#: object/Item.php:124 -msgid "Edit" -msgstr "Редактировать" - -#: mod/content.php:772 object/Item.php:238 -msgid "add star" -msgstr "пометить" - -#: mod/content.php:773 object/Item.php:239 -msgid "remove star" -msgstr "убрать метку" - -#: mod/content.php:774 object/Item.php:240 -msgid "toggle star status" -msgstr "переключить статус" - -#: mod/content.php:777 object/Item.php:243 -msgid "starred" -msgstr "помечено" - -#: mod/content.php:778 mod/content.php:800 object/Item.php:263 -msgid "add tag" -msgstr "добавить ключевое слово (тег)" - -#: mod/content.php:789 object/Item.php:251 -msgid "ignore thread" -msgstr "игнорировать тему" - -#: mod/content.php:790 object/Item.php:252 -msgid "unignore thread" -msgstr "не игнорировать тему" - -#: mod/content.php:791 object/Item.php:253 -msgid "toggle ignore status" -msgstr "изменить статус игнорирования" - -#: mod/content.php:794 mod/ostatus_subscribe.php:73 object/Item.php:256 -msgid "ignored" -msgstr "" - -#: mod/content.php:805 object/Item.php:141 -msgid "save to folder" -msgstr "сохранить в папке" - -#: mod/content.php:853 object/Item.php:212 -msgid "I will attend" -msgstr "" - -#: mod/content.php:853 object/Item.php:212 -msgid "I will not attend" -msgstr "" - -#: mod/content.php:853 object/Item.php:212 -msgid "I might attend" -msgstr "" - -#: mod/content.php:917 object/Item.php:358 -msgid "to" -msgstr "к" - -#: mod/content.php:918 object/Item.php:360 -msgid "Wall-to-Wall" -msgstr "Стена-на-Стену" - -#: mod/content.php:919 object/Item.php:361 -msgid "via Wall-To-Wall:" -msgstr "через Стена-на-Стену:" - -#: mod/credits.php:16 +#: mod/credits.php:18 msgid "Credits" msgstr "Признательность" -#: mod/credits.php:17 +#: mod/credits.php:19 msgid "" "Friendica is a community project, that would not be possible without the " "help of many people. Here is a list of those who have contributed to the " "code or the translation of Friendica. Thank you all!" msgstr "Friendica это проект сообщества, который был бы невозможен без помощи многих людей. Вот лист тех, кто писал код или помогал с переводом. Спасибо вам всем!" -#: mod/crepair.php:89 +#: mod/crepair.php:87 msgid "Contact settings applied." msgstr "Установки контакта приняты." -#: mod/crepair.php:91 +#: mod/crepair.php:89 msgid "Contact update failed." msgstr "Обновление контакта неудачное." -#: mod/crepair.php:116 mod/fsuggest.php:21 mod/fsuggest.php:93 -#: mod/dfrn_confirm.php:126 +#: mod/crepair.php:110 mod/dfrn_confirm.php:131 mod/fsuggest.php:30 +#: mod/fsuggest.php:96 msgid "Contact not found." msgstr "Контакт не найден." -#: mod/crepair.php:122 +#: mod/crepair.php:114 msgid "" "WARNING: This is highly advanced and if you enter incorrect" " information your communications with this contact may stop working." msgstr "ВНИМАНИЕ: Это крайне важно! Если вы введете неверную информацию, ваша связь с этим контактом перестанет работать." -#: mod/crepair.php:123 +#: mod/crepair.php:115 msgid "" "Please use your browser 'Back' button now if you are " "uncertain what to do on this page." msgstr "Пожалуйста, нажмите клавишу вашего браузера 'Back' или 'Назад' сейчас, если вы не уверены, что делаете на этой странице." -#: mod/crepair.php:136 mod/crepair.php:138 +#: mod/crepair.php:129 mod/crepair.php:131 msgid "No mirroring" msgstr "Не зеркалировать" -#: mod/crepair.php:136 +#: mod/crepair.php:129 msgid "Mirror as forwarded posting" msgstr "Зеркалировать как переадресованные сообщения" -#: mod/crepair.php:136 mod/crepair.php:138 +#: mod/crepair.php:129 mod/crepair.php:131 msgid "Mirror as my own posting" msgstr "Зеркалировать как мои сообщения" -#: mod/crepair.php:152 +#: mod/crepair.php:144 msgid "Return to contact editor" msgstr "Возврат к редактору контакта" -#: mod/crepair.php:154 +#: mod/crepair.php:146 msgid "Refetch contact data" msgstr "Обновить данные контакта" -#: mod/crepair.php:158 +#: mod/crepair.php:148 mod/invite.php:150 mod/manage.php:184 +#: mod/localtime.php:56 mod/poke.php:199 mod/fsuggest.php:114 +#: mod/message.php:265 mod/message.php:432 mod/photos.php:1080 +#: mod/photos.php:1160 mod/photos.php:1445 mod/photos.php:1491 +#: mod/photos.php:1530 mod/photos.php:1603 mod/install.php:251 +#: mod/install.php:290 mod/events.php:530 mod/profiles.php:672 +#: mod/contacts.php:610 src/Object/Post.php:796 +#: view/theme/duepuntozero/config.php:71 view/theme/frio/config.php:113 +#: view/theme/quattro/config.php:73 view/theme/vier/config.php:119 +msgid "Submit" +msgstr "Добавить" + +#: mod/crepair.php:149 msgid "Remote Self" msgstr "Remote Self" -#: mod/crepair.php:161 +#: mod/crepair.php:152 msgid "Mirror postings from this contact" msgstr "Зекралировать сообщения от этого контакта" -#: mod/crepair.php:163 +#: mod/crepair.php:154 msgid "" "Mark this contact as remote_self, this will cause friendica to repost new " "entries from this contact." msgstr "Пометить этот контакт как remote_self, что заставит Friendica постить сообщения от этого контакта." -#: mod/crepair.php:167 mod/settings.php:683 mod/settings.php:709 -#: mod/admin.php:1490 mod/admin.php:1503 mod/admin.php:1516 mod/admin.php:1532 +#: mod/crepair.php:158 mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 +#: mod/admin.php:1806 mod/admin.php:1822 mod/settings.php:677 +#: mod/settings.php:703 msgid "Name" msgstr "Имя" -#: mod/crepair.php:168 +#: mod/crepair.php:159 msgid "Account Nickname" msgstr "Ник аккаунта" -#: mod/crepair.php:169 +#: mod/crepair.php:160 msgid "@Tagname - overrides Name/Nickname" msgstr "@Tagname - перезаписывает Имя/Ник" -#: mod/crepair.php:170 +#: mod/crepair.php:161 msgid "Account URL" msgstr "URL аккаунта" -#: mod/crepair.php:171 +#: mod/crepair.php:162 msgid "Friend Request URL" msgstr "URL запроса в друзья" -#: mod/crepair.php:172 +#: mod/crepair.php:163 msgid "Friend Confirm URL" msgstr "URL подтверждения друга" -#: mod/crepair.php:173 +#: mod/crepair.php:164 msgid "Notification Endpoint URL" msgstr "URL эндпоинта уведомления" -#: mod/crepair.php:174 +#: mod/crepair.php:165 msgid "Poll/Feed URL" msgstr "URL опроса/ленты" -#: mod/crepair.php:175 +#: mod/crepair.php:166 msgid "New photo from this URL" msgstr "Новое фото из этой URL" -#: mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Не найдено возможных доверенных лиц." +#: mod/fbrowser.php:34 src/Content/Nav.php:102 src/Model/Profile.php:904 +#: view/theme/frio/theme.php:261 +msgid "Photos" +msgstr "Фото" -#: mod/delegate.php:132 -msgid "" -"Delegates are able to manage all aspects of this account/page except for " -"basic account settings. Please do not delegate your personal account to " -"anybody that you do not trust completely." -msgstr "Доверенные лица могут управлять всеми аспектами этого аккаунта/страницы, за исключением основных настроек аккаунта. Пожалуйста, не предоставляйте доступ в личный кабинет тому, кому вы не полностью доверяете." +#: mod/fbrowser.php:43 mod/fbrowser.php:68 mod/photos.php:194 +#: mod/photos.php:1062 mod/photos.php:1149 mod/photos.php:1166 +#: mod/photos.php:1659 mod/photos.php:1673 src/Model/Photo.php:244 +#: src/Model/Photo.php:253 +msgid "Contact Photos" +msgstr "Фотографии контакта" -#: mod/delegate.php:133 -msgid "Existing Page Managers" -msgstr "Существующие менеджеры страницы" +#: mod/fbrowser.php:105 mod/fbrowser.php:136 mod/profile_photo.php:250 +msgid "Upload" +msgstr "Загрузить" -#: mod/delegate.php:135 -msgid "Existing Page Delegates" -msgstr "Существующие уполномоченные страницы" - -#: mod/delegate.php:137 -msgid "Potential Delegates" -msgstr "Возможные доверенные лица" - -#: mod/delegate.php:139 mod/tagrm.php:95 -msgid "Remove" -msgstr "Удалить" - -#: mod/delegate.php:140 -msgid "Add" -msgstr "Добавить" - -#: mod/delegate.php:141 -msgid "No entries." -msgstr "Нет записей." - -#: mod/dfrn_poll.php:104 mod/dfrn_poll.php:539 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%1$s добро пожаловать %2$s" - -#: mod/directory.php:37 mod/display.php:200 mod/viewcontacts.php:36 -#: mod/community.php:18 mod/dfrn_request.php:804 mod/photos.php:979 -#: mod/probe.php:9 mod/search.php:93 mod/search.php:99 mod/videos.php:198 -#: mod/webfinger.php:8 -msgid "Public access denied." -msgstr "Свободный доступ закрыт." - -#: mod/directory.php:199 view/theme/vier/theme.php:199 -msgid "Global Directory" -msgstr "Глобальный каталог" - -#: mod/directory.php:201 -msgid "Find on this site" -msgstr "Найти на этом сайте" - -#: mod/directory.php:203 -msgid "Results for:" -msgstr "Результаты для:" - -#: mod/directory.php:205 -msgid "Site Directory" -msgstr "Каталог сайта" - -#: mod/directory.php:212 -msgid "No entries (some entries may be hidden)." -msgstr "Нет записей (некоторые записи могут быть скрыты)." - -#: mod/display.php:328 mod/cal.php:143 mod/profile.php:155 -msgid "Access to this profile has been restricted." -msgstr "Доступ к этому профилю ограничен." - -#: mod/display.php:479 -msgid "Item has been removed." -msgstr "Пункт был удален." - -#: mod/editpost.php:17 mod/editpost.php:27 -msgid "Item not found" -msgstr "Элемент не найден" - -#: mod/editpost.php:32 -msgid "Edit post" -msgstr "Редактировать сообщение" - -#: mod/fbrowser.php:132 +#: mod/fbrowser.php:131 msgid "Files" msgstr "Файлы" -#: mod/fetch.php:12 mod/fetch.php:39 mod/fetch.php:48 mod/help.php:53 -#: mod/p.php:16 mod/p.php:43 mod/p.php:52 index.php:298 +#: mod/fetch.php:16 mod/fetch.php:52 mod/fetch.php:65 mod/help.php:60 +#: mod/p.php:21 mod/p.php:48 mod/p.php:57 index.php:292 msgid "Not Found" msgstr "Не найдено" -#: mod/filer.php:30 -msgid "- select -" -msgstr "- выбрать -" - -#: mod/fsuggest.php:64 -msgid "Friend suggestion sent." -msgstr "Приглашение в друзья отправлено." - -#: mod/fsuggest.php:98 -msgid "Suggest Friends" -msgstr "Предложить друзей" - -#: mod/fsuggest.php:100 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Предложить друга для %s." - -#: mod/hcard.php:11 +#: mod/hcard.php:18 msgid "No profile" msgstr "Нет профиля" -#: mod/help.php:41 +#: mod/help.php:48 msgid "Help:" msgstr "Помощь:" -#: mod/help.php:56 index.php:301 +#: mod/help.php:54 src/Content/Nav.php:134 view/theme/vier/theme.php:298 +msgid "Help" +msgstr "Помощь" + +#: mod/help.php:63 index.php:297 msgid "Page not found." msgstr "Страница не найдена." @@ -3982,305 +1450,27 @@ msgstr "Страница не найдена." msgid "Welcome to %s" msgstr "Добро пожаловать на %s!" -#: mod/invite.php:28 -msgid "Total invitation limit exceeded." -msgstr "Превышен общий лимит приглашений." - -#: mod/invite.php:51 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s: Неверный адрес электронной почты." - -#: mod/invite.php:76 -msgid "Please join us on Friendica" -msgstr "Пожалуйста, присоединяйтесь к нам на Friendica" - -#: mod/invite.php:87 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Лимит приглашений превышен. Пожалуйста, свяжитесь с администратором сайта." - -#: mod/invite.php:91 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s: Доставка сообщения не удалась." - -#: mod/invite.php:95 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d сообщение отправлено." -msgstr[1] "%d сообщений отправлено." -msgstr[2] "%d сообщений отправлено." -msgstr[3] "%d сообщений отправлено." - -#: mod/invite.php:114 -msgid "You have no more invitations available" -msgstr "У вас нет больше приглашений" - -#: mod/invite.php:122 -#, php-format -msgid "" -"Visit %s for a list of public sites that you can join. Friendica members on " -"other sites can all connect with each other, as well as with members of many" -" other social networks." -msgstr "Посетите %s со списком общедоступных сайтов, к которым вы можете присоединиться. Все участники Friendica на других сайтах могут соединиться друг с другом, а также с участниками многих других социальных сетей." - -#: mod/invite.php:124 -#, php-format -msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Для одобрения этого приглашения, пожалуйста, посетите и зарегистрируйтесь на %s ,или любом другом публичном сервере Friendica" - -#: mod/invite.php:125 -#, php-format -msgid "" -"Friendica sites all inter-connect to create a huge privacy-enhanced social " -"web that is owned and controlled by its members. They can also connect with " -"many traditional social networks. See %s for a list of alternate Friendica " -"sites you can join." -msgstr "Сайты Friendica, подключившись между собой, могут создать сеть с повышенной безопасностью, которая принадлежит и управляется её членами. Они также могут подключаться ко многим традиционным социальным сетям. См. %s со списком альтернативных сайтов Friendica, к которым вы можете присоединиться." - -#: mod/invite.php:128 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Извините. Эта система в настоящее время не сконфигурирована для соединения с другими общественными сайтами и для приглашения участников." - -#: mod/invite.php:134 -msgid "Send invitations" -msgstr "Отправить приглашения" - -#: mod/invite.php:135 -msgid "Enter email addresses, one per line:" -msgstr "Введите адреса электронной почты, по одному в строке:" - -#: mod/invite.php:136 mod/wallmessage.php:135 mod/message.php:332 -#: mod/message.php:515 -msgid "Your message:" -msgstr "Ваше сообщение:" - -#: mod/invite.php:137 -msgid "" -"You are cordially invited to join me and other close friends on Friendica - " -"and help us to create a better social web." -msgstr "Приглашаем Вас присоединиться ко мне и другим близким друзьям на Friendica - помочь нам создать лучшую социальную сеть." - -#: mod/invite.php:139 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Вам нужно будет предоставить этот код приглашения: $invite_code" - -#: mod/invite.php:139 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "После того как вы зарегистрировались, пожалуйста, свяжитесь со мной через мою страницу профиля по адресу:" - -#: mod/invite.php:141 -msgid "" -"For more information about the Friendica project and why we feel it is " -"important, please visit http://friendica.com" -msgstr "Для получения более подробной информации о проекте Friendica, пожалуйста, посетите http://friendica.com" - -#: mod/localtime.php:24 -msgid "Time Conversion" -msgstr "История общения" - -#: mod/localtime.php:26 -msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica предоставляет этот сервис для обмена событиями с другими сетями и друзьями, находящимися в неопределённых часовых поясах." - -#: mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "UTC время: %s" - -#: mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Ваш часовой пояс: %s" - -#: mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Ваше изменённое время: %s" - -#: mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Выберите пожалуйста ваш часовой пояс:" - -#: mod/lockview.php:32 mod/lockview.php:40 +#: mod/lockview.php:38 mod/lockview.php:46 msgid "Remote privacy information not available." msgstr "Личная информация удаленно недоступна." -#: mod/lockview.php:49 +#: mod/lockview.php:55 msgid "Visible to:" msgstr "Кто может видеть:" -#: mod/lostpass.php:19 -msgid "No valid account found." -msgstr "Не найдено действительного аккаунта." - -#: mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "Запрос на сброс пароля принят. Проверьте вашу электронную почту." - -#: mod/lostpass.php:41 -#, php-format -msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tA request was recently received at \"%2$s\" to reset your account\n" -"\t\tpassword. In order to confirm this request, please select the verification link\n" -"\t\tbelow or paste it into your web browser address bar.\n" -"\n" -"\t\tIf you did NOT request this change, please DO NOT follow the link\n" -"\t\tprovided and ignore and/or delete this email.\n" -"\n" -"\t\tYour password will not be changed unless we can verify that you\n" -"\t\tissued this request." -msgstr "" - -#: mod/lostpass.php:52 -#, php-format -msgid "" -"\n" -"\t\tFollow this link to verify your identity:\n" -"\n" -"\t\t%1$s\n" -"\n" -"\t\tYou will then receive a follow-up message containing the new password.\n" -"\t\tYou may change that password from your account settings page after logging in.\n" -"\n" -"\t\tThe login details are as follows:\n" -"\n" -"\t\tSite Location:\t%2$s\n" -"\t\tLogin Name:\t%3$s" -msgstr "" - -#: mod/lostpass.php:71 -#, php-format -msgid "Password reset requested at %s" -msgstr "Запрос на сброс пароля получен %s" - -#: mod/lostpass.php:91 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "Запрос не может быть проверен. (Вы, возможно, ранее представляли его.) Попытка сброса пароля неудачная." - -#: mod/lostpass.php:110 boot.php:1882 -msgid "Password Reset" -msgstr "Сброс пароля" - -#: mod/lostpass.php:111 -msgid "Your password has been reset as requested." -msgstr "Ваш пароль был сброшен по требованию." - -#: mod/lostpass.php:112 -msgid "Your new password is" -msgstr "Ваш новый пароль" - -#: mod/lostpass.php:113 -msgid "Save or copy your new password - and then" -msgstr "Сохраните или скопируйте новый пароль - и затем" - -#: mod/lostpass.php:114 -msgid "click here to login" -msgstr "нажмите здесь для входа" - -#: mod/lostpass.php:115 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Ваш пароль может быть изменен на странице Настройки после успешного входа." - -#: mod/lostpass.php:125 -#, php-format -msgid "" -"\n" -"\t\t\t\tDear %1$s,\n" -"\t\t\t\t\tYour password has been changed as requested. Please retain this\n" -"\t\t\t\tinformation for your records (or change your password immediately to\n" -"\t\t\t\tsomething that you will remember).\n" -"\t\t\t" -msgstr "" - -#: mod/lostpass.php:131 -#, php-format -msgid "" -"\n" -"\t\t\t\tYour login details are as follows:\n" -"\n" -"\t\t\t\tSite Location:\t%1$s\n" -"\t\t\t\tLogin Name:\t%2$s\n" -"\t\t\t\tPassword:\t%3$s\n" -"\n" -"\t\t\t\tYou may change that password from your account settings page after logging in.\n" -"\t\t\t" -msgstr "" - -#: mod/lostpass.php:147 -#, php-format -msgid "Your password has been changed at %s" -msgstr "Ваш пароль был изменен %s" - -#: mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Забыли пароль?" - -#: mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Введите адрес электронной почты и подтвердите, что вы хотите сбросить ваш пароль. Затем проверьте свою электронную почту для получения дальнейших инструкций." - -#: mod/lostpass.php:161 boot.php:1870 -msgid "Nickname or Email: " -msgstr "Ник или E-mail: " - -#: mod/lostpass.php:162 -msgid "Reset" -msgstr "Сброс" - -#: mod/maintenance.php:20 +#: mod/maintenance.php:24 msgid "System down for maintenance" msgstr "Система закрыта на техническое обслуживание" -#: mod/match.php:35 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Нет соответствующих ключевых слов. Пожалуйста, добавьте ключевые слова для вашего профиля по умолчанию." - -#: mod/match.php:88 -msgid "is interested in:" -msgstr "интересуется:" - -#: mod/match.php:102 -msgid "Profile Match" -msgstr "Похожие профили" - -#: mod/match.php:109 mod/dirfind.php:245 -msgid "No matches" -msgstr "Нет соответствий" - -#: mod/mood.php:134 -msgid "Mood" -msgstr "Настроение" - -#: mod/mood.php:135 -msgid "Set your current mood and tell your friends" -msgstr "Напишите о вашем настроении и расскажите своим друзьям" - -#: mod/newmember.php:6 +#: mod/newmember.php:11 msgid "Welcome to Friendica" msgstr "Добро пожаловать в Friendica" -#: mod/newmember.php:8 +#: mod/newmember.php:12 msgid "New Member Checklist" msgstr "Новый контрольный список участников" -#: mod/newmember.php:12 +#: mod/newmember.php:14 msgid "" "We would like to offer some tips and links to help make your experience " "enjoyable. Click any item to visit the relevant page. A link to this page " @@ -4288,33 +1478,38 @@ msgid "" "registration and then will quietly disappear." msgstr "Мы хотели бы предложить некоторые советы и ссылки, помогающие сделать вашу работу приятнее. Нажмите на любой элемент, чтобы посетить соответствующую страницу. Ссылка на эту страницу будет видна на вашей домашней странице в течение двух недель после первоначальной регистрации, а затем она исчезнет." -#: mod/newmember.php:14 +#: mod/newmember.php:15 msgid "Getting Started" msgstr "Начало работы" -#: mod/newmember.php:18 +#: mod/newmember.php:17 msgid "Friendica Walk-Through" msgstr "Friendica тур" -#: mod/newmember.php:18 +#: mod/newmember.php:17 msgid "" "On your Quick Start page - find a brief introduction to your " "profile and network tabs, make some new connections, and find some groups to" " join." msgstr "На вашей странице Быстрый старт - можно найти краткое введение в ваш профиль и сетевые закладки, создать новые связи, и найти группы, чтобы присоединиться к ним." -#: mod/newmember.php:26 +#: mod/newmember.php:19 mod/admin.php:1906 mod/admin.php:2175 +#: mod/settings.php:123 src/Content/Nav.php:206 view/theme/frio/theme.php:269 +msgid "Settings" +msgstr "Настройки" + +#: mod/newmember.php:21 msgid "Go to Your Settings" msgstr "Перейти к вашим настройкам" -#: mod/newmember.php:26 +#: mod/newmember.php:21 msgid "" "On your Settings page - change your initial password. Also make a " "note of your Identity Address. This looks just like an email address - and " "will be useful in making friends on the free social web." msgstr "На вашей странице Настройки - вы можете изменить свой первоначальный пароль. Также обратите внимание на ваш личный адрес. Он выглядит так же, как адрес электронной почты - и будет полезен для поиска друзей в свободной социальной сети." -#: mod/newmember.php:28 +#: mod/newmember.php:22 msgid "" "Review the other settings, particularly the privacy settings. An unpublished" " directory listing is like having an unlisted phone number. In general, you " @@ -4322,81 +1517,88 @@ msgid "" "potential friends know exactly how to find you." msgstr "Просмотрите другие установки, в частности, параметры конфиденциальности. Неопубликованные пункты каталога с частными номерами телефона. В общем, вам, вероятно, следует опубликовать свою информацию - если все ваши друзья и потенциальные друзья точно знают, как вас найти." -#: mod/newmember.php:36 mod/profile_photo.php:256 mod/profiles.php:700 +#: mod/newmember.php:24 mod/profperm.php:113 mod/contacts.php:671 +#: mod/contacts.php:863 src/Content/Nav.php:101 src/Model/Profile.php:730 +#: src/Model/Profile.php:863 src/Model/Profile.php:896 +#: view/theme/frio/theme.php:260 +msgid "Profile" +msgstr "Информация" + +#: mod/newmember.php:26 mod/profile_photo.php:249 mod/profiles.php:691 msgid "Upload Profile Photo" msgstr "Загрузить фото профиля" -#: mod/newmember.php:36 +#: mod/newmember.php:26 msgid "" "Upload a profile photo if you have not done so already. Studies have shown " "that people with real photos of themselves are ten times more likely to make" " friends than people who do not." msgstr "Загрузите фотографию профиля, если вы еще не сделали это. Исследования показали, что люди с реальными фотографиями имеют в десять раз больше шансов подружиться, чем люди, которые этого не делают." -#: mod/newmember.php:38 +#: mod/newmember.php:27 msgid "Edit Your Profile" msgstr "Редактировать профиль" -#: mod/newmember.php:38 +#: mod/newmember.php:27 msgid "" "Edit your default profile to your liking. Review the " "settings for hiding your list of friends and hiding the profile from unknown" " visitors." msgstr "Отредактируйте профиль по умолчанию на свой ​​вкус. Просмотрите установки для сокрытия вашего списка друзей и сокрытия профиля от неизвестных посетителей." -#: mod/newmember.php:40 +#: mod/newmember.php:28 msgid "Profile Keywords" msgstr "Ключевые слова профиля" -#: mod/newmember.php:40 +#: mod/newmember.php:28 msgid "" "Set some public keywords for your default profile which describe your " "interests. We may be able to find other people with similar interests and " "suggest friendships." msgstr "Установите некоторые публичные ключевые слова для вашего профиля по умолчанию, которые описывают ваши интересы. Мы можем быть в состоянии найти других людей со схожими интересами и предложить дружбу." -#: mod/newmember.php:44 +#: mod/newmember.php:30 msgid "Connecting" msgstr "Подключение" -#: mod/newmember.php:51 +#: mod/newmember.php:36 msgid "Importing Emails" msgstr "Импортирование Email-ов" -#: mod/newmember.php:51 +#: mod/newmember.php:36 msgid "" "Enter your email access information on your Connector Settings page if you " "wish to import and interact with friends or mailing lists from your email " "INBOX" msgstr "Введите информацию о доступе к вашему email на странице настроек вашего коннектора, если вы хотите импортировать, и общаться с друзьями или получать рассылки на ваш ящик электронной почты" -#: mod/newmember.php:53 +#: mod/newmember.php:39 msgid "Go to Your Contacts Page" msgstr "Перейти на страницу ваших контактов" -#: mod/newmember.php:53 +#: mod/newmember.php:39 msgid "" "Your Contacts page is your gateway to managing friendships and connecting " "with friends on other networks. Typically you enter their address or site " "URL in the Add New Contact dialog." msgstr "Ваша страница контактов - это ваш шлюз к управлению дружбой и общением с друзьями в других сетях. Обычно вы вводите свой ​​адрес или адрес сайта в диалог Добавить новый контакт." -#: mod/newmember.php:55 +#: mod/newmember.php:40 msgid "Go to Your Site's Directory" msgstr "Перейти в каталог вашего сайта" -#: mod/newmember.php:55 +#: mod/newmember.php:40 msgid "" "The Directory page lets you find other people in this network or other " "federated sites. Look for a Connect or Follow link on " "their profile page. Provide your own Identity Address if requested." msgstr "На странице каталога вы можете найти других людей в этой сети или на других похожих сайтах. Ищите ссылки Подключить или Следовать на страницах их профилей. Укажите свой собственный адрес идентификации, если требуется." -#: mod/newmember.php:57 +#: mod/newmember.php:41 msgid "Finding New People" msgstr "Поиск людей" -#: mod/newmember.php:57 +#: mod/newmember.php:41 msgid "" "On the side panel of the Contacts page are several tools to find new " "friends. We can match people by interest, look up people by name or " @@ -4405,256 +1607,85 @@ msgid "" "hours." msgstr "На боковой панели страницы Контакты есть несколько инструментов, чтобы найти новых друзей. Мы можем искать по соответствию интересам, посмотреть людей по имени или интересам, и внести предложения на основе сетевых отношений. На новом сайте, предложения дружбы, как правило, начинают заполняться в течение 24 часов." -#: mod/newmember.php:65 +#: mod/newmember.php:43 src/Model/Group.php:401 +msgid "Groups" +msgstr "Группы" + +#: mod/newmember.php:45 msgid "Group Your Contacts" msgstr "Группа \"ваши контакты\"" -#: mod/newmember.php:65 +#: mod/newmember.php:45 msgid "" "Once you have made some friends, organize them into private conversation " "groups from the sidebar of your Contacts page and then you can interact with" " each group privately on your Network page." msgstr "После того, как вы найдете несколько друзей, организуйте их в группы частных бесед в боковой панели на странице Контакты, а затем вы можете взаимодействовать с каждой группой приватно или на вашей странице Сеть." -#: mod/newmember.php:68 +#: mod/newmember.php:48 msgid "Why Aren't My Posts Public?" msgstr "Почему мои посты не публичные?" -#: mod/newmember.php:68 +#: mod/newmember.php:48 msgid "" "Friendica respects your privacy. By default, your posts will only show up to" " people you've added as friends. For more information, see the help section " "from the link above." msgstr "Friendica уважает вашу приватность. По умолчанию, ваши сообщения будут показываться только для людей, которых вы добавили в список друзей. Для получения дополнительной информации см. раздел справки по ссылке выше." -#: mod/newmember.php:73 +#: mod/newmember.php:52 msgid "Getting Help" msgstr "Получить помощь" -#: mod/newmember.php:77 +#: mod/newmember.php:54 msgid "Go to the Help Section" msgstr "Перейти в раздел справки" -#: mod/newmember.php:77 +#: mod/newmember.php:54 msgid "" "Our help pages may be consulted for detail on other program" " features and resources." msgstr "Наши страницы помощи могут проконсультировать о подробностях и возможностях программы и ресурса." -#: mod/nogroup.php:65 +#: mod/nogroup.php:42 mod/viewcontacts.php:112 mod/contacts.php:619 +#: mod/contacts.php:959 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Посетить профиль %s [%s]" + +#: mod/nogroup.php:43 mod/contacts.php:960 +msgid "Edit contact" +msgstr "Редактировать контакт" + +#: mod/nogroup.php:63 msgid "Contacts who are not members of a group" msgstr "Контакты, которые не являются членами группы" -#: mod/notify.php:65 -msgid "No more system notifications." -msgstr "Системных уведомлений больше нет." - -#: mod/notify.php:69 mod/notifications.php:111 -msgid "System Notifications" -msgstr "Уведомления системы" - -#: mod/oexchange.php:21 -msgid "Post successful." -msgstr "Успешно добавлено." - -#: mod/ostatus_subscribe.php:14 -msgid "Subscribing to OStatus contacts" -msgstr "Подписка на OStatus-контакты" - -#: mod/ostatus_subscribe.php:25 -msgid "No contact provided." -msgstr "Не указан контакт." - -#: mod/ostatus_subscribe.php:31 -msgid "Couldn't fetch information for contact." -msgstr "Невозможно получить информацию о контакте." - -#: mod/ostatus_subscribe.php:40 -msgid "Couldn't fetch friends for contact." -msgstr "Невозможно получить друзей для контакта." - -#: mod/ostatus_subscribe.php:54 mod/repair_ostatus.php:44 -msgid "Done" -msgstr "Готово" - -#: mod/ostatus_subscribe.php:68 -msgid "success" -msgstr "удачно" - -#: mod/ostatus_subscribe.php:70 -msgid "failed" -msgstr "неудача" - -#: mod/ostatus_subscribe.php:78 mod/repair_ostatus.php:50 -msgid "Keep this window open until done." -msgstr "Держать окно открытым до завершения." - -#: mod/p.php:9 +#: mod/p.php:14 msgid "Not Extended" msgstr "Не расширенный" -#: mod/poke.php:196 -msgid "Poke/Prod" -msgstr "Потыкать/Потолкать" - -#: mod/poke.php:197 -msgid "poke, prod or do other things to somebody" -msgstr "Потыкать, потолкать или сделать что-то еще с кем-то" - -#: mod/poke.php:198 -msgid "Recipient" -msgstr "Получатель" - -#: mod/poke.php:199 -msgid "Choose what you wish to do to recipient" -msgstr "Выберите действия для получателя" - -#: mod/poke.php:202 -msgid "Make this post private" -msgstr "Сделать эту запись личной" - -#: mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Изображение загружено, но обрезка изображения не удалась." - -#: mod/profile_photo.php:77 mod/profile_photo.php:85 mod/profile_photo.php:93 -#: mod/profile_photo.php:323 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Уменьшение размера изображения [%s] не удалось." - -#: mod/profile_photo.php:127 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Перезагрузите страницу с зажатой клавишей \"Shift\" для того, чтобы увидеть свое новое фото немедленно." - -#: mod/profile_photo.php:137 -msgid "Unable to process image" -msgstr "Не удается обработать изображение" - -#: mod/profile_photo.php:156 mod/photos.php:813 mod/wall_upload.php:181 -#, php-format -msgid "Image exceeds size limit of %s" -msgstr "Изображение превышает лимит размера в %s" - -#: mod/profile_photo.php:165 mod/photos.php:854 mod/wall_upload.php:218 -msgid "Unable to process image." -msgstr "Невозможно обработать фото." - -#: mod/profile_photo.php:254 -msgid "Upload File:" -msgstr "Загрузить файл:" - -#: mod/profile_photo.php:255 -msgid "Select a profile:" -msgstr "Выбрать этот профиль:" - -#: mod/profile_photo.php:257 -msgid "Upload" -msgstr "Загрузить" - -#: mod/profile_photo.php:260 -msgid "or" -msgstr "или" - -#: mod/profile_photo.php:260 -msgid "skip this step" -msgstr "пропустить этот шаг" - -#: mod/profile_photo.php:260 -msgid "select a photo from your photo albums" -msgstr "выберите фото из ваших фотоальбомов" - -#: mod/profile_photo.php:274 -msgid "Crop Image" -msgstr "Обрезать изображение" - -#: mod/profile_photo.php:275 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Пожалуйста, настройте обрезку изображения для оптимального просмотра." - -#: mod/profile_photo.php:277 -msgid "Done Editing" -msgstr "Редактирование выполнено" - -#: mod/profile_photo.php:313 -msgid "Image uploaded successfully." -msgstr "Изображение загружено успешно." - -#: mod/profile_photo.php:315 mod/photos.php:883 mod/wall_upload.php:257 -msgid "Image upload failed." -msgstr "Загрузка фото неудачная." - -#: mod/profperm.php:20 mod/group.php:76 index.php:406 -msgid "Permission denied" -msgstr "Доступ запрещен" - -#: mod/profperm.php:26 mod/profperm.php:57 -msgid "Invalid profile identifier." -msgstr "Недопустимый идентификатор профиля." - -#: mod/profperm.php:103 -msgid "Profile Visibility Editor" -msgstr "Редактор видимости профиля" - -#: mod/profperm.php:107 mod/group.php:262 -msgid "Click on a contact to add or remove." -msgstr "Нажмите на контакт, чтобы добавить или удалить." - -#: mod/profperm.php:116 -msgid "Visible To" -msgstr "Видимый для" - -#: mod/profperm.php:132 -msgid "All Contacts (with secure profile access)" -msgstr "Все контакты (с безопасным доступом к профилю)" - -#: mod/regmod.php:58 -msgid "Account approved." -msgstr "Аккаунт утвержден." - -#: mod/regmod.php:95 -#, php-format -msgid "Registration revoked for %s" -msgstr "Регистрация отменена для %s" - -#: mod/regmod.php:107 -msgid "Please login." -msgstr "Пожалуйста, войдите с паролем." - -#: mod/removeme.php:52 mod/removeme.php:55 -msgid "Remove My Account" -msgstr "Удалить мой аккаунт" - -#: mod/removeme.php:53 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Это позволит полностью удалить ваш аккаунт. Как только это будет сделано, аккаунт восстановлению не подлежит." - -#: mod/removeme.php:54 -msgid "Please enter your password for verification:" -msgstr "Пожалуйста, введите свой пароль для проверки:" - -#: mod/repair_ostatus.php:14 +#: mod/repair_ostatus.php:18 msgid "Resubscribing to OStatus contacts" msgstr "Переподписаться на OStatus-контакты." -#: mod/repair_ostatus.php:30 +#: mod/repair_ostatus.php:34 msgid "Error" msgstr "Ошибка" -#: mod/subthread.php:104 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s подписан %2$s's %3$s" +#: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:64 +msgid "Done" +msgstr "Готово" -#: mod/suggest.php:27 +#: mod/repair_ostatus.php:54 mod/ostatus_subscribe.php:88 +msgid "Keep this window open until done." +msgstr "Держать окно открытым до завершения." + +#: mod/suggest.php:36 msgid "Do you really want to delete this suggestion?" msgstr "Вы действительно хотите удалить это предложение?" -#: mod/suggest.php:71 +#: mod/suggest.php:73 msgid "" "No suggestions available. If this is a new site, please try again in 24 " "hours." @@ -4664,328 +1695,504 @@ msgstr "Нет предложений. Если это новый сайт, по msgid "Ignore/Hide" msgstr "Проигнорировать/Скрыть" -#: mod/tagrm.php:43 -msgid "Tag removed" -msgstr "Ключевое слово удалено" +#: mod/suggest.php:114 src/Content/Widget.php:64 view/theme/vier/theme.php:203 +msgid "Friend Suggestions" +msgstr "Предложения друзей" -#: mod/tagrm.php:82 -msgid "Remove Item Tag" -msgstr "Удалить ключевое слово" - -#: mod/tagrm.php:84 -msgid "Select a tag to remove: " -msgstr "Выберите ключевое слово для удаления: " - -#: mod/uimport.php:51 mod/register.php:198 +#: mod/uimport.php:55 mod/register.php:191 msgid "" "This site has exceeded the number of allowed daily account registrations. " "Please try again tomorrow." msgstr "Этот сайт превысил допустимое количество ежедневных регистраций. Пожалуйста, повторите попытку завтра." -#: mod/uimport.php:66 mod/register.php:295 +#: mod/uimport.php:70 mod/register.php:285 msgid "Import" msgstr "Импорт" -#: mod/uimport.php:68 +#: mod/uimport.php:72 msgid "Move account" msgstr "Удалить аккаунт" -#: mod/uimport.php:69 +#: mod/uimport.php:73 msgid "You can import an account from another Friendica server." msgstr "Вы можете импортировать учетную запись с другого сервера Friendica." -#: mod/uimport.php:70 +#: mod/uimport.php:74 msgid "" "You need to export your account from the old server and upload it here. We " "will recreate your old account here with all your contacts. We will try also" " to inform your friends that you moved here." msgstr "Вам нужно экспортировать свой ​​аккаунт со старого сервера и загрузить его сюда. Мы восстановим ваш ​​старый аккаунт здесь со всеми вашими контактами. Мы постараемся также сообщить друзьям, что вы переехали сюда." -#: mod/uimport.php:71 +#: mod/uimport.php:75 msgid "" "This feature is experimental. We can't import contacts from the OStatus " "network (GNU Social/Statusnet) or from Diaspora" msgstr "Это экспериментальная функция. Мы не можем импортировать контакты из сети OStatus (GNU Social/ StatusNet) или из Diaspora" -#: mod/uimport.php:72 +#: mod/uimport.php:76 msgid "Account file" msgstr "Файл аккаунта" -#: mod/uimport.php:72 +#: mod/uimport.php:76 msgid "" "To export your account, go to \"Settings->Export your personal data\" and " "select \"Export account\"" msgstr "Для экспорта аккаунта, перейдите в \"Настройки->Экспортировать ваши данные\" и выберите \"Экспорт аккаунта\"" -#: mod/update_community.php:19 mod/update_display.php:23 -#: mod/update_network.php:27 mod/update_notes.php:36 mod/update_profile.php:35 +#: mod/update_community.php:27 mod/update_display.php:27 +#: mod/update_notes.php:40 mod/update_profile.php:39 mod/update_network.php:33 msgid "[Embedded content - reload page to view]" msgstr "[Встроенное содержание - перезагрузите страницу для просмотра]" -#: mod/viewcontacts.php:75 -msgid "No contacts." -msgstr "Нет контактов." - -#: mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Доступ запрещен." - -#: mod/wall_attach.php:17 mod/wall_attach.php:25 mod/wall_attach.php:76 -#: mod/wall_upload.php:36 mod/wall_upload.php:52 mod/wall_upload.php:110 -#: mod/wall_upload.php:150 mod/wall_upload.php:153 -msgid "Invalid request." -msgstr "Неверный запрос." - -#: mod/wall_attach.php:94 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Извините, похоже что загружаемый файл превышает лимиты, разрешенные конфигурацией PHP" - -#: mod/wall_attach.php:94 -msgid "Or - did you try to upload an empty file?" -msgstr "Или вы пытались загрузить пустой файл?" - -#: mod/wall_attach.php:105 +#: mod/dfrn_poll.php:123 mod/dfrn_poll.php:543 #, php-format -msgid "File exceeds size limit of %s" -msgstr "Файл превышает лимит размера в %s" +msgid "%1$s welcomes %2$s" +msgstr "%1$s добро пожаловать %2$s" -#: mod/wall_attach.php:158 mod/wall_attach.php:174 -msgid "File upload failed." -msgstr "Загрузка файла не удалась." +#: mod/match.php:48 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Нет соответствующих ключевых слов. Пожалуйста, добавьте ключевые слова для вашего профиля по умолчанию." -#: mod/wallmessage.php:42 mod/wallmessage.php:106 +#: mod/match.php:104 +msgid "is interested in:" +msgstr "интересуется:" + +#: mod/match.php:120 +msgid "Profile Match" +msgstr "Похожие профили" + +#: mod/match.php:125 mod/dirfind.php:253 +msgid "No matches" +msgstr "Нет соответствий" + +#: mod/notifications.php:37 +msgid "Invalid request identifier." +msgstr "Неверный идентификатор запроса." + +#: mod/notifications.php:46 mod/notifications.php:183 +#: mod/notifications.php:230 +msgid "Discard" +msgstr "Отказаться" + +#: mod/notifications.php:62 mod/notifications.php:182 +#: mod/notifications.php:266 mod/contacts.php:638 mod/contacts.php:828 +#: mod/contacts.php:1019 +msgid "Ignore" +msgstr "Игнорировать" + +#: mod/notifications.php:98 src/Content/Nav.php:189 +msgid "Notifications" +msgstr "Уведомления" + +#: mod/notifications.php:107 +msgid "Network Notifications" +msgstr "Уведомления сети" + +#: mod/notifications.php:113 mod/notify.php:81 +msgid "System Notifications" +msgstr "Уведомления системы" + +#: mod/notifications.php:119 +msgid "Personal Notifications" +msgstr "Личные уведомления" + +#: mod/notifications.php:125 +msgid "Home Notifications" +msgstr "Уведомления" + +#: mod/notifications.php:155 +msgid "Show Ignored Requests" +msgstr "Показать проигнорированные запросы" + +#: mod/notifications.php:155 +msgid "Hide Ignored Requests" +msgstr "Скрыть проигнорированные запросы" + +#: mod/notifications.php:167 mod/notifications.php:237 +msgid "Notification type: " +msgstr "Тип уведомления: " + +#: mod/notifications.php:170 #, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Количество ежедневных сообщений на стене %s превышено. Сообщение отменено.." +msgid "suggested by %s" +msgstr "предложено юзером %s" -#: mod/wallmessage.php:50 mod/message.php:60 -msgid "No recipient selected." -msgstr "Не выбран получатель." +#: mod/notifications.php:175 mod/notifications.php:254 mod/contacts.php:646 +msgid "Hide this contact from others" +msgstr "Скрыть этот контакт от других" -#: mod/wallmessage.php:53 -msgid "Unable to check your home location." -msgstr "Невозможно проверить местоположение." +#: mod/notifications.php:176 mod/notifications.php:255 +msgid "Post a new friend activity" +msgstr "Настроение" -#: mod/wallmessage.php:56 mod/message.php:67 -msgid "Message could not be sent." -msgstr "Сообщение не может быть отправлено." +#: mod/notifications.php:176 mod/notifications.php:255 +msgid "if applicable" +msgstr "если требуется" -#: mod/wallmessage.php:59 mod/message.php:70 -msgid "Message collection failure." -msgstr "Неудача коллекции сообщения." +#: mod/notifications.php:179 mod/notifications.php:264 mod/admin.php:1796 +msgid "Approve" +msgstr "Одобрить" -#: mod/wallmessage.php:62 mod/message.php:73 -msgid "Message sent." -msgstr "Сообщение отправлено." +#: mod/notifications.php:198 +msgid "Claims to be known to you: " +msgstr "Утверждения, о которых должно быть вам известно: " -#: mod/wallmessage.php:80 mod/wallmessage.php:89 -msgid "No recipient." -msgstr "Без адресата." +#: mod/notifications.php:199 +msgid "yes" +msgstr "да" -#: mod/wallmessage.php:126 mod/message.php:322 -msgid "Send Private Message" -msgstr "Отправить личное сообщение" +#: mod/notifications.php:199 +msgid "no" +msgstr "нет" -#: mod/wallmessage.php:127 +#: mod/notifications.php:200 mod/notifications.php:205 +msgid "Shall your connection be bidirectional or not?" +msgstr "Должно ли ваше соединение быть двухсторонним или нет?" + +#: mod/notifications.php:201 mod/notifications.php:206 #, php-format msgid "" -"If you wish for %s to respond, please check that the privacy settings on " -"your site allow private mail from unknown senders." -msgstr "Если Вы хотите ответить %s, пожалуйста, проверьте, позволяют ли настройки конфиденциальности на Вашем сайте принимать личные сообщения от неизвестных отправителей." +"Accepting %s as a friend allows %s to subscribe to your posts, and you will " +"also receive updates from them in your news feed." +msgstr "Принимая %s как друга вы позволяете %s читать ему свои посты, а также будете получать оные от него." -#: mod/wallmessage.php:128 mod/message.php:323 mod/message.php:510 -msgid "To:" -msgstr "Кому:" +#: mod/notifications.php:202 +#, php-format +msgid "" +"Accepting %s as a subscriber allows them to subscribe to your posts, but you" +" will not receive updates from them in your news feed." +msgstr "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него." -#: mod/wallmessage.php:129 mod/message.php:328 mod/message.php:512 -msgid "Subject:" -msgstr "Тема:" +#: mod/notifications.php:207 +#, php-format +msgid "" +"Accepting %s as a sharer allows them to subscribe to your posts, but you " +"will not receive updates from them in your news feed." +msgstr "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него." -#: mod/babel.php:16 -msgid "Source (bbcode) text:" -msgstr "Код (bbcode):" +#: mod/notifications.php:218 +msgid "Friend" +msgstr "Друг" -#: mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Код (Diaspora) для конвертации в BBcode:" +#: mod/notifications.php:219 +msgid "Sharer" +msgstr "Участник" -#: mod/babel.php:31 -msgid "Source input: " -msgstr "Ввести код:" +#: mod/notifications.php:219 +msgid "Subscriber" +msgstr "Подписант" -#: mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (raw HTML): " +#: mod/notifications.php:247 mod/events.php:518 mod/directory.php:148 +#: mod/contacts.php:660 src/Model/Profile.php:417 src/Model/Event.php:60 +#: src/Model/Event.php:85 src/Model/Event.php:421 src/Model/Event.php:900 +msgid "Location:" +msgstr "Откуда:" -#: mod/babel.php:39 -msgid "bb2html: " -msgstr "bb2html: " +#: mod/notifications.php:249 mod/directory.php:154 mod/contacts.php:664 +#: src/Model/Profile.php:423 src/Model/Profile.php:806 +msgid "About:" +msgstr "О себе:" -#: mod/babel.php:43 -msgid "bb2html2bb: " -msgstr "bb2html2bb: " +#: mod/notifications.php:251 mod/follow.php:174 mod/contacts.php:666 +#: src/Model/Profile.php:794 +msgid "Tags:" +msgstr "Ключевые слова: " -#: mod/babel.php:47 -msgid "bb2md: " -msgstr "bb2md: " +#: mod/notifications.php:253 mod/directory.php:151 src/Model/Profile.php:420 +#: src/Model/Profile.php:745 +msgid "Gender:" +msgstr "Пол:" -#: mod/babel.php:51 -msgid "bb2md2html: " -msgstr "bb2md2html: " +#: mod/notifications.php:258 mod/unfollow.php:122 mod/follow.php:166 +#: mod/contacts.php:656 mod/admin.php:490 mod/admin.php:500 +msgid "Profile URL" +msgstr "URL профиля" -#: mod/babel.php:55 -msgid "bb2dia2bb: " -msgstr "bb2dia2bb: " +#: mod/notifications.php:261 mod/contacts.php:71 src/Model/Profile.php:518 +msgid "Network:" +msgstr "Сеть:" -#: mod/babel.php:59 -msgid "bb2md2html2bb: " -msgstr "bb2md2html2bb: " +#: mod/notifications.php:275 +msgid "No introductions." +msgstr "Запросов нет." -#: mod/babel.php:65 -msgid "Source input (Diaspora format): " -msgstr "Ввод кода (формат Diaspora):" +#: mod/notifications.php:316 +msgid "Show unread" +msgstr "Показать непрочитанные" -#: mod/babel.php:69 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " +#: mod/notifications.php:316 +msgid "Show all" +msgstr "Показать все" -#: mod/cal.php:271 mod/events.php:375 -msgid "View" -msgstr "Смотреть" +#: mod/notifications.php:322 +#, php-format +msgid "No more %s notifications." +msgstr "Больше нет уведомлений о %s." -#: mod/cal.php:272 mod/events.php:377 -msgid "Previous" -msgstr "Назад" +#: mod/openid.php:29 +msgid "OpenID protocol error. No ID returned." +msgstr "Ошибка протокола OpenID. Не возвращён ID." -#: mod/cal.php:273 mod/events.php:378 mod/install.php:201 -msgid "Next" -msgstr "Далее" +#: mod/openid.php:66 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "Аккаунт не найден и OpenID регистрация не допускается на этом сайте." -#: mod/cal.php:282 mod/events.php:387 -msgid "list" -msgstr "список" +#: mod/openid.php:116 src/Module/Login.php:86 src/Module/Login.php:134 +msgid "Login failed." +msgstr "Войти не удалось." -#: mod/cal.php:292 -msgid "User not found" -msgstr "Пользователь не найден" - -#: mod/cal.php:308 -msgid "This calendar format is not supported" -msgstr "Этот формат календарей не поддерживается" - -#: mod/cal.php:310 -msgid "No exportable data found" -msgstr "Нет данных для экспорта" - -#: mod/cal.php:325 -msgid "calendar" -msgstr "календарь" - -#: mod/community.php:23 -msgid "Not available." -msgstr "Недоступно." - -#: mod/community.php:50 mod/search.php:219 -msgid "No results." -msgstr "Нет результатов." - -#: mod/dfrn_confirm.php:70 mod/profiles.php:19 mod/profiles.php:135 -#: mod/profiles.php:182 mod/profiles.php:619 +#: mod/dfrn_confirm.php:74 mod/profiles.php:39 mod/profiles.php:149 +#: mod/profiles.php:196 mod/profiles.php:618 msgid "Profile not found." msgstr "Профиль не найден." -#: mod/dfrn_confirm.php:127 +#: mod/dfrn_confirm.php:132 msgid "" "This may occasionally happen if contact was requested by both persons and it" " has already been approved." msgstr "Это может иногда происходить, если контакт запрашивали двое людей, и он был уже одобрен." -#: mod/dfrn_confirm.php:244 +#: mod/dfrn_confirm.php:242 msgid "Response from remote site was not understood." msgstr "Ответ от удаленного сайта не был понят." -#: mod/dfrn_confirm.php:253 mod/dfrn_confirm.php:258 +#: mod/dfrn_confirm.php:249 mod/dfrn_confirm.php:254 msgid "Unexpected response from remote site: " msgstr "Неожиданный ответ от удаленного сайта: " -#: mod/dfrn_confirm.php:267 +#: mod/dfrn_confirm.php:263 msgid "Confirmation completed successfully." msgstr "Подтверждение успешно завершено." -#: mod/dfrn_confirm.php:269 mod/dfrn_confirm.php:283 mod/dfrn_confirm.php:290 -msgid "Remote site reported: " -msgstr "Удаленный сайт сообщил: " - -#: mod/dfrn_confirm.php:281 +#: mod/dfrn_confirm.php:275 msgid "Temporary failure. Please wait and try again." msgstr "Временные неудачи. Подождите и попробуйте еще раз." -#: mod/dfrn_confirm.php:288 +#: mod/dfrn_confirm.php:278 msgid "Introduction failed or was revoked." msgstr "Запрос ошибочен или был отозван." -#: mod/dfrn_confirm.php:418 +#: mod/dfrn_confirm.php:283 +msgid "Remote site reported: " +msgstr "Удаленный сайт сообщил: " + +#: mod/dfrn_confirm.php:396 msgid "Unable to set contact photo." msgstr "Не удается установить фото контакта." -#: mod/dfrn_confirm.php:559 +#: mod/dfrn_confirm.php:498 #, php-format msgid "No user record found for '%s' " msgstr "Не найдено записи пользователя для '%s' " -#: mod/dfrn_confirm.php:569 +#: mod/dfrn_confirm.php:508 msgid "Our site encryption key is apparently messed up." msgstr "Наш ключ шифрования сайта, по-видимому, перепутался." -#: mod/dfrn_confirm.php:580 +#: mod/dfrn_confirm.php:519 msgid "Empty site URL was provided or URL could not be decrypted by us." msgstr "Был предоставлен пустой URL сайта ​​или URL не может быть расшифрован нами." -#: mod/dfrn_confirm.php:602 +#: mod/dfrn_confirm.php:535 msgid "Contact record was not found for you on our site." msgstr "Запись контакта не найдена для вас на нашем сайте." -#: mod/dfrn_confirm.php:616 +#: mod/dfrn_confirm.php:549 #, php-format msgid "Site public key not available in contact record for URL %s." msgstr "Публичный ключ недоступен в записи о контакте по ссылке %s" -#: mod/dfrn_confirm.php:636 +#: mod/dfrn_confirm.php:565 msgid "" "The ID provided by your system is a duplicate on our system. It should work " "if you try again." msgstr "ID, предложенный вашей системой, является дубликатом в нашей системе. Он должен работать, если вы повторите попытку." -#: mod/dfrn_confirm.php:647 +#: mod/dfrn_confirm.php:576 msgid "Unable to set your contact credentials on our system." msgstr "Не удалось установить ваши учетные данные контакта в нашей системе." -#: mod/dfrn_confirm.php:709 +#: mod/dfrn_confirm.php:631 msgid "Unable to update your contact profile details on our system" msgstr "Не удается обновить ваши контактные детали профиля в нашей системе" -#: mod/dfrn_confirm.php:781 +#: mod/dfrn_confirm.php:661 mod/dfrn_request.php:568 +#: src/Model/Contact.php:1520 +msgid "[Name Withheld]" +msgstr "[Имя не разглашается]" + +#: mod/dfrn_confirm.php:694 #, php-format msgid "%1$s has joined %2$s" msgstr "%1$s присоединился %2$s" -#: mod/dfrn_request.php:101 +#: mod/invite.php:33 +msgid "Total invitation limit exceeded." +msgstr "Превышен общий лимит приглашений." + +#: mod/invite.php:55 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s: Неверный адрес электронной почты." + +#: mod/invite.php:80 +msgid "Please join us on Friendica" +msgstr "Пожалуйста, присоединяйтесь к нам на Friendica" + +#: mod/invite.php:91 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Лимит приглашений превышен. Пожалуйста, свяжитесь с администратором сайта." + +#: mod/invite.php:95 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s: Доставка сообщения не удалась." + +#: mod/invite.php:99 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d сообщение отправлено." +msgstr[1] "%d сообщений отправлено." +msgstr[2] "%d сообщений отправлено." +msgstr[3] "%d сообщений отправлено." + +#: mod/invite.php:117 +msgid "You have no more invitations available" +msgstr "У вас нет больше приглашений" + +#: mod/invite.php:125 +#, php-format +msgid "" +"Visit %s for a list of public sites that you can join. Friendica members on " +"other sites can all connect with each other, as well as with members of many" +" other social networks." +msgstr "Посетите %s со списком общедоступных сайтов, к которым вы можете присоединиться. Все участники Friendica на других сайтах могут соединиться друг с другом, а также с участниками многих других социальных сетей." + +#: mod/invite.php:127 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Для одобрения этого приглашения, пожалуйста, посетите и зарегистрируйтесь на %s ,или любом другом публичном сервере Friendica" + +#: mod/invite.php:128 +#, php-format +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks. See %s for a list of alternate Friendica " +"sites you can join." +msgstr "Сайты Friendica, подключившись между собой, могут создать сеть с повышенной безопасностью, которая принадлежит и управляется её членами. Они также могут подключаться ко многим традиционным социальным сетям. См. %s со списком альтернативных сайтов Friendica, к которым вы можете присоединиться." + +#: mod/invite.php:132 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Извините. Эта система в настоящее время не сконфигурирована для соединения с другими общественными сайтами и для приглашения участников." + +#: mod/invite.php:136 +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks." +msgstr "" + +#: mod/invite.php:135 +#, php-format +msgid "To accept this invitation, please visit and register at %s." +msgstr "" + +#: mod/invite.php:142 +msgid "Send invitations" +msgstr "Отправить приглашения" + +#: mod/invite.php:143 +msgid "Enter email addresses, one per line:" +msgstr "Введите адреса электронной почты, по одному в строке:" + +#: mod/invite.php:144 mod/wallmessage.php:141 mod/message.php:259 +#: mod/message.php:426 +msgid "Your message:" +msgstr "Ваше сообщение:" + +#: mod/invite.php:145 +msgid "" +"You are cordially invited to join me and other close friends on Friendica - " +"and help us to create a better social web." +msgstr "Приглашаем Вас присоединиться ко мне и другим близким друзьям на Friendica - помочь нам создать лучшую социальную сеть." + +#: mod/invite.php:147 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Вам нужно будет предоставить этот код приглашения: $invite_code" + +#: mod/invite.php:147 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "После того как вы зарегистрировались, пожалуйста, свяжитесь со мной через мою страницу профиля по адресу:" + +#: mod/invite.php:149 +msgid "" +"For more information about the Friendica project and why we feel it is " +"important, please visit http://friendi.ca" +msgstr "" + +#: mod/wall_attach.php:24 mod/wall_attach.php:32 mod/wall_attach.php:83 +#: mod/wall_upload.php:38 mod/wall_upload.php:54 mod/wall_upload.php:112 +#: mod/wall_upload.php:155 mod/wall_upload.php:158 +msgid "Invalid request." +msgstr "Неверный запрос." + +#: mod/wall_attach.php:101 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Извините, похоже что загружаемый файл превышает лимиты, разрешенные конфигурацией PHP" + +#: mod/wall_attach.php:101 +msgid "Or - did you try to upload an empty file?" +msgstr "Или вы пытались загрузить пустой файл?" + +#: mod/wall_attach.php:112 +#, php-format +msgid "File exceeds size limit of %s" +msgstr "Файл превышает лимит размера в %s" + +#: mod/wall_attach.php:136 mod/wall_attach.php:152 +msgid "File upload failed." +msgstr "Загрузка файла не удалась." + +#: mod/manage.php:180 +msgid "Manage Identities and/or Pages" +msgstr "Управление идентификацией и / или страницами" + +#: mod/manage.php:181 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "" + +#: mod/manage.php:182 +msgid "Select an identity to manage: " +msgstr "Выберите идентификацию для управления: " + +#: mod/dfrn_request.php:94 msgid "This introduction has already been accepted." msgstr "Этот запрос был уже принят." -#: mod/dfrn_request.php:124 mod/dfrn_request.php:528 +#: mod/dfrn_request.php:112 mod/dfrn_request.php:359 msgid "Profile location is not valid or does not contain profile information." msgstr "Местоположение профиля является недопустимым или не содержит информацию о профиле." -#: mod/dfrn_request.php:129 mod/dfrn_request.php:533 +#: mod/dfrn_request.php:116 mod/dfrn_request.php:363 msgid "Warning: profile location has no identifiable owner name." msgstr "Внимание: местоположение профиля не имеет идентифицируемого имени владельца." -#: mod/dfrn_request.php:132 mod/dfrn_request.php:536 +#: mod/dfrn_request.php:119 mod/dfrn_request.php:366 msgid "Warning: profile location has no profile photo." msgstr "Внимание: местоположение профиля не имеет еще фотографии профиля." -#: mod/dfrn_request.php:136 mod/dfrn_request.php:540 +#: mod/dfrn_request.php:123 mod/dfrn_request.php:370 #, php-format msgid "%d required parameter was not found at the given location" msgid_plural "%d required parameters were not found at the given location" @@ -4994,416 +2201,696 @@ msgstr[1] "%d требуемых параметров не были найден msgstr[2] "%d требуемых параметров не были найдены в заданном месте" msgstr[3] "%d требуемых параметров не были найдены в заданном месте" -#: mod/dfrn_request.php:180 +#: mod/dfrn_request.php:162 msgid "Introduction complete." msgstr "Запрос создан." -#: mod/dfrn_request.php:225 +#: mod/dfrn_request.php:199 msgid "Unrecoverable protocol error." msgstr "Неисправимая ошибка протокола." -#: mod/dfrn_request.php:253 +#: mod/dfrn_request.php:226 msgid "Profile unavailable." msgstr "Профиль недоступен." -#: mod/dfrn_request.php:280 +#: mod/dfrn_request.php:248 #, php-format msgid "%s has received too many connection requests today." msgstr "К %s пришло сегодня слишком много запросов на подключение." -#: mod/dfrn_request.php:281 +#: mod/dfrn_request.php:249 msgid "Spam protection measures have been invoked." msgstr "Были применены меры защиты от спама." -#: mod/dfrn_request.php:282 +#: mod/dfrn_request.php:250 msgid "Friends are advised to please try again in 24 hours." msgstr "Друзья советуют попробовать еще раз в ближайшие 24 часа." -#: mod/dfrn_request.php:344 +#: mod/dfrn_request.php:280 msgid "Invalid locator" msgstr "Недопустимый локатор" -#: mod/dfrn_request.php:353 -msgid "Invalid email address." -msgstr "Неверный адрес электронной почты." - -#: mod/dfrn_request.php:378 -msgid "This account has not been configured for email. Request failed." -msgstr "Этот аккаунт не настроен для электронной почты. Запрос не удался." - -#: mod/dfrn_request.php:481 +#: mod/dfrn_request.php:316 msgid "You have already introduced yourself here." msgstr "Вы уже ввели информацию о себе здесь." -#: mod/dfrn_request.php:485 +#: mod/dfrn_request.php:319 #, php-format msgid "Apparently you are already friends with %s." msgstr "Похоже, что вы уже друзья с %s." -#: mod/dfrn_request.php:506 +#: mod/dfrn_request.php:339 msgid "Invalid profile URL." msgstr "Неверный URL профиля." -#: mod/dfrn_request.php:614 +#: mod/dfrn_request.php:345 src/Model/Contact.php:1223 +msgid "Disallowed profile URL." +msgstr "Запрещенный URL профиля." + +#: mod/dfrn_request.php:351 mod/friendica.php:128 mod/admin.php:353 +#: mod/admin.php:371 src/Model/Contact.php:1228 +msgid "Blocked domain" +msgstr "" + +#: mod/dfrn_request.php:419 mod/contacts.php:230 +msgid "Failed to update contact record." +msgstr "Не удалось обновить запись контакта." + +#: mod/dfrn_request.php:439 msgid "Your introduction has been sent." msgstr "Ваш запрос отправлен." -#: mod/dfrn_request.php:656 +#: mod/dfrn_request.php:477 msgid "" "Remote subscription can't be done for your network. Please subscribe " "directly on your system." msgstr "Удаленная подписка не может быть выполнена на вашей сети. Пожалуйста, подпишитесь на вашей системе." -#: mod/dfrn_request.php:677 +#: mod/dfrn_request.php:493 msgid "Please login to confirm introduction." msgstr "Для подтверждения запроса войдите пожалуйста с паролем." -#: mod/dfrn_request.php:687 +#: mod/dfrn_request.php:501 msgid "" "Incorrect identity currently logged in. Please login to " "this profile." msgstr "Неверно идентифицирован вход. Пожалуйста, войдите в этот профиль." -#: mod/dfrn_request.php:701 mod/dfrn_request.php:718 +#: mod/dfrn_request.php:515 mod/dfrn_request.php:532 msgid "Confirm" msgstr "Подтвердить" -#: mod/dfrn_request.php:713 +#: mod/dfrn_request.php:527 msgid "Hide this contact" msgstr "Скрыть этот контакт" -#: mod/dfrn_request.php:716 +#: mod/dfrn_request.php:530 #, php-format msgid "Welcome home %s." msgstr "Добро пожаловать домой, %s!" -#: mod/dfrn_request.php:717 +#: mod/dfrn_request.php:531 #, php-format msgid "Please confirm your introduction/connection request to %s." msgstr "Пожалуйста, подтвердите краткую информацию / запрос на подключение к %s." -#: mod/dfrn_request.php:848 +#: mod/dfrn_request.php:607 mod/probe.php:13 mod/viewcontacts.php:45 +#: mod/webfinger.php:16 mod/search.php:98 mod/search.php:104 +#: mod/community.php:27 mod/photos.php:932 mod/videos.php:199 +#: mod/display.php:203 mod/directory.php:42 +msgid "Public access denied." +msgstr "Свободный доступ закрыт." + +#: mod/dfrn_request.php:642 msgid "" "Please enter your 'Identity Address' from one of the following supported " "communications networks:" msgstr "Пожалуйста, введите ваш 'идентификационный адрес' одной из следующих поддерживаемых социальных сетей:" -#: mod/dfrn_request.php:872 +#: mod/dfrn_request.php:645 #, php-format msgid "" -"If you are not yet a member of the free social web, follow this link to find a public Friendica site and " -"join us today." -msgstr "Если вы еще не являетесь членом свободной социальной сети, перейдите по этой ссылке, чтобы найти публичный сервер Friendica и присоединиться к нам сейчас ." +"If you are not yet a member of the free social web, follow " +"this link to find a public Friendica site and join us today." +msgstr "" -#: mod/dfrn_request.php:877 +#: mod/dfrn_request.php:650 msgid "Friend/Connection Request" msgstr "Запрос в друзья / на подключение" -#: mod/dfrn_request.php:878 +#: mod/dfrn_request.php:651 msgid "" "Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Примеры: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" +"testuser@gnusocial.de" +msgstr "" -#: mod/dfrn_request.php:879 mod/follow.php:112 +#: mod/dfrn_request.php:652 mod/follow.php:149 msgid "Please answer the following:" msgstr "Пожалуйста, ответьте следующее:" -#: mod/dfrn_request.php:880 mod/follow.php:113 +#: mod/dfrn_request.php:653 mod/follow.php:150 #, php-format msgid "Does %s know you?" msgstr "%s знает вас?" -#: mod/dfrn_request.php:884 mod/follow.php:114 +#: mod/dfrn_request.php:654 mod/follow.php:151 msgid "Add a personal note:" msgstr "Добавить личную заметку:" -#: mod/dfrn_request.php:887 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet / Federated Social Web" +#: mod/dfrn_request.php:656 src/Content/ContactSelector.php:79 +msgid "Friendica" +msgstr "Friendica" -#: mod/dfrn_request.php:889 +#: mod/dfrn_request.php:657 +msgid "GNU Social (Pleroma, Mastodon)" +msgstr "" + +#: mod/dfrn_request.php:658 +msgid "Diaspora (Socialhome, Hubzilla)" +msgstr "" + +#: mod/dfrn_request.php:659 #, php-format msgid "" " - please do not use this form. Instead, enter %s into your Diaspora search" " bar." msgstr "Участники сети Diaspora: пожалуйста, не пользуйтесь этой формой. Вместо этого введите %s в строке поиска Diaspora" -#: mod/dfrn_request.php:890 mod/follow.php:120 +#: mod/dfrn_request.php:660 mod/unfollow.php:113 mod/follow.php:157 msgid "Your Identity Address:" msgstr "Ваш идентификационный адрес:" -#: mod/dfrn_request.php:893 mod/follow.php:19 +#: mod/dfrn_request.php:662 mod/unfollow.php:65 mod/follow.php:62 msgid "Submit Request" msgstr "Отправить запрос" -#: mod/dirfind.php:37 -#, php-format -msgid "People Search - %s" -msgstr "Поиск по людям - %s" +#: mod/localtime.php:19 src/Model/Event.php:36 src/Model/Event.php:814 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" -#: mod/dirfind.php:48 -#, php-format -msgid "Forum Search - %s" -msgstr "Поиск по форумам - %s" +#: mod/localtime.php:33 +msgid "Time Conversion" +msgstr "История общения" -#: mod/events.php:93 mod/events.php:95 -msgid "Event can not end before it has started." -msgstr "Эвент не может закончится до старта." - -#: mod/events.php:102 mod/events.php:104 -msgid "Event title and start time are required." -msgstr "Название мероприятия и время начала обязательны для заполнения." - -#: mod/events.php:376 -msgid "Create New Event" -msgstr "Создать новое мероприятие" - -#: mod/events.php:481 -msgid "Event details" -msgstr "Сведения о мероприятии" - -#: mod/events.php:482 -msgid "Starting date and Title are required." -msgstr "Необходима дата старта и заголовок." - -#: mod/events.php:483 mod/events.php:484 -msgid "Event Starts:" -msgstr "Начало мероприятия:" - -#: mod/events.php:483 mod/events.php:495 mod/profiles.php:709 -msgid "Required" -msgstr "Требуется" - -#: mod/events.php:485 mod/events.php:501 -msgid "Finish date/time is not known or not relevant" -msgstr "Дата/время окончания не известны, или не указаны" - -#: mod/events.php:487 mod/events.php:488 -msgid "Event Finishes:" -msgstr "Окончание мероприятия:" - -#: mod/events.php:489 mod/events.php:502 -msgid "Adjust for viewer timezone" -msgstr "Настройка часового пояса" - -#: mod/events.php:491 -msgid "Description:" -msgstr "Описание:" - -#: mod/events.php:495 mod/events.php:497 -msgid "Title:" -msgstr "Титул:" - -#: mod/events.php:498 mod/events.php:499 -msgid "Share this event" -msgstr "Поделитесь этим мероприятием" - -#: mod/events.php:528 -msgid "Failed to remove event" -msgstr "" - -#: mod/events.php:530 -msgid "Event removed" -msgstr "" - -#: mod/follow.php:30 -msgid "You already added this contact." -msgstr "Вы уже добавили этот контакт." - -#: mod/follow.php:39 -msgid "Diaspora support isn't enabled. Contact can't be added." -msgstr "Поддержка Diaspora не включена. Контакт не может быть добавлен." - -#: mod/follow.php:46 -msgid "OStatus support is disabled. Contact can't be added." -msgstr "Поддержка OStatus выключена. Контакт не может быть добавлен." - -#: mod/follow.php:53 -msgid "The network type couldn't be detected. Contact can't be added." -msgstr "Тип сети не может быть определен. Контакт не может быть добавлен." - -#: mod/follow.php:186 -msgid "Contact added" -msgstr "Контакт добавлен" - -#: mod/friendica.php:68 -msgid "This is Friendica, version" -msgstr "Это Friendica, версия" - -#: mod/friendica.php:69 -msgid "running at web location" -msgstr "работает на веб-узле" - -#: mod/friendica.php:73 +#: mod/localtime.php:35 msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Пожалуйста, посетите сайт Friendica.com, чтобы узнать больше о проекте Friendica." +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica предоставляет этот сервис для обмена событиями с другими сетями и друзьями, находящимися в неопределённых часовых поясах." -#: mod/friendica.php:77 -msgid "Bug reports and issues: please visit" -msgstr "Отчет об ошибках и проблемах: пожалуйста, посетите" +#: mod/localtime.php:39 +#, php-format +msgid "UTC time: %s" +msgstr "UTC время: %s" -#: mod/friendica.php:77 -msgid "the bugtracker at github" -msgstr "багтрекер на github" +#: mod/localtime.php:42 +#, php-format +msgid "Current timezone: %s" +msgstr "Ваш часовой пояс: %s" -#: mod/friendica.php:80 +#: mod/localtime.php:46 +#, php-format +msgid "Converted localtime: %s" +msgstr "Ваше изменённое время: %s" + +#: mod/localtime.php:52 +msgid "Please select your timezone:" +msgstr "Выберите пожалуйста ваш часовой пояс:" + +#: mod/probe.php:14 mod/webfinger.php:17 +msgid "Only logged in users are permitted to perform a probing." +msgstr "" + +#: mod/profperm.php:28 mod/group.php:83 index.php:415 +msgid "Permission denied" +msgstr "Доступ запрещен" + +#: mod/profperm.php:34 mod/profperm.php:65 +msgid "Invalid profile identifier." +msgstr "Недопустимый идентификатор профиля." + +#: mod/profperm.php:111 +msgid "Profile Visibility Editor" +msgstr "Редактор видимости профиля" + +#: mod/profperm.php:115 mod/group.php:265 +msgid "Click on a contact to add or remove." +msgstr "Нажмите на контакт, чтобы добавить или удалить." + +#: mod/profperm.php:124 +msgid "Visible To" +msgstr "Видимый для" + +#: mod/profperm.php:140 +msgid "All Contacts (with secure profile access)" +msgstr "Все контакты (с безопасным доступом к профилю)" + +#: mod/regmod.php:68 +msgid "Account approved." +msgstr "Аккаунт утвержден." + +#: mod/regmod.php:93 +#, php-format +msgid "Registration revoked for %s" +msgstr "Регистрация отменена для %s" + +#: mod/regmod.php:102 +msgid "Please login." +msgstr "Пожалуйста, войдите с паролем." + +#: mod/removeme.php:55 mod/removeme.php:58 +msgid "Remove My Account" +msgstr "Удалить мой аккаунт" + +#: mod/removeme.php:56 msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Предложения, похвала, пожертвования? Пишите на \"info\" на Friendica - точка com" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Это позволит полностью удалить ваш аккаунт. Как только это будет сделано, аккаунт восстановлению не подлежит." -#: mod/friendica.php:94 -msgid "Installed plugins/addons/apps:" -msgstr "Установленные плагины / добавки / приложения:" +#: mod/removeme.php:57 +msgid "Please enter your password for verification:" +msgstr "Пожалуйста, введите свой пароль для проверки:" -#: mod/friendica.php:108 -msgid "No installed plugins/addons/apps" -msgstr "Нет установленных плагинов / добавок / приложений" +#: mod/viewcontacts.php:87 +msgid "No contacts." +msgstr "Нет контактов." -#: mod/friendica.php:113 -msgid "On this server the following remote servers are blocked." +#: mod/viewsrc.php:12 +msgid "Access denied." +msgstr "Доступ запрещен." + +#: mod/wallmessage.php:49 mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Количество ежедневных сообщений на стене %s превышено. Сообщение отменено.." + +#: mod/wallmessage.php:57 mod/message.php:73 +msgid "No recipient selected." +msgstr "Не выбран получатель." + +#: mod/wallmessage.php:60 +msgid "Unable to check your home location." +msgstr "Невозможно проверить местоположение." + +#: mod/wallmessage.php:63 mod/message.php:80 +msgid "Message could not be sent." +msgstr "Сообщение не может быть отправлено." + +#: mod/wallmessage.php:66 mod/message.php:83 +msgid "Message collection failure." +msgstr "Неудача коллекции сообщения." + +#: mod/wallmessage.php:69 mod/message.php:86 +msgid "Message sent." +msgstr "Сообщение отправлено." + +#: mod/wallmessage.php:86 mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Без адресата." + +#: mod/wallmessage.php:132 mod/message.php:250 +msgid "Send Private Message" +msgstr "Отправить личное сообщение" + +#: mod/wallmessage.php:133 +#, php-format +msgid "" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "Если Вы хотите ответить %s, пожалуйста, проверьте, позволяют ли настройки конфиденциальности на Вашем сайте принимать личные сообщения от неизвестных отправителей." + +#: mod/wallmessage.php:134 mod/message.php:251 mod/message.php:421 +msgid "To:" +msgstr "Кому:" + +#: mod/wallmessage.php:135 mod/message.php:255 mod/message.php:423 +msgid "Subject:" +msgstr "Тема:" + +#: mod/uexport.php:44 +msgid "Export account" +msgstr "Экспорт аккаунта" + +#: mod/uexport.php:44 +msgid "" +"Export your account info and contacts. Use this to make a backup of your " +"account and/or to move it to another server." +msgstr "Экспорт ваших регистрационных данные и контактов. Используйте, чтобы создать резервную копию вашего аккаунта и/или переместить его на другой сервер." + +#: mod/uexport.php:45 +msgid "Export all" +msgstr "Экспорт всего" + +#: mod/uexport.php:45 +msgid "" +"Export your accout info, contacts and all your items as json. Could be a " +"very big file, and could take a lot of time. Use this to make a full backup " +"of your account (photos are not exported)" +msgstr "Экспорт информации вашего аккаунта, контактов и всех ваших пунктов, как JSON. Может получиться очень большой файл и это может занять много времени. Используйте, чтобы создать полную резервную копию вашего аккаунта (фото не экспортируются)" + +#: mod/uexport.php:52 mod/settings.php:107 +msgid "Export personal data" +msgstr "Экспорт личных данных" + +#: mod/filer.php:34 +msgid "- select -" +msgstr "- выбрать -" + +#: mod/notify.php:77 +msgid "No more system notifications." +msgstr "Системных уведомлений больше нет." + +#: mod/ping.php:292 +msgid "{0} wants to be your friend" +msgstr "{0} хочет стать Вашим другом" + +#: mod/ping.php:307 +msgid "{0} sent you a message" +msgstr "{0} отправил Вам сообщение" + +#: mod/ping.php:322 +msgid "{0} requested registration" +msgstr "{0} требуемая регистрация" + +#: mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Потыкать/Потолкать" + +#: mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "Потыкать, потолкать или сделать что-то еще с кем-то" + +#: mod/poke.php:194 +msgid "Recipient" +msgstr "Получатель" + +#: mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Выберите действия для получателя" + +#: mod/poke.php:198 +msgid "Make this post private" +msgstr "Сделать эту запись личной" + +#: mod/subthread.php:113 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s подписан %2$s's %3$s" + +#: mod/tagrm.php:47 +msgid "Tag removed" +msgstr "Ключевое слово удалено" + +#: mod/tagrm.php:85 +msgid "Remove Item Tag" +msgstr "Удалить ключевое слово" + +#: mod/tagrm.php:87 +msgid "Select a tag to remove: " +msgstr "Выберите ключевое слово для удаления: " + +#: mod/tagrm.php:98 mod/delegate.php:177 +msgid "Remove" +msgstr "Удалить" + +#: mod/wall_upload.php:186 mod/photos.php:763 mod/photos.php:766 +#: mod/photos.php:795 mod/profile_photo.php:153 +#, php-format +msgid "Image exceeds size limit of %s" +msgstr "Изображение превышает лимит размера в %s" + +#: mod/wall_upload.php:200 mod/photos.php:818 mod/profile_photo.php:162 +msgid "Unable to process image." +msgstr "Невозможно обработать фото." + +#: mod/wall_upload.php:231 mod/item.php:471 src/Object/Image.php:953 +#: src/Object/Image.php:969 src/Object/Image.php:977 src/Object/Image.php:1002 +msgid "Wall Photos" +msgstr "Фото стены" + +#: mod/wall_upload.php:239 mod/photos.php:847 mod/profile_photo.php:307 +msgid "Image upload failed." +msgstr "Загрузка фото неудачная." + +#: mod/search.php:37 mod/network.php:194 +msgid "Remove term" +msgstr "Удалить элемент" + +#: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 +msgid "Saved Searches" +msgstr "запомненные поиски" + +#: mod/search.php:105 +msgid "Only logged in users are permitted to perform a search." +msgstr "Только зарегистрированные пользователи могут использовать поиск." + +#: mod/search.php:129 +msgid "Too Many Requests" +msgstr "Слишком много запросов" + +#: mod/search.php:130 +msgid "Only one search per minute is permitted for not logged in users." +msgstr "Незарегистрированные пользователи могут выполнять поиск раз в минуту." + +#: mod/search.php:228 mod/community.php:136 +msgid "No results." +msgstr "Нет результатов." + +#: mod/search.php:234 +#, php-format +msgid "Items tagged with: %s" +msgstr "Элементы с тегами: %s" + +#: mod/search.php:236 mod/contacts.php:819 +#, php-format +msgid "Results for: %s" +msgstr "Результаты для: %s" + +#: mod/bookmarklet.php:23 src/Content/Nav.php:114 src/Module/Login.php:312 +msgid "Login" +msgstr "Вход" + +#: mod/bookmarklet.php:51 +msgid "The post was created" +msgstr "Пост был создан" + +#: mod/community.php:46 +msgid "Community option not available." msgstr "" -#: mod/friendica.php:114 mod/admin.php:280 mod/admin.php:298 -msgid "Reason for the block" +#: mod/community.php:63 +msgid "Not available." +msgstr "Недоступно." + +#: mod/community.php:76 +msgid "Local Community" msgstr "" -#: mod/group.php:29 +#: mod/community.php:79 +msgid "Posts from local users on this server" +msgstr "" + +#: mod/community.php:87 +msgid "Global Community" +msgstr "" + +#: mod/community.php:90 +msgid "Posts from users of the whole federated network" +msgstr "" + +#: mod/community.php:180 +msgid "" +"This community stream shows all public posts received by this node. They may" +" not reflect the opinions of this node’s users." +msgstr "" + +#: mod/editpost.php:25 mod/editpost.php:35 +msgid "Item not found" +msgstr "Элемент не найден" + +#: mod/editpost.php:42 +msgid "Edit post" +msgstr "Редактировать сообщение" + +#: mod/editpost.php:134 src/Core/ACL.php:315 +msgid "CC: email addresses" +msgstr "Копии на email адреса" + +#: mod/editpost.php:141 src/Core/ACL.php:316 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Пример: bob@example.com, mary@example.com" + +#: mod/feedtest.php:20 +msgid "You must be logged in to use this module" +msgstr "" + +#: mod/feedtest.php:48 +msgid "Source URL" +msgstr "" + +#: mod/fsuggest.php:72 +msgid "Friend suggestion sent." +msgstr "Приглашение в друзья отправлено." + +#: mod/fsuggest.php:101 +msgid "Suggest Friends" +msgstr "Предложить друзей" + +#: mod/fsuggest.php:103 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Предложить друга для %s." + +#: mod/group.php:36 msgid "Group created." msgstr "Группа создана." -#: mod/group.php:35 +#: mod/group.php:42 msgid "Could not create group." msgstr "Не удалось создать группу." -#: mod/group.php:49 mod/group.php:154 +#: mod/group.php:56 mod/group.php:157 msgid "Group not found." msgstr "Группа не найдена." -#: mod/group.php:63 +#: mod/group.php:70 msgid "Group name changed." msgstr "Название группы изменено." -#: mod/group.php:93 +#: mod/group.php:97 msgid "Save Group" msgstr "Сохранить группу" -#: mod/group.php:98 +#: mod/group.php:102 msgid "Create a group of contacts/friends." msgstr "Создать группу контактов / друзей." -#: mod/group.php:123 +#: mod/group.php:103 mod/group.php:199 src/Model/Group.php:408 +msgid "Group Name: " +msgstr "Название группы: " + +#: mod/group.php:127 msgid "Group removed." msgstr "Группа удалена." -#: mod/group.php:125 +#: mod/group.php:129 msgid "Unable to remove group." msgstr "Не удается удалить группу." -#: mod/group.php:189 +#: mod/group.php:192 msgid "Delete Group" msgstr "" -#: mod/group.php:195 +#: mod/group.php:198 msgid "Group Editor" msgstr "Редактор групп" -#: mod/group.php:200 +#: mod/group.php:203 msgid "Edit Group Name" msgstr "" -#: mod/group.php:210 +#: mod/group.php:213 msgid "Members" msgstr "Участники" -#: mod/group.php:226 +#: mod/group.php:215 mod/contacts.php:719 +msgid "All Contacts" +msgstr "Все контакты" + +#: mod/group.php:216 mod/network.php:639 +msgid "Group is empty" +msgstr "Группа пуста" + +#: mod/group.php:229 msgid "Remove Contact" msgstr "" -#: mod/group.php:250 +#: mod/group.php:253 msgid "Add Contact" msgstr "" -#: mod/manage.php:151 -msgid "Manage Identities and/or Pages" -msgstr "Управление идентификацией и / или страницами" +#: mod/item.php:114 +msgid "Unable to locate original post." +msgstr "Не удалось найти оригинальный пост." -#: mod/manage.php:152 +#: mod/item.php:274 +msgid "Empty post discarded." +msgstr "Пустое сообщение отбрасывается." + +#: mod/item.php:799 +#, php-format msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Это сообщение было отправлено вам %s, участником социальной сети Friendica." -#: mod/manage.php:153 -msgid "Select an identity to manage: " -msgstr "Выберите идентификацию для управления: " +#: mod/item.php:801 +#, php-format +msgid "You may visit them online at %s" +msgstr "Вы можете посетить их в онлайне на %s" -#: mod/message.php:64 +#: mod/item.php:802 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Пожалуйста, свяжитесь с отправителем, ответив на это сообщение, если вы не хотите получать эти сообщения." + +#: mod/item.php:806 +#, php-format +msgid "%s posted an update." +msgstr "%s отправил/а/ обновление." + +#: mod/message.php:30 src/Content/Nav.php:198 +msgid "New Message" +msgstr "Новое сообщение" + +#: mod/message.php:77 msgid "Unable to locate contact information." msgstr "Не удалось найти контактную информацию." -#: mod/message.php:204 +#: mod/message.php:112 src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Messages" +msgstr "Сообщения" + +#: mod/message.php:136 msgid "Do you really want to delete this message?" msgstr "Вы действительно хотите удалить это сообщение?" -#: mod/message.php:224 +#: mod/message.php:156 msgid "Message deleted." msgstr "Сообщение удалено." -#: mod/message.php:255 +#: mod/message.php:185 msgid "Conversation removed." msgstr "Беседа удалена." -#: mod/message.php:364 +#: mod/message.php:291 msgid "No messages." msgstr "Нет сообщений." -#: mod/message.php:403 +#: mod/message.php:330 msgid "Message not available." msgstr "Сообщение не доступно." -#: mod/message.php:477 +#: mod/message.php:397 msgid "Delete message" msgstr "Удалить сообщение" -#: mod/message.php:503 mod/message.php:591 +#: mod/message.php:399 mod/message.php:500 +msgid "D, d M Y - g:i A" +msgstr "D, d M Y - g:i A" + +#: mod/message.php:414 mod/message.php:497 msgid "Delete conversation" msgstr "Удалить историю общения" -#: mod/message.php:505 +#: mod/message.php:416 msgid "" "No secure communications available. You may be able to " "respond from the sender's profile page." msgstr "Невозможно защищённое соединение. Вы имеете возможность ответить со страницы профиля отправителя." -#: mod/message.php:509 +#: mod/message.php:420 msgid "Send Reply" msgstr "Отправить ответ" -#: mod/message.php:561 +#: mod/message.php:471 #, php-format msgid "Unknown sender - %s" msgstr "Неизвестный отправитель - %s" -#: mod/message.php:563 +#: mod/message.php:473 #, php-format msgid "You and %s" msgstr "Вы и %s" -#: mod/message.php:565 +#: mod/message.php:475 #, php-format msgid "%s and You" msgstr "%s и Вы" -#: mod/message.php:594 -msgid "D, d M Y - g:i A" -msgstr "D, d M Y - g:i A" - -#: mod/message.php:597 +#: mod/message.php:503 #, php-format msgid "%d message" msgid_plural "%d messages" @@ -5412,11 +2899,11 @@ msgstr[1] "%d сообщений" msgstr[2] "%d сообщений" msgstr[3] "%d сообщений" -#: mod/network.php:197 mod/search.php:25 -msgid "Remove term" -msgstr "Удалить элемент" +#: mod/network.php:202 src/Model/Group.php:400 +msgid "add" +msgstr "добавить" -#: mod/network.php:404 +#: mod/network.php:547 #, php-format msgid "" "Warning: This group contains %s member from a network that doesn't allow non" @@ -5429,335 +2916,1202 @@ msgstr[1] "Внимание: в группе %s пользователя из с msgstr[2] "Внимание: в группе %s пользователей из сети, которая не поддерживает непубличные сообщения." msgstr[3] "Внимание: в группе %s пользователей из сети, которая не поддерживает непубличные сообщения." -#: mod/network.php:407 +#: mod/network.php:550 msgid "Messages in this group won't be send to these receivers." msgstr "Сообщения в этой группе не будут отправлены следующим получателям." -#: mod/network.php:535 +#: mod/network.php:618 +msgid "No such group" +msgstr "Нет такой группы" + +#: mod/network.php:643 +#, php-format +msgid "Group: %s" +msgstr "Группа: %s" + +#: mod/network.php:669 msgid "Private messages to this person are at risk of public disclosure." msgstr "Личные сообщения этому человеку находятся под угрозой обнародования." -#: mod/network.php:540 +#: mod/network.php:672 msgid "Invalid contact." msgstr "Недопустимый контакт." -#: mod/network.php:813 +#: mod/network.php:921 msgid "Commented Order" msgstr "Последние комментарии" -#: mod/network.php:816 +#: mod/network.php:924 msgid "Sort by Comment Date" msgstr "Сортировать по дате комментария" -#: mod/network.php:821 +#: mod/network.php:929 msgid "Posted Order" msgstr "Лента записей" -#: mod/network.php:824 +#: mod/network.php:932 msgid "Sort by Post Date" msgstr "Сортировать по дате отправки" -#: mod/network.php:835 +#: mod/network.php:940 mod/profiles.php:687 +#: src/Core/NotificationsManager.php:185 +msgid "Personal" +msgstr "Личные" + +#: mod/network.php:943 msgid "Posts that mention or involve you" msgstr "Посты которые упоминают вас или в которых вы участвуете" -#: mod/network.php:843 +#: mod/network.php:951 msgid "New" msgstr "Новое" -#: mod/network.php:846 +#: mod/network.php:954 msgid "Activity Stream - by date" msgstr "Лента активности - по дате" -#: mod/network.php:854 +#: mod/network.php:962 msgid "Shared Links" msgstr "Ссылки, которыми поделились" -#: mod/network.php:857 +#: mod/network.php:965 msgid "Interesting Links" msgstr "Интересные ссылки" -#: mod/network.php:865 +#: mod/network.php:973 msgid "Starred" msgstr "Избранное" -#: mod/network.php:868 +#: mod/network.php:976 msgid "Favourite Posts" msgstr "Избранные посты" -#: mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Ошибка протокола OpenID. Не возвращён ID." +#: mod/notes.php:52 src/Model/Profile.php:946 +msgid "Personal Notes" +msgstr "Личные заметки" -#: mod/openid.php:60 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "Аккаунт не найден и OpenID регистрация не допускается на этом сайте." +#: mod/oexchange.php:30 +msgid "Post successful." +msgstr "Успешно добавлено." -#: mod/photos.php:94 mod/photos.php:1900 +#: mod/photos.php:108 src/Model/Profile.php:907 +msgid "Photo Albums" +msgstr "Фотоальбомы" + +#: mod/photos.php:109 mod/photos.php:1713 msgid "Recent Photos" msgstr "Последние фото" -#: mod/photos.php:97 mod/photos.php:1328 mod/photos.php:1902 +#: mod/photos.php:112 mod/photos.php:1210 mod/photos.php:1715 msgid "Upload New Photos" msgstr "Загрузить новые фото" -#: mod/photos.php:112 mod/settings.php:36 +#: mod/photos.php:126 mod/settings.php:50 msgid "everybody" msgstr "каждый" -#: mod/photos.php:176 +#: mod/photos.php:184 msgid "Contact information unavailable" msgstr "Информация о контакте недоступна" -#: mod/photos.php:197 +#: mod/photos.php:204 msgid "Album not found." msgstr "Альбом не найден." -#: mod/photos.php:230 mod/photos.php:242 mod/photos.php:1272 +#: mod/photos.php:234 mod/photos.php:245 mod/photos.php:1161 msgid "Delete Album" msgstr "Удалить альбом" -#: mod/photos.php:240 +#: mod/photos.php:243 msgid "Do you really want to delete this photo album and all its photos?" msgstr "Вы действительно хотите удалить этот альбом и все его фотографии?" -#: mod/photos.php:323 mod/photos.php:334 mod/photos.php:1598 +#: mod/photos.php:310 mod/photos.php:321 mod/photos.php:1446 msgid "Delete Photo" msgstr "Удалить фото" -#: mod/photos.php:332 +#: mod/photos.php:319 msgid "Do you really want to delete this photo?" msgstr "Вы действительно хотите удалить эту фотографию?" -#: mod/photos.php:713 +#: mod/photos.php:667 +msgid "a photo" +msgstr "фото" + +#: mod/photos.php:667 #, php-format msgid "%1$s was tagged in %2$s by %3$s" msgstr "%1$s отмечен/а/ в %2$s by %3$s" -#: mod/photos.php:713 -msgid "a photo" -msgstr "фото" +#: mod/photos.php:769 +msgid "Image upload didn't complete, please try again" +msgstr "" -#: mod/photos.php:821 +#: mod/photos.php:772 +msgid "Image file is missing" +msgstr "" + +#: mod/photos.php:777 +msgid "" +"Server can't accept new file upload at this time, please contact your " +"administrator" +msgstr "" + +#: mod/photos.php:803 msgid "Image file is empty." msgstr "Файл изображения пуст." -#: mod/photos.php:988 +#: mod/photos.php:940 msgid "No photos selected" msgstr "Не выбрано фото." -#: mod/photos.php:1091 mod/videos.php:309 +#: mod/photos.php:1036 mod/videos.php:309 msgid "Access to this item is restricted." msgstr "Доступ к этому пункту ограничен." -#: mod/photos.php:1151 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "Вы использовали %1$.2f мегабайт из %2$.2f возможных для хранения фотографий." - -#: mod/photos.php:1188 +#: mod/photos.php:1090 msgid "Upload Photos" msgstr "Загрузить фото" -#: mod/photos.php:1192 mod/photos.php:1267 +#: mod/photos.php:1094 mod/photos.php:1156 msgid "New album name: " msgstr "Название нового альбома: " -#: mod/photos.php:1193 +#: mod/photos.php:1095 msgid "or existing album name: " msgstr "или название существующего альбома: " -#: mod/photos.php:1194 +#: mod/photos.php:1096 msgid "Do not show a status post for this upload" msgstr "Не показывать статус-сообщение для этой закачки" -#: mod/photos.php:1205 mod/photos.php:1602 mod/settings.php:1307 +#: mod/photos.php:1098 mod/photos.php:1441 mod/events.php:533 +#: src/Core/ACL.php:318 +msgid "Permissions" +msgstr "Разрешения" + +#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1229 msgid "Show to Groups" msgstr "Показать в группах" -#: mod/photos.php:1206 mod/photos.php:1603 mod/settings.php:1308 +#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1230 msgid "Show to Contacts" msgstr "Показывать контактам" -#: mod/photos.php:1207 -msgid "Private Photo" -msgstr "Личное фото" - -#: mod/photos.php:1208 -msgid "Public Photo" -msgstr "Публичное фото" - -#: mod/photos.php:1278 +#: mod/photos.php:1167 msgid "Edit Album" msgstr "Редактировать альбом" -#: mod/photos.php:1283 +#: mod/photos.php:1172 msgid "Show Newest First" msgstr "Показать новые первыми" -#: mod/photos.php:1285 +#: mod/photos.php:1174 msgid "Show Oldest First" msgstr "Показать старые первыми" -#: mod/photos.php:1314 mod/photos.php:1885 +#: mod/photos.php:1195 mod/photos.php:1698 msgid "View Photo" msgstr "Просмотр фото" -#: mod/photos.php:1359 +#: mod/photos.php:1236 msgid "Permission denied. Access to this item may be restricted." msgstr "Нет разрешения. Доступ к этому элементу ограничен." -#: mod/photos.php:1361 +#: mod/photos.php:1238 msgid "Photo not available" msgstr "Фото недоступно" -#: mod/photos.php:1422 +#: mod/photos.php:1301 msgid "View photo" msgstr "Просмотр фото" -#: mod/photos.php:1422 +#: mod/photos.php:1301 msgid "Edit photo" msgstr "Редактировать фото" -#: mod/photos.php:1423 +#: mod/photos.php:1302 msgid "Use as profile photo" msgstr "Использовать как фото профиля" -#: mod/photos.php:1448 +#: mod/photos.php:1308 src/Object/Post.php:149 +msgid "Private Message" +msgstr "Личное сообщение" + +#: mod/photos.php:1327 msgid "View Full Size" msgstr "Просмотреть полный размер" -#: mod/photos.php:1538 +#: mod/photos.php:1414 msgid "Tags: " msgstr "Ключевые слова: " -#: mod/photos.php:1541 +#: mod/photos.php:1417 msgid "[Remove any tag]" msgstr "[Удалить любое ключевое слово]" -#: mod/photos.php:1584 +#: mod/photos.php:1432 msgid "New album name" msgstr "Название нового альбома" -#: mod/photos.php:1585 +#: mod/photos.php:1433 msgid "Caption" msgstr "Подпись" -#: mod/photos.php:1586 +#: mod/photos.php:1434 msgid "Add a Tag" msgstr "Добавить ключевое слово (тег)" -#: mod/photos.php:1586 +#: mod/photos.php:1434 msgid "" "Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" msgstr "Пример: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -#: mod/photos.php:1587 +#: mod/photos.php:1435 msgid "Do not rotate" msgstr "Не поворачивать" -#: mod/photos.php:1588 +#: mod/photos.php:1436 msgid "Rotate CW (right)" msgstr "Поворот по часовой стрелке (направо)" -#: mod/photos.php:1589 +#: mod/photos.php:1437 msgid "Rotate CCW (left)" msgstr "Поворот против часовой стрелки (налево)" -#: mod/photos.php:1604 -msgid "Private photo" -msgstr "Личное фото" +#: mod/photos.php:1471 src/Object/Post.php:296 +msgid "I like this (toggle)" +msgstr "Нравится" -#: mod/photos.php:1605 -msgid "Public photo" -msgstr "Публичное фото" +#: mod/photos.php:1472 src/Object/Post.php:297 +msgid "I don't like this (toggle)" +msgstr "Не нравится" -#: mod/photos.php:1814 +#: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 +#: mod/contacts.php:953 src/Object/Post.php:793 +msgid "This is you" +msgstr "Это вы" + +#: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 +#: src/Object/Post.php:399 src/Object/Post.php:795 +msgid "Comment" +msgstr "Оставить комментарий" + +#: mod/photos.php:1634 msgid "Map" msgstr "Карта" -#: mod/photos.php:1891 mod/videos.php:393 +#: mod/photos.php:1704 mod/videos.php:387 msgid "View Album" msgstr "Просмотреть альбом" -#: mod/probe.php:10 mod/webfinger.php:9 -msgid "Only logged in users are permitted to perform a probing." +#: mod/profile.php:37 src/Model/Profile.php:118 +msgid "Requested profile is not available." +msgstr "Запрашиваемый профиль недоступен." + +#: mod/profile.php:78 src/Protocol/OStatus.php:1252 +#, php-format +msgid "%s's posts" msgstr "" -#: mod/profile.php:175 +#: mod/profile.php:79 src/Protocol/OStatus.php:1253 +#, php-format +msgid "%s's comments" +msgstr "" + +#: mod/profile.php:80 src/Protocol/OStatus.php:1251 +#, php-format +msgid "%s's timeline" +msgstr "" + +#: mod/profile.php:173 mod/display.php:313 mod/cal.php:142 +msgid "Access to this profile has been restricted." +msgstr "Доступ к этому профилю ограничен." + +#: mod/profile.php:194 msgid "Tips for New Members" msgstr "Советы для новых участников" -#: mod/profiles.php:38 +#: mod/videos.php:139 +msgid "Do you really want to delete this video?" +msgstr "Вы действительно хотите удалить видео?" + +#: mod/videos.php:144 +msgid "Delete Video" +msgstr "Удалить видео" + +#: mod/videos.php:207 +msgid "No videos selected" +msgstr "Видео не выбрано" + +#: mod/videos.php:396 +msgid "Recent Videos" +msgstr "Последние видео" + +#: mod/videos.php:398 +msgid "Upload New Videos" +msgstr "Загрузить новые видео" + +#: mod/delegate.php:37 +msgid "Parent user not found." +msgstr "" + +#: mod/delegate.php:144 +msgid "No parent user" +msgstr "" + +#: mod/delegate.php:159 +msgid "Parent Password:" +msgstr "" + +#: mod/delegate.php:159 +msgid "" +"Please enter the password of the parent account to legitimize your request." +msgstr "" + +#: mod/delegate.php:164 +msgid "Parent User" +msgstr "" + +#: mod/delegate.php:167 +msgid "" +"Parent users have total control about this account, including the account " +"settings. Please double check whom you give this access." +msgstr "" + +#: mod/delegate.php:168 mod/admin.php:307 mod/admin.php:1346 +#: mod/admin.php:1965 mod/admin.php:2218 mod/admin.php:2292 mod/admin.php:2439 +#: mod/settings.php:675 mod/settings.php:784 mod/settings.php:872 +#: mod/settings.php:961 mod/settings.php:1194 +msgid "Save Settings" +msgstr "Сохранить настройки" + +#: mod/delegate.php:169 src/Content/Nav.php:204 +msgid "Delegate Page Management" +msgstr "Делегировать управление страницей" + +#: mod/delegate.php:170 +msgid "Delegates" +msgstr "" + +#: mod/delegate.php:172 +msgid "" +"Delegates are able to manage all aspects of this account/page except for " +"basic account settings. Please do not delegate your personal account to " +"anybody that you do not trust completely." +msgstr "Доверенные лица могут управлять всеми аспектами этого аккаунта/страницы, за исключением основных настроек аккаунта. Пожалуйста, не предоставляйте доступ в личный кабинет тому, кому вы не полностью доверяете." + +#: mod/delegate.php:173 +msgid "Existing Page Delegates" +msgstr "Существующие уполномоченные страницы" + +#: mod/delegate.php:175 +msgid "Potential Delegates" +msgstr "Возможные доверенные лица" + +#: mod/delegate.php:178 +msgid "Add" +msgstr "Добавить" + +#: mod/delegate.php:179 +msgid "No entries." +msgstr "Нет записей." + +#: mod/dirfind.php:49 +#, php-format +msgid "People Search - %s" +msgstr "Поиск по людям - %s" + +#: mod/dirfind.php:60 +#, php-format +msgid "Forum Search - %s" +msgstr "Поиск по форумам - %s" + +#: mod/install.php:114 +msgid "Friendica Communications Server - Setup" +msgstr "Коммуникационный сервер Friendica - Доступ" + +#: mod/install.php:120 +msgid "Could not connect to database." +msgstr "Не удалось подключиться к базе данных." + +#: mod/install.php:124 +msgid "Could not create table." +msgstr "Не удалось создать таблицу." + +#: mod/install.php:130 +msgid "Your Friendica site database has been installed." +msgstr "База данных сайта установлена." + +#: mod/install.php:135 +msgid "" +"You may need to import the file \"database.sql\" manually using phpmyadmin " +"or mysql." +msgstr "Вам может понадобиться импортировать файл \"database.sql\" вручную с помощью PhpMyAdmin или MySQL." + +#: mod/install.php:136 mod/install.php:208 mod/install.php:558 +msgid "Please see the file \"INSTALL.txt\"." +msgstr "Пожалуйста, смотрите файл \"INSTALL.txt\"." + +#: mod/install.php:148 +msgid "Database already in use." +msgstr "База данных уже используется." + +#: mod/install.php:205 +msgid "System check" +msgstr "Проверить систему" + +#: mod/install.php:209 mod/cal.php:277 mod/events.php:395 +msgid "Next" +msgstr "Далее" + +#: mod/install.php:210 +msgid "Check again" +msgstr "Проверить еще раз" + +#: mod/install.php:230 +msgid "Database connection" +msgstr "Подключение к базе данных" + +#: mod/install.php:231 +msgid "" +"In order to install Friendica we need to know how to connect to your " +"database." +msgstr "Для того, чтобы установить Friendica, мы должны знать, как подключиться к базе данных." + +#: mod/install.php:232 +msgid "" +"Please contact your hosting provider or site administrator if you have " +"questions about these settings." +msgstr "Пожалуйста, свяжитесь с вашим хостинг-провайдером или администратором сайта, если у вас есть вопросы об этих параметрах." + +#: mod/install.php:233 +msgid "" +"The database you specify below should already exist. If it does not, please " +"create it before continuing." +msgstr "Базы данных, указанная ниже, должна уже существовать. Если этого нет, пожалуйста, создайте ее перед продолжением." + +#: mod/install.php:237 +msgid "Database Server Name" +msgstr "Имя сервера базы данных" + +#: mod/install.php:238 +msgid "Database Login Name" +msgstr "Логин базы данных" + +#: mod/install.php:239 +msgid "Database Login Password" +msgstr "Пароль базы данных" + +#: mod/install.php:239 +msgid "For security reasons the password must not be empty" +msgstr "Для безопасности пароль не должен быть пустым" + +#: mod/install.php:240 +msgid "Database Name" +msgstr "Имя базы данных" + +#: mod/install.php:241 mod/install.php:281 +msgid "Site administrator email address" +msgstr "Адрес электронной почты администратора сайта" + +#: mod/install.php:241 mod/install.php:281 +msgid "" +"Your account email address must match this in order to use the web admin " +"panel." +msgstr "Ваш адрес электронной почты аккаунта должен соответствовать этому, чтобы использовать веб-панель администратора." + +#: mod/install.php:245 mod/install.php:284 +msgid "Please select a default timezone for your website" +msgstr "Пожалуйста, выберите часовой пояс по умолчанию для вашего сайта" + +#: mod/install.php:271 +msgid "Site settings" +msgstr "Настройки сайта" + +#: mod/install.php:285 +msgid "System Language:" +msgstr "Язык системы:" + +#: mod/install.php:285 +msgid "" +"Set the default language for your Friendica installation interface and to " +"send emails." +msgstr "Язык по-умолчанию для интерфейса Friendica и для отправки писем." + +#: mod/install.php:325 +msgid "Could not find a command line version of PHP in the web server PATH." +msgstr "Не удалось найти PATH веб-сервера в установках PHP." + +#: mod/install.php:326 +msgid "" +"If you don't have a command line version of PHP installed on your server, " +"you will not be able to run the background processing. See 'Setup the worker'" +msgstr "" + +#: mod/install.php:330 +msgid "PHP executable path" +msgstr "PHP executable path" + +#: mod/install.php:330 +msgid "" +"Enter full path to php executable. You can leave this blank to continue the " +"installation." +msgstr "Введите полный путь к исполняемому файлу PHP. Вы можете оставить это поле пустым, чтобы продолжить установку." + +#: mod/install.php:335 +msgid "Command line PHP" +msgstr "Command line PHP" + +#: mod/install.php:344 +msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" +msgstr "Бинарник PHP не является CLI версией (может быть это cgi-fcgi версия)" + +#: mod/install.php:345 +msgid "Found PHP version: " +msgstr "Найденная PHP версия: " + +#: mod/install.php:347 +msgid "PHP cli binary" +msgstr "PHP cli binary" + +#: mod/install.php:358 +msgid "" +"The command line version of PHP on your system does not have " +"\"register_argc_argv\" enabled." +msgstr "Не включено \"register_argc_argv\" в установках PHP." + +#: mod/install.php:359 +msgid "This is required for message delivery to work." +msgstr "Это необходимо для работы доставки сообщений." + +#: mod/install.php:361 +msgid "PHP register_argc_argv" +msgstr "PHP register_argc_argv" + +#: mod/install.php:384 +msgid "" +"Error: the \"openssl_pkey_new\" function on this system is not able to " +"generate encryption keys" +msgstr "Ошибка: функция \"openssl_pkey_new\" в этой системе не в состоянии генерировать ключи шифрования" + +#: mod/install.php:385 +msgid "" +"If running under Windows, please see " +"\"http://www.php.net/manual/en/openssl.installation.php\"." +msgstr "Если вы работаете под Windows, см. \"http://www.php.net/manual/en/openssl.installation.php\"." + +#: mod/install.php:387 +msgid "Generate encryption keys" +msgstr "Генерация шифрованых ключей" + +#: mod/install.php:394 +msgid "libCurl PHP module" +msgstr "libCurl PHP модуль" + +#: mod/install.php:395 +msgid "GD graphics PHP module" +msgstr "GD graphics PHP модуль" + +#: mod/install.php:396 +msgid "OpenSSL PHP module" +msgstr "OpenSSL PHP модуль" + +#: mod/install.php:397 +msgid "PDO or MySQLi PHP module" +msgstr "" + +#: mod/install.php:398 +msgid "mb_string PHP module" +msgstr "mb_string PHP модуль" + +#: mod/install.php:399 +msgid "XML PHP module" +msgstr "XML PHP модуль" + +#: mod/install.php:400 +msgid "iconv PHP module" +msgstr "" + +#: mod/install.php:401 +msgid "POSIX PHP module" +msgstr "" + +#: mod/install.php:405 mod/install.php:407 +msgid "Apache mod_rewrite module" +msgstr "Apache mod_rewrite module" + +#: mod/install.php:405 +msgid "" +"Error: Apache webserver mod-rewrite module is required but not installed." +msgstr "Ошибка: необходим модуль веб-сервера Apache mod-rewrite, но он не установлен." + +#: mod/install.php:413 +msgid "Error: libCURL PHP module required but not installed." +msgstr "Ошибка: необходим libCURL PHP модуль, но он не установлен." + +#: mod/install.php:417 +msgid "" +"Error: GD graphics PHP module with JPEG support required but not installed." +msgstr "Ошибка: необходим PHP модуль GD графики с поддержкой JPEG, но он не установлен." + +#: mod/install.php:421 +msgid "Error: openssl PHP module required but not installed." +msgstr "Ошибка: необходим PHP модуль OpenSSL, но он не установлен." + +#: mod/install.php:425 +msgid "Error: PDO or MySQLi PHP module required but not installed." +msgstr "" + +#: mod/install.php:429 +msgid "Error: The MySQL driver for PDO is not installed." +msgstr "" + +#: mod/install.php:433 +msgid "Error: mb_string PHP module required but not installed." +msgstr "Ошибка: необходим PHP модуль mb_string, но он не установлен." + +#: mod/install.php:437 +msgid "Error: iconv PHP module required but not installed." +msgstr "Ошибка: необходим PHP модуль iconv, но он не установлен." + +#: mod/install.php:441 +msgid "Error: POSIX PHP module required but not installed." +msgstr "" + +#: mod/install.php:451 +msgid "Error, XML PHP module required but not installed." +msgstr "Ошибка, необходим PHP модуль XML, но он не установлен" + +#: mod/install.php:463 +msgid "" +"The web installer needs to be able to create a file called \".htconfig.php\"" +" in the top folder of your web server and it is unable to do so." +msgstr "Веб-инсталлятору требуется создать файл с именем \". htconfig.php\" в верхней папке веб-сервера, но он не в состоянии это сделать." + +#: mod/install.php:464 +msgid "" +"This is most often a permission setting, as the web server may not be able " +"to write files in your folder - even if you can." +msgstr "Это наиболее частые параметры разрешений, когда веб-сервер не может записать файлы в папке - даже если вы можете." + +#: mod/install.php:465 +msgid "" +"At the end of this procedure, we will give you a text to save in a file " +"named .htconfig.php in your Friendica top folder." +msgstr "В конце этой процедуры, мы дадим вам текст, для сохранения в файле с именем .htconfig.php в корневой папке, где установлена Friendica." + +#: mod/install.php:466 +msgid "" +"You can alternatively skip this procedure and perform a manual installation." +" Please see the file \"INSTALL.txt\" for instructions." +msgstr "В качестве альтернативы вы можете пропустить эту процедуру и выполнить установку вручную. Пожалуйста, обратитесь к файлу \"INSTALL.txt\" для получения инструкций." + +#: mod/install.php:469 +msgid ".htconfig.php is writable" +msgstr ".htconfig.php is writable" + +#: mod/install.php:479 +msgid "" +"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " +"compiles templates to PHP to speed up rendering." +msgstr "Friendica использует механизм шаблонов Smarty3 для генерации веб-страниц. Smarty3 компилирует шаблоны в PHP для увеличения скорости загрузки." + +#: mod/install.php:480 +msgid "" +"In order to store these compiled templates, the web server needs to have " +"write access to the directory view/smarty3/ under the Friendica top level " +"folder." +msgstr "Для того чтобы хранить эти скомпилированные шаблоны, веб-сервер должен иметь доступ на запись для папки view/smarty3 в директории, где установлена Friendica." + +#: mod/install.php:481 +msgid "" +"Please ensure that the user that your web server runs as (e.g. www-data) has" +" write access to this folder." +msgstr "Пожалуйста, убедитесь, что пользователь, под которым работает ваш веб-сервер (например www-data), имеет доступ на запись в этой папке." + +#: mod/install.php:482 +msgid "" +"Note: as a security measure, you should give the web server write access to " +"view/smarty3/ only--not the template files (.tpl) that it contains." +msgstr "Примечание: в качестве меры безопасности, вы должны дать вебсерверу доступ на запись только в view/smarty3 - но не на сами файлы шаблонов (.tpl)., Которые содержатся в этой папке." + +#: mod/install.php:485 +msgid "view/smarty3 is writable" +msgstr "view/smarty3 доступен для записи" + +#: mod/install.php:501 +msgid "" +"Url rewrite in .htaccess is not working. Check your server configuration." +msgstr "Url rewrite в .htaccess не работает. Проверьте конфигурацию вашего сервера.." + +#: mod/install.php:503 +msgid "Url rewrite is working" +msgstr "Url rewrite работает" + +#: mod/install.php:522 +msgid "ImageMagick PHP extension is not installed" +msgstr "Модуль PHP ImageMagick не установлен" + +#: mod/install.php:524 +msgid "ImageMagick PHP extension is installed" +msgstr "Модуль PHP ImageMagick установлен" + +#: mod/install.php:526 +msgid "ImageMagick supports GIF" +msgstr "ImageMagick поддерживает GIF" + +#: mod/install.php:533 +msgid "" +"The database configuration file \".htconfig.php\" could not be written. " +"Please use the enclosed text to create a configuration file in your web " +"server root." +msgstr "Файл конфигурации базы данных \".htconfig.php\" не могла быть записан. Пожалуйста, используйте приложенный текст, чтобы создать конфигурационный файл в корневом каталоге веб-сервера." + +#: mod/install.php:556 +msgid "

What next

" +msgstr "

Что далее

" + +#: mod/install.php:557 +msgid "" +"IMPORTANT: You will need to [manually] setup a scheduled task for the " +"worker." +msgstr "" + +#: mod/install.php:560 +#, php-format +msgid "" +"Go to your new Friendica node registration page " +"and register as new user. Remember to use the same email you have entered as" +" administrator email. This will allow you to enter the site admin panel." +msgstr "" + +#: mod/ostatus_subscribe.php:21 +msgid "Subscribing to OStatus contacts" +msgstr "Подписка на OStatus-контакты" + +#: mod/ostatus_subscribe.php:33 +msgid "No contact provided." +msgstr "Не указан контакт." + +#: mod/ostatus_subscribe.php:40 +msgid "Couldn't fetch information for contact." +msgstr "Невозможно получить информацию о контакте." + +#: mod/ostatus_subscribe.php:50 +msgid "Couldn't fetch friends for contact." +msgstr "Невозможно получить друзей для контакта." + +#: mod/ostatus_subscribe.php:78 +msgid "success" +msgstr "удачно" + +#: mod/ostatus_subscribe.php:80 +msgid "failed" +msgstr "неудача" + +#: mod/ostatus_subscribe.php:83 src/Object/Post.php:279 +msgid "ignored" +msgstr "" + +#: mod/unfollow.php:34 +msgid "Contact wasn't found or can't be unfollowed." +msgstr "" + +#: mod/unfollow.php:47 +msgid "Contact unfollowed" +msgstr "" + +#: mod/unfollow.php:73 +msgid "You aren't a friend of this contact." +msgstr "" + +#: mod/unfollow.php:79 +msgid "Unfollowing is currently not supported by your network." +msgstr "" + +#: mod/unfollow.php:100 mod/contacts.php:599 +msgid "Disconnect/Unfollow" +msgstr "" + +#: mod/unfollow.php:132 mod/follow.php:186 mod/contacts.php:858 +#: src/Model/Profile.php:891 +msgid "Status Messages and Posts" +msgstr "Ваши посты" + +#: mod/cal.php:274 mod/events.php:391 src/Content/Nav.php:104 +#: src/Content/Nav.php:169 src/Model/Profile.php:924 src/Model/Profile.php:935 +#: view/theme/frio/theme.php:263 view/theme/frio/theme.php:267 +msgid "Events" +msgstr "Мероприятия" + +#: mod/cal.php:275 mod/events.php:392 +msgid "View" +msgstr "Смотреть" + +#: mod/cal.php:276 mod/events.php:394 +msgid "Previous" +msgstr "Назад" + +#: mod/cal.php:280 mod/events.php:400 src/Model/Event.php:412 +msgid "today" +msgstr "сегодня" + +#: mod/cal.php:281 mod/events.php:401 src/Util/Temporal.php:304 +#: src/Model/Event.php:413 +msgid "month" +msgstr "мес." + +#: mod/cal.php:282 mod/events.php:402 src/Util/Temporal.php:305 +#: src/Model/Event.php:414 +msgid "week" +msgstr "неделя" + +#: mod/cal.php:283 mod/events.php:403 src/Util/Temporal.php:306 +#: src/Model/Event.php:415 +msgid "day" +msgstr "день" + +#: mod/cal.php:284 mod/events.php:404 +msgid "list" +msgstr "список" + +#: mod/cal.php:297 src/Core/Console/NewPassword.php:74 src/Model/User.php:204 +msgid "User not found" +msgstr "Пользователь не найден" + +#: mod/cal.php:313 +msgid "This calendar format is not supported" +msgstr "Этот формат календарей не поддерживается" + +#: mod/cal.php:315 +msgid "No exportable data found" +msgstr "Нет данных для экспорта" + +#: mod/cal.php:332 +msgid "calendar" +msgstr "календарь" + +#: mod/events.php:105 mod/events.php:107 +msgid "Event can not end before it has started." +msgstr "Эвент не может закончится до старта." + +#: mod/events.php:114 mod/events.php:116 +msgid "Event title and start time are required." +msgstr "Название мероприятия и время начала обязательны для заполнения." + +#: mod/events.php:393 +msgid "Create New Event" +msgstr "Создать новое мероприятие" + +#: mod/events.php:506 +msgid "Event details" +msgstr "Сведения о мероприятии" + +#: mod/events.php:507 +msgid "Starting date and Title are required." +msgstr "Необходима дата старта и заголовок." + +#: mod/events.php:508 mod/events.php:509 +msgid "Event Starts:" +msgstr "Начало мероприятия:" + +#: mod/events.php:508 mod/events.php:520 mod/profiles.php:700 +msgid "Required" +msgstr "Требуется" + +#: mod/events.php:510 mod/events.php:526 +msgid "Finish date/time is not known or not relevant" +msgstr "Дата/время окончания не известны, или не указаны" + +#: mod/events.php:512 mod/events.php:513 +msgid "Event Finishes:" +msgstr "Окончание мероприятия:" + +#: mod/events.php:514 mod/events.php:527 +msgid "Adjust for viewer timezone" +msgstr "Настройка часового пояса" + +#: mod/events.php:516 +msgid "Description:" +msgstr "Описание:" + +#: mod/events.php:520 mod/events.php:522 +msgid "Title:" +msgstr "Титул:" + +#: mod/events.php:523 mod/events.php:524 +msgid "Share this event" +msgstr "Поделитесь этим мероприятием" + +#: mod/events.php:531 src/Model/Profile.php:864 +msgid "Basic" +msgstr "Базовый" + +#: mod/events.php:532 mod/contacts.php:895 mod/admin.php:1351 +#: src/Model/Profile.php:865 +msgid "Advanced" +msgstr "Расширенный" + +#: mod/events.php:552 +msgid "Failed to remove event" +msgstr "" + +#: mod/events.php:554 +msgid "Event removed" +msgstr "" + +#: mod/profile_photo.php:55 +msgid "Image uploaded but image cropping failed." +msgstr "Изображение загружено, но обрезка изображения не удалась." + +#: mod/profile_photo.php:88 mod/profile_photo.php:96 mod/profile_photo.php:104 +#: mod/profile_photo.php:315 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Уменьшение размера изображения [%s] не удалось." + +#: mod/profile_photo.php:125 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Перезагрузите страницу с зажатой клавишей \"Shift\" для того, чтобы увидеть свое новое фото немедленно." + +#: mod/profile_photo.php:134 +msgid "Unable to process image" +msgstr "Не удается обработать изображение" + +#: mod/profile_photo.php:247 +msgid "Upload File:" +msgstr "Загрузить файл:" + +#: mod/profile_photo.php:248 +msgid "Select a profile:" +msgstr "Выбрать этот профиль:" + +#: mod/profile_photo.php:253 +msgid "or" +msgstr "или" + +#: mod/profile_photo.php:253 +msgid "skip this step" +msgstr "пропустить этот шаг" + +#: mod/profile_photo.php:253 +msgid "select a photo from your photo albums" +msgstr "выберите фото из ваших фотоальбомов" + +#: mod/profile_photo.php:266 +msgid "Crop Image" +msgstr "Обрезать изображение" + +#: mod/profile_photo.php:267 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Пожалуйста, настройте обрезку изображения для оптимального просмотра." + +#: mod/profile_photo.php:269 +msgid "Done Editing" +msgstr "Редактирование выполнено" + +#: mod/profile_photo.php:305 +msgid "Image uploaded successfully." +msgstr "Изображение загружено успешно." + +#: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 +msgid "Status:" +msgstr "Статус:" + +#: mod/directory.php:153 src/Model/Profile.php:422 src/Model/Profile.php:786 +msgid "Homepage:" +msgstr "Домашняя страничка:" + +#: mod/directory.php:202 view/theme/vier/theme.php:201 +msgid "Global Directory" +msgstr "Глобальный каталог" + +#: mod/directory.php:204 +msgid "Find on this site" +msgstr "Найти на этом сайте" + +#: mod/directory.php:206 +msgid "Results for:" +msgstr "Результаты для:" + +#: mod/directory.php:208 +msgid "Site Directory" +msgstr "Каталог сайта" + +#: mod/directory.php:209 mod/contacts.php:820 src/Content/Widget.php:63 +msgid "Find" +msgstr "Найти" + +#: mod/directory.php:213 +msgid "No entries (some entries may be hidden)." +msgstr "Нет записей (некоторые записи могут быть скрыты)." + +#: mod/babel.php:22 +msgid "Source input" +msgstr "" + +#: mod/babel.php:28 +msgid "BBCode::convert (raw HTML)" +msgstr "" + +#: mod/babel.php:33 +msgid "BBCode::convert" +msgstr "" + +#: mod/babel.php:39 +msgid "BBCode::convert => HTML::toBBCode" +msgstr "" + +#: mod/babel.php:45 +msgid "BBCode::toMarkdown" +msgstr "" + +#: mod/babel.php:51 +msgid "BBCode::toMarkdown => Markdown::convert" +msgstr "" + +#: mod/babel.php:57 +msgid "BBCode::toMarkdown => Markdown::toBBCode" +msgstr "" + +#: mod/babel.php:63 +msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" +msgstr "" + +#: mod/babel.php:70 +msgid "Source input \\x28Diaspora format\\x29" +msgstr "" + +#: mod/babel.php:76 +msgid "Markdown::toBBCode" +msgstr "" + +#: mod/babel.php:83 +msgid "Raw HTML input" +msgstr "" + +#: mod/babel.php:88 +msgid "HTML Input" +msgstr "" + +#: mod/babel.php:94 +msgid "HTML::toBBCode" +msgstr "" + +#: mod/babel.php:100 +msgid "HTML::toPlaintext" +msgstr "" + +#: mod/babel.php:108 +msgid "Source text" +msgstr "" + +#: mod/babel.php:109 +msgid "BBCode" +msgstr "" + +#: mod/babel.php:110 +msgid "Markdown" +msgstr "" + +#: mod/babel.php:111 +msgid "HTML" +msgstr "" + +#: mod/follow.php:45 +msgid "The contact could not be added." +msgstr "" + +#: mod/follow.php:73 +msgid "You already added this contact." +msgstr "Вы уже добавили этот контакт." + +#: mod/follow.php:83 +msgid "Diaspora support isn't enabled. Contact can't be added." +msgstr "Поддержка Diaspora не включена. Контакт не может быть добавлен." + +#: mod/follow.php:90 +msgid "OStatus support is disabled. Contact can't be added." +msgstr "Поддержка OStatus выключена. Контакт не может быть добавлен." + +#: mod/follow.php:97 +msgid "The network type couldn't be detected. Contact can't be added." +msgstr "Тип сети не может быть определен. Контакт не может быть добавлен." + +#: mod/profiles.php:58 msgid "Profile deleted." msgstr "Профиль удален." -#: mod/profiles.php:54 mod/profiles.php:90 +#: mod/profiles.php:74 mod/profiles.php:110 msgid "Profile-" msgstr "Профиль-" -#: mod/profiles.php:73 mod/profiles.php:118 +#: mod/profiles.php:93 mod/profiles.php:132 msgid "New profile created." msgstr "Новый профиль создан." -#: mod/profiles.php:96 +#: mod/profiles.php:116 msgid "Profile unavailable to clone." msgstr "Профиль недоступен для клонирования." -#: mod/profiles.php:192 +#: mod/profiles.php:206 msgid "Profile Name is required." msgstr "Необходимо имя профиля." -#: mod/profiles.php:332 +#: mod/profiles.php:347 msgid "Marital Status" msgstr "Семейное положение" -#: mod/profiles.php:336 +#: mod/profiles.php:351 msgid "Romantic Partner" msgstr "Любимый человек" -#: mod/profiles.php:348 +#: mod/profiles.php:363 msgid "Work/Employment" msgstr "Работа/Занятость" -#: mod/profiles.php:351 +#: mod/profiles.php:366 msgid "Religion" msgstr "Религия" -#: mod/profiles.php:355 +#: mod/profiles.php:370 msgid "Political Views" msgstr "Политические взгляды" -#: mod/profiles.php:359 +#: mod/profiles.php:374 msgid "Gender" msgstr "Пол" -#: mod/profiles.php:363 +#: mod/profiles.php:378 msgid "Sexual Preference" msgstr "Сексуальные предпочтения" -#: mod/profiles.php:367 +#: mod/profiles.php:382 msgid "XMPP" msgstr "XMPP" -#: mod/profiles.php:371 +#: mod/profiles.php:386 msgid "Homepage" msgstr "Домашняя страница" -#: mod/profiles.php:375 mod/profiles.php:695 +#: mod/profiles.php:390 mod/profiles.php:686 msgid "Interests" msgstr "Хобби / Интересы" -#: mod/profiles.php:379 +#: mod/profiles.php:394 mod/admin.php:490 msgid "Address" msgstr "Адрес" -#: mod/profiles.php:386 mod/profiles.php:691 +#: mod/profiles.php:401 mod/profiles.php:682 msgid "Location" msgstr "Местонахождение" -#: mod/profiles.php:471 +#: mod/profiles.php:486 msgid "Profile updated." msgstr "Профиль обновлен." @@ -5784,1703 +4138,1103 @@ msgstr " - Посетить профиль %1$s [%2$s]" msgid "%1$s has an updated %2$s, changing %3$s." msgstr "%1$s обновил %2$s, изменив %3$s." -#: mod/profiles.php:637 +#: mod/profiles.php:633 msgid "Hide contacts and friends:" msgstr "Скрыть контакты и друзей:" -#: mod/profiles.php:642 +#: mod/profiles.php:638 msgid "Hide your contact/friend list from viewers of this profile?" msgstr "Скрывать ваш список контактов / друзей от посетителей этого профиля?" -#: mod/profiles.php:667 +#: mod/profiles.php:658 msgid "Show more profile fields:" msgstr "Показать больше полей в профиле:" -#: mod/profiles.php:679 +#: mod/profiles.php:670 msgid "Profile Actions" msgstr "Действия профиля" -#: mod/profiles.php:680 +#: mod/profiles.php:671 msgid "Edit Profile Details" msgstr "Редактировать детали профиля" -#: mod/profiles.php:682 +#: mod/profiles.php:673 msgid "Change Profile Photo" msgstr "Изменить фото профиля" -#: mod/profiles.php:683 +#: mod/profiles.php:674 msgid "View this profile" msgstr "Просмотреть этот профиль" -#: mod/profiles.php:685 +#: mod/profiles.php:675 mod/profiles.php:770 src/Model/Profile.php:393 +msgid "Edit visibility" +msgstr "Редактировать видимость" + +#: mod/profiles.php:676 msgid "Create a new profile using these settings" msgstr "Создать новый профиль, используя эти настройки" -#: mod/profiles.php:686 +#: mod/profiles.php:677 msgid "Clone this profile" msgstr "Клонировать этот профиль" -#: mod/profiles.php:687 +#: mod/profiles.php:678 msgid "Delete this profile" msgstr "Удалить этот профиль" -#: mod/profiles.php:689 +#: mod/profiles.php:680 msgid "Basic information" msgstr "Основная информация" -#: mod/profiles.php:690 +#: mod/profiles.php:681 msgid "Profile picture" msgstr "Картинка профиля" -#: mod/profiles.php:692 +#: mod/profiles.php:683 msgid "Preferences" msgstr "Настройки" -#: mod/profiles.php:693 +#: mod/profiles.php:684 msgid "Status information" msgstr "Статус" -#: mod/profiles.php:694 +#: mod/profiles.php:685 msgid "Additional information" msgstr "Дополнительная информация" -#: mod/profiles.php:697 +#: mod/profiles.php:688 msgid "Relation" msgstr "Отношения" -#: mod/profiles.php:701 +#: mod/profiles.php:689 src/Util/Temporal.php:81 src/Util/Temporal.php:83 +msgid "Miscellaneous" +msgstr "Разное" + +#: mod/profiles.php:692 msgid "Your Gender:" msgstr "Ваш пол:" -#: mod/profiles.php:702 +#: mod/profiles.php:693 msgid " Marital Status:" msgstr " Семейное положение:" -#: mod/profiles.php:704 +#: mod/profiles.php:694 src/Model/Profile.php:782 +msgid "Sexual Preference:" +msgstr "Сексуальные предпочтения:" + +#: mod/profiles.php:695 msgid "Example: fishing photography software" msgstr "Пример: рыбалка фотографии программное обеспечение" -#: mod/profiles.php:709 +#: mod/profiles.php:700 msgid "Profile Name:" msgstr "Имя профиля:" -#: mod/profiles.php:711 +#: mod/profiles.php:702 msgid "" "This is your public profile.
It may " "be visible to anybody using the internet." msgstr "Это ваш публичный профиль.
Он может быть виден каждому через Интернет." -#: mod/profiles.php:712 +#: mod/profiles.php:703 msgid "Your Full Name:" msgstr "Ваше полное имя:" -#: mod/profiles.php:713 +#: mod/profiles.php:704 msgid "Title/Description:" msgstr "Заголовок / Описание:" -#: mod/profiles.php:716 +#: mod/profiles.php:707 msgid "Street Address:" msgstr "Адрес:" -#: mod/profiles.php:717 +#: mod/profiles.php:708 msgid "Locality/City:" msgstr "Город / Населенный пункт:" -#: mod/profiles.php:718 +#: mod/profiles.php:709 msgid "Region/State:" msgstr "Район / Область:" -#: mod/profiles.php:719 +#: mod/profiles.php:710 msgid "Postal/Zip Code:" msgstr "Почтовый индекс:" -#: mod/profiles.php:720 +#: mod/profiles.php:711 msgid "Country:" msgstr "Страна:" -#: mod/profiles.php:724 +#: mod/profiles.php:712 src/Util/Temporal.php:149 +msgid "Age: " +msgstr "Возраст: " + +#: mod/profiles.php:715 msgid "Who: (if applicable)" msgstr "Кто: (если требуется)" -#: mod/profiles.php:724 +#: mod/profiles.php:715 msgid "Examples: cathy123, Cathy Williams, cathy@example.com" msgstr "Примеры: cathy123, Кэти Уильямс, cathy@example.com" -#: mod/profiles.php:725 +#: mod/profiles.php:716 msgid "Since [date]:" msgstr "С какого времени [дата]:" -#: mod/profiles.php:727 +#: mod/profiles.php:718 msgid "Tell us about yourself..." msgstr "Расскажите нам о себе ..." -#: mod/profiles.php:728 +#: mod/profiles.php:719 msgid "XMPP (Jabber) address:" msgstr "Адрес XMPP (Jabber):" -#: mod/profiles.php:728 +#: mod/profiles.php:719 msgid "" "The XMPP address will be propagated to your contacts so that they can follow" " you." msgstr "Адрес XMPP будет отправлен контактам, чтобы они могли вас добавить." -#: mod/profiles.php:729 +#: mod/profiles.php:720 msgid "Homepage URL:" msgstr "Адрес домашней странички:" -#: mod/profiles.php:732 +#: mod/profiles.php:721 src/Model/Profile.php:790 +msgid "Hometown:" +msgstr "Родной город:" + +#: mod/profiles.php:722 src/Model/Profile.php:798 +msgid "Political Views:" +msgstr "Политические взгляды:" + +#: mod/profiles.php:723 msgid "Religious Views:" msgstr "Религиозные взгляды:" -#: mod/profiles.php:733 +#: mod/profiles.php:724 msgid "Public Keywords:" msgstr "Общественные ключевые слова:" -#: mod/profiles.php:733 +#: mod/profiles.php:724 msgid "(Used for suggesting potential friends, can be seen by others)" msgstr "(Используется для предложения потенциальным друзьям, могут увидеть другие)" -#: mod/profiles.php:734 +#: mod/profiles.php:725 msgid "Private Keywords:" msgstr "Личные ключевые слова:" -#: mod/profiles.php:734 +#: mod/profiles.php:725 msgid "(Used for searching profiles, never shown to others)" msgstr "(Используется для поиска профилей, никогда не показывается другим)" -#: mod/profiles.php:737 +#: mod/profiles.php:726 src/Model/Profile.php:814 +msgid "Likes:" +msgstr "Нравится:" + +#: mod/profiles.php:727 src/Model/Profile.php:818 +msgid "Dislikes:" +msgstr "Не нравится:" + +#: mod/profiles.php:728 msgid "Musical interests" msgstr "Музыкальные интересы" -#: mod/profiles.php:738 +#: mod/profiles.php:729 msgid "Books, literature" msgstr "Книги, литература" -#: mod/profiles.php:739 +#: mod/profiles.php:730 msgid "Television" msgstr "Телевидение" -#: mod/profiles.php:740 +#: mod/profiles.php:731 msgid "Film/dance/culture/entertainment" msgstr "Кино / танцы / культура / развлечения" -#: mod/profiles.php:741 +#: mod/profiles.php:732 msgid "Hobbies/Interests" msgstr "Хобби / Интересы" -#: mod/profiles.php:742 +#: mod/profiles.php:733 msgid "Love/romance" msgstr "Любовь / романтика" -#: mod/profiles.php:743 +#: mod/profiles.php:734 msgid "Work/employment" msgstr "Работа / занятость" -#: mod/profiles.php:744 +#: mod/profiles.php:735 msgid "School/education" msgstr "Школа / образование" -#: mod/profiles.php:745 +#: mod/profiles.php:736 msgid "Contact information and Social Networks" msgstr "Контактная информация и социальные сети" -#: mod/profiles.php:786 +#: mod/profiles.php:767 src/Model/Profile.php:389 +msgid "Profile Image" +msgstr "Фото профиля" + +#: mod/profiles.php:769 src/Model/Profile.php:392 +msgid "visible to everybody" +msgstr "видимый всем" + +#: mod/profiles.php:776 msgid "Edit/Manage Profiles" msgstr "Редактировать профиль" -#: mod/register.php:93 +#: mod/profiles.php:777 src/Model/Profile.php:379 src/Model/Profile.php:401 +msgid "Change profile photo" +msgstr "Изменить фото профиля" + +#: mod/profiles.php:778 src/Model/Profile.php:380 +msgid "Create New Profile" +msgstr "Создать новый профиль" + +#: mod/contacts.php:157 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: mod/contacts.php:184 mod/contacts.php:400 +msgid "Could not access contact record." +msgstr "Не удалось получить доступ к записи контакта." + +#: mod/contacts.php:194 +msgid "Could not locate selected profile." +msgstr "Не удалось найти выбранный профиль." + +#: mod/contacts.php:228 +msgid "Contact updated." +msgstr "Контакт обновлен." + +#: mod/contacts.php:421 +msgid "Contact has been blocked" +msgstr "Контакт заблокирован" + +#: mod/contacts.php:421 +msgid "Contact has been unblocked" +msgstr "Контакт разблокирован" + +#: mod/contacts.php:432 +msgid "Contact has been ignored" +msgstr "Контакт проигнорирован" + +#: mod/contacts.php:432 +msgid "Contact has been unignored" +msgstr "У контакта отменено игнорирование" + +#: mod/contacts.php:443 +msgid "Contact has been archived" +msgstr "Контакт заархивирован" + +#: mod/contacts.php:443 +msgid "Contact has been unarchived" +msgstr "Контакт разархивирован" + +#: mod/contacts.php:467 +msgid "Drop contact" +msgstr "Удалить контакт" + +#: mod/contacts.php:470 mod/contacts.php:823 +msgid "Do you really want to delete this contact?" +msgstr "Вы действительно хотите удалить этот контакт?" + +#: mod/contacts.php:488 +msgid "Contact has been removed." +msgstr "Контакт удален." + +#: mod/contacts.php:519 +#, php-format +msgid "You are mutual friends with %s" +msgstr "У Вас взаимная дружба с %s" + +#: mod/contacts.php:523 +#, php-format +msgid "You are sharing with %s" +msgstr "Вы делитесь с %s" + +#: mod/contacts.php:527 +#, php-format +msgid "%s is sharing with you" +msgstr "%s делится с Вами" + +#: mod/contacts.php:547 +msgid "Private communications are not available for this contact." +msgstr "Приватные коммуникации недоступны для этого контакта." + +#: mod/contacts.php:549 +msgid "Never" +msgstr "Никогда" + +#: mod/contacts.php:552 +msgid "(Update was successful)" +msgstr "(Обновление было успешно)" + +#: mod/contacts.php:552 +msgid "(Update was not successful)" +msgstr "(Обновление не удалось)" + +#: mod/contacts.php:554 mod/contacts.php:992 +msgid "Suggest friends" +msgstr "Предложить друзей" + +#: mod/contacts.php:558 +#, php-format +msgid "Network type: %s" +msgstr "Сеть: %s" + +#: mod/contacts.php:563 +msgid "Communications lost with this contact!" +msgstr "Связь с контактом утеряна!" + +#: mod/contacts.php:569 +msgid "Fetch further information for feeds" +msgstr "Получить подробную информацию о фидах" + +#: mod/contacts.php:571 +msgid "" +"Fetch information like preview pictures, title and teaser from the feed " +"item. You can activate this if the feed doesn't contain much text. Keywords " +"are taken from the meta header in the feed item and are posted as hash tags." +msgstr "" + +#: mod/contacts.php:572 mod/admin.php:1272 mod/admin.php:1435 +#: mod/admin.php:1445 +msgid "Disabled" +msgstr "Отключенный" + +#: mod/contacts.php:573 +msgid "Fetch information" +msgstr "Получить информацию" + +#: mod/contacts.php:574 +msgid "Fetch keywords" +msgstr "" + +#: mod/contacts.php:575 +msgid "Fetch information and keywords" +msgstr "Получить информацию и ключевые слова" + +#: mod/contacts.php:608 +msgid "Contact" +msgstr "Контакт" + +#: mod/contacts.php:611 +msgid "Profile Visibility" +msgstr "Видимость профиля" + +#: mod/contacts.php:612 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Пожалуйста, выберите профиль, который вы хотите отображать %s, когда просмотр вашего профиля безопасен." + +#: mod/contacts.php:613 +msgid "Contact Information / Notes" +msgstr "Информация о контакте / Заметки" + +#: mod/contacts.php:614 +msgid "Their personal note" +msgstr "" + +#: mod/contacts.php:616 +msgid "Edit contact notes" +msgstr "Редактировать заметки контакта" + +#: mod/contacts.php:620 +msgid "Block/Unblock contact" +msgstr "Блокировать / Разблокировать контакт" + +#: mod/contacts.php:621 +msgid "Ignore contact" +msgstr "Игнорировать контакт" + +#: mod/contacts.php:622 +msgid "Repair URL settings" +msgstr "Восстановить настройки URL" + +#: mod/contacts.php:623 +msgid "View conversations" +msgstr "Просмотр бесед" + +#: mod/contacts.php:628 +msgid "Last update:" +msgstr "Последнее обновление: " + +#: mod/contacts.php:630 +msgid "Update public posts" +msgstr "Обновить публичные сообщения" + +#: mod/contacts.php:632 mod/contacts.php:1002 +msgid "Update now" +msgstr "Обновить сейчас" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:485 mod/admin.php:1800 +msgid "Unblock" +msgstr "Разблокировать" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:484 mod/admin.php:1799 +msgid "Block" +msgstr "Заблокировать" + +#: mod/contacts.php:638 mod/contacts.php:828 mod/contacts.php:1019 +msgid "Unignore" +msgstr "Не игнорировать" + +#: mod/contacts.php:642 +msgid "Currently blocked" +msgstr "В настоящее время заблокирован" + +#: mod/contacts.php:643 +msgid "Currently ignored" +msgstr "В настоящее время игнорируется" + +#: mod/contacts.php:644 +msgid "Currently archived" +msgstr "В данный момент архивирован" + +#: mod/contacts.php:645 +msgid "Awaiting connection acknowledge" +msgstr "" + +#: mod/contacts.php:646 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Ответы/лайки ваших публичных сообщений будут видимы." + +#: mod/contacts.php:647 +msgid "Notification for new posts" +msgstr "Уведомление о новых постах" + +#: mod/contacts.php:647 +msgid "Send a notification of every new post of this contact" +msgstr "Отправлять уведомление о каждом новом посте контакта" + +#: mod/contacts.php:650 +msgid "Blacklisted keywords" +msgstr "Черный список ключевых слов" + +#: mod/contacts.php:650 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "" + +#: mod/contacts.php:662 src/Model/Profile.php:424 +msgid "XMPP:" +msgstr "XMPP:" + +#: mod/contacts.php:667 +msgid "Actions" +msgstr "Действия" + +#: mod/contacts.php:669 mod/contacts.php:855 src/Content/Nav.php:100 +#: src/Model/Profile.php:888 view/theme/frio/theme.php:259 +msgid "Status" +msgstr "Посты" + +#: mod/contacts.php:670 +msgid "Contact Settings" +msgstr "Настройки контакта" + +#: mod/contacts.php:711 +msgid "Suggestions" +msgstr "Предложения" + +#: mod/contacts.php:714 +msgid "Suggest potential friends" +msgstr "Предложить потенциального знакомого" + +#: mod/contacts.php:722 +msgid "Show all contacts" +msgstr "Показать все контакты" + +#: mod/contacts.php:727 +msgid "Unblocked" +msgstr "Не блокирован" + +#: mod/contacts.php:730 +msgid "Only show unblocked contacts" +msgstr "Показать только не блокированные контакты" + +#: mod/contacts.php:735 +msgid "Blocked" +msgstr "Заблокирован" + +#: mod/contacts.php:738 +msgid "Only show blocked contacts" +msgstr "Показать только блокированные контакты" + +#: mod/contacts.php:743 +msgid "Ignored" +msgstr "Игнорирован" + +#: mod/contacts.php:746 +msgid "Only show ignored contacts" +msgstr "Показать только игнорируемые контакты" + +#: mod/contacts.php:751 +msgid "Archived" +msgstr "Архивированные" + +#: mod/contacts.php:754 +msgid "Only show archived contacts" +msgstr "Показывать только архивные контакты" + +#: mod/contacts.php:759 +msgid "Hidden" +msgstr "Скрытые" + +#: mod/contacts.php:762 +msgid "Only show hidden contacts" +msgstr "Показывать только скрытые контакты" + +#: mod/contacts.php:818 +msgid "Search your contacts" +msgstr "Поиск ваших контактов" + +#: mod/contacts.php:826 mod/settings.php:170 mod/settings.php:701 +msgid "Update" +msgstr "Обновление" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Archive" +msgstr "Архивировать" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Unarchive" +msgstr "Разархивировать" + +#: mod/contacts.php:832 +msgid "Batch Actions" +msgstr "Пакетные действия" + +#: mod/contacts.php:866 src/Model/Profile.php:899 +msgid "Profile Details" +msgstr "Информация о вас" + +#: mod/contacts.php:878 +msgid "View all contacts" +msgstr "Показать все контакты" + +#: mod/contacts.php:889 +msgid "View all common friends" +msgstr "Показать все общие поля" + +#: mod/contacts.php:898 +msgid "Advanced Contact Settings" +msgstr "Дополнительные Настройки Контакта" + +#: mod/contacts.php:930 +msgid "Mutual Friendship" +msgstr "Взаимная дружба" + +#: mod/contacts.php:934 +msgid "is a fan of yours" +msgstr "является вашим поклонником" + +#: mod/contacts.php:938 +msgid "you are a fan of" +msgstr "Вы - поклонник" + +#: mod/contacts.php:1013 +msgid "Toggle Blocked status" +msgstr "Изменить статус блокированности (заблокировать/разблокировать)" + +#: mod/contacts.php:1021 +msgid "Toggle Ignored status" +msgstr "Изменить статус игнорирования" + +#: mod/contacts.php:1029 +msgid "Toggle Archive status" +msgstr "Сменить статус архивации (архивирова/не архивировать)" + +#: mod/contacts.php:1037 +msgid "Delete contact" +msgstr "Удалить контакт" + +#: mod/_tos.php:48 mod/register.php:288 mod/admin.php:188 mod/admin.php:302 +#: src/Module/Tos.php:48 +msgid "Terms of Service" +msgstr "" + +#: mod/_tos.php:51 src/Module/Tos.php:51 +msgid "Privacy Statement" +msgstr "" + +#: mod/_tos.php:52 src/Module/Tos.php:52 +msgid "" +"At the time of registration, and for providing communications between the " +"user account and their contacts, the user has to provide a display name (pen" +" name), an username (nickname) and a working email address. The names will " +"be accessible on the profile page of the account by any visitor of the page," +" even if other profile details are not displayed. The email address will " +"only be used to send the user notifications about interactions, but wont be " +"visibly displayed. The listing of an account in the node's user directory or" +" the global user directory is optional and can be controlled in the user " +"settings, it is not necessary for communication." +msgstr "" + +#: mod/_tos.php:53 src/Module/Tos.php:53 +#, php-format +msgid "" +"At any point in time a logged in user can export their account data from the" +" account settings. If the user wants " +"to delete their account they can do so at %1$s/removeme. The deletion of the account will " +"be permanent." +msgstr "" + +#: mod/friendica.php:77 +msgid "This is Friendica, version" +msgstr "Это Friendica, версия" + +#: mod/friendica.php:78 +msgid "running at web location" +msgstr "работает на веб-узле" + +#: mod/friendica.php:82 +msgid "" +"Please visit Friendi.ca to learn more " +"about the Friendica project." +msgstr "" + +#: mod/friendica.php:86 +msgid "Bug reports and issues: please visit" +msgstr "Отчет об ошибках и проблемах: пожалуйста, посетите" + +#: mod/friendica.php:86 +msgid "the bugtracker at github" +msgstr "багтрекер на github" + +#: mod/friendica.php:89 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Предложения, похвала, пожертвования? Пишите на \"info\" на Friendica - точка com" + +#: mod/friendica.php:103 +msgid "Installed addons/apps:" +msgstr "" + +#: mod/friendica.php:117 +msgid "No installed addons/apps" +msgstr "" + +#: mod/friendica.php:122 +#, php-format +msgid "Read about the Terms of Service of this node." +msgstr "" + +#: mod/friendica.php:127 +msgid "On this server the following remote servers are blocked." +msgstr "" + +#: mod/friendica.php:128 mod/admin.php:354 mod/admin.php:372 +msgid "Reason for the block" +msgstr "" + +#: mod/lostpass.php:27 +msgid "No valid account found." +msgstr "Не найдено действительного аккаунта." + +#: mod/lostpass.php:39 +msgid "Password reset request issued. Check your email." +msgstr "Запрос на сброс пароля принят. Проверьте вашу электронную почту." + +#: mod/lostpass.php:45 +#, php-format +msgid "" +"\n" +"\t\tDear %1$s,\n" +"\t\t\tA request was recently received at \"%2$s\" to reset your account\n" +"\t\tpassword. In order to confirm this request, please select the verification link\n" +"\t\tbelow or paste it into your web browser address bar.\n" +"\n" +"\t\tIf you did NOT request this change, please DO NOT follow the link\n" +"\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n" +"\n" +"\t\tYour password will not be changed unless we can verify that you\n" +"\t\tissued this request." +msgstr "" + +#: mod/lostpass.php:56 +#, php-format +msgid "" +"\n" +"\t\tFollow this link soon to verify your identity:\n" +"\n" +"\t\t%1$s\n" +"\n" +"\t\tYou will then receive a follow-up message containing the new password.\n" +"\t\tYou may change that password from your account settings page after logging in.\n" +"\n" +"\t\tThe login details are as follows:\n" +"\n" +"\t\tSite Location:\t%2$s\n" +"\t\tLogin Name:\t%3$s" +msgstr "" + +#: mod/lostpass.php:73 +#, php-format +msgid "Password reset requested at %s" +msgstr "Запрос на сброс пароля получен %s" + +#: mod/lostpass.php:89 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Запрос не может быть проверен. (Вы, возможно, ранее представляли его.) Попытка сброса пароля неудачная." + +#: mod/lostpass.php:102 +msgid "Request has expired, please make a new one." +msgstr "" + +#: mod/lostpass.php:117 +msgid "Forgot your Password?" +msgstr "Забыли пароль?" + +#: mod/lostpass.php:118 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Введите адрес электронной почты и подтвердите, что вы хотите сбросить ваш пароль. Затем проверьте свою электронную почту для получения дальнейших инструкций." + +#: mod/lostpass.php:119 src/Module/Login.php:314 +msgid "Nickname or Email: " +msgstr "Ник или E-mail: " + +#: mod/lostpass.php:120 +msgid "Reset" +msgstr "Сброс" + +#: mod/lostpass.php:136 src/Module/Login.php:326 +msgid "Password Reset" +msgstr "Сброс пароля" + +#: mod/lostpass.php:137 +msgid "Your password has been reset as requested." +msgstr "Ваш пароль был сброшен по требованию." + +#: mod/lostpass.php:138 +msgid "Your new password is" +msgstr "Ваш новый пароль" + +#: mod/lostpass.php:139 +msgid "Save or copy your new password - and then" +msgstr "Сохраните или скопируйте новый пароль - и затем" + +#: mod/lostpass.php:140 +msgid "click here to login" +msgstr "нажмите здесь для входа" + +#: mod/lostpass.php:141 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Ваш пароль может быть изменен на странице Настройки после успешного входа." + +#: mod/lostpass.php:149 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tYour password has been changed as requested. Please retain this\n" +"\t\t\tinformation for your records (or change your password immediately to\n" +"\t\t\tsomething that you will remember).\n" +"\t\t" +msgstr "" + +#: mod/lostpass.php:155 +#, php-format +msgid "" +"\n" +"\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%1$s\n" +"\t\t\tLogin Name:\t%2$s\n" +"\t\t\tPassword:\t%3$s\n" +"\n" +"\t\t\tYou may change that password from your account settings page after logging in.\n" +"\t\t" +msgstr "" + +#: mod/lostpass.php:169 +#, php-format +msgid "Your password has been changed at %s" +msgstr "Ваш пароль был изменен %s" + +#: mod/register.php:99 msgid "" "Registration successful. Please check your email for further instructions." msgstr "Регистрация успешна. Пожалуйста, проверьте свою электронную почту для получения дальнейших инструкций." -#: mod/register.php:98 +#: mod/register.php:103 #, php-format msgid "" "Failed to send email message. Here your accout details:
login: %s
" "password: %s

You can change your password after login." msgstr "Ошибка отправки письма. Вот ваши учетные данные:
логин: %s
пароль: %s

Вы сможете изменить пароль после входа." -#: mod/register.php:105 +#: mod/register.php:110 msgid "Registration successful." msgstr "Регистрация успешна." -#: mod/register.php:111 +#: mod/register.php:115 msgid "Your registration can not be processed." msgstr "Ваша регистрация не может быть обработана." -#: mod/register.php:160 +#: mod/register.php:162 msgid "Your registration is pending approval by the site owner." msgstr "Ваша регистрация в ожидании одобрения владельцем сайта." -#: mod/register.php:226 +#: mod/register.php:220 msgid "" "You may (optionally) fill in this form via OpenID by supplying your OpenID " "and clicking 'Register'." msgstr "Вы можете (по желанию), заполнить эту форму с помощью OpenID, поддерживая ваш OpenID и нажав клавишу \"Регистрация\"." -#: mod/register.php:227 +#: mod/register.php:221 msgid "" "If you are not familiar with OpenID, please leave that field blank and fill " "in the rest of the items." msgstr "Если вы не знакомы с OpenID, пожалуйста, оставьте это поле пустым и заполните остальные элементы." -#: mod/register.php:228 +#: mod/register.php:222 msgid "Your OpenID (optional): " msgstr "Ваш OpenID (необязательно):" -#: mod/register.php:242 +#: mod/register.php:234 msgid "Include your profile in member directory?" msgstr "Включить ваш профиль в каталог участников?" -#: mod/register.php:267 +#: mod/register.php:259 msgid "Note for the admin" msgstr "Сообщение для администратора" -#: mod/register.php:267 +#: mod/register.php:259 msgid "Leave a message for the admin, why you want to join this node" msgstr "Сообщения для администратора сайта на тему \"почему я хочу присоединиться к вам\"" -#: mod/register.php:268 +#: mod/register.php:260 msgid "Membership on this site is by invitation only." msgstr "Членство на сайте только по приглашению." -#: mod/register.php:269 -msgid "Your invitation ID: " -msgstr "ID вашего приглашения:" +#: mod/register.php:261 +msgid "Your invitation code: " +msgstr "" -#: mod/register.php:272 mod/admin.php:1056 +#: mod/register.php:264 mod/admin.php:1348 msgid "Registration" msgstr "Регистрация" -#: mod/register.php:280 +#: mod/register.php:270 msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " msgstr "Ваше полное имя (например, Иван Иванов):" -#: mod/register.php:281 -msgid "Your Email Address: " -msgstr "Ваш адрес электронной почты: " +#: mod/register.php:271 +msgid "" +"Your Email Address: (Initial information will be send there, so this has to " +"be an existing address.)" +msgstr "" -#: mod/register.php:283 mod/settings.php:1278 +#: mod/register.php:273 mod/settings.php:1201 msgid "New Password:" msgstr "Новый пароль:" -#: mod/register.php:283 +#: mod/register.php:273 msgid "Leave empty for an auto generated password." msgstr "Оставьте пустым для автоматической генерации пароля." -#: mod/register.php:284 mod/settings.php:1279 +#: mod/register.php:274 mod/settings.php:1202 msgid "Confirm:" msgstr "Подтвердите:" -#: mod/register.php:285 +#: mod/register.php:275 +#, php-format msgid "" "Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Выбор псевдонима профиля. Он должен начинаться с буквы. Адрес вашего профиля на данном сайте будет в этом случае 'nickname@$sitename'." +"profile address on this site will then be 'nickname@%s'." +msgstr "" -#: mod/register.php:286 +#: mod/register.php:276 msgid "Choose a nickname: " msgstr "Выберите псевдоним: " -#: mod/register.php:296 +#: mod/register.php:279 src/Content/Nav.php:128 src/Module/Login.php:283 +msgid "Register" +msgstr "Регистрация" + +#: mod/register.php:286 msgid "Import your profile to this friendica instance" msgstr "Импорт своего профиля в этот экземпляр friendica" -#: mod/search.php:100 -msgid "Only logged in users are permitted to perform a search." -msgstr "Только зарегистрированные пользователи могут использовать поиск." - -#: mod/search.php:124 -msgid "Too Many Requests" -msgstr "Слишком много запросов" - -#: mod/search.php:125 -msgid "Only one search per minute is permitted for not logged in users." -msgstr "Незарегистрированные пользователи могут выполнять поиск раз в минуту." - -#: mod/search.php:225 -#, php-format -msgid "Items tagged with: %s" -msgstr "Элементы с тегами: %s" - -#: mod/settings.php:43 mod/admin.php:1490 -msgid "Account" -msgstr "Аккаунт" - -#: mod/settings.php:52 mod/admin.php:169 -msgid "Additional features" -msgstr "Дополнительные возможности" - -#: mod/settings.php:60 -msgid "Display" -msgstr "Внешний вид" - -#: mod/settings.php:67 mod/settings.php:890 -msgid "Social Networks" -msgstr "Социальные сети" - -#: mod/settings.php:74 mod/admin.php:167 mod/admin.php:1616 mod/admin.php:1679 -msgid "Plugins" -msgstr "Плагины" - -#: mod/settings.php:88 -msgid "Connected apps" -msgstr "Подключенные приложения" - -#: mod/settings.php:95 mod/uexport.php:45 -msgid "Export personal data" -msgstr "Экспорт личных данных" - -#: mod/settings.php:102 -msgid "Remove account" -msgstr "Удалить аккаунт" - -#: mod/settings.php:157 -msgid "Missing some important data!" -msgstr "Не хватает важных данных!" - -#: mod/settings.php:271 -msgid "Failed to connect with email account using the settings provided." -msgstr "Не удалось подключиться к аккаунту e-mail, используя указанные настройки." - -#: mod/settings.php:276 -msgid "Email settings updated." -msgstr "Настройки эл. почты обновлены." - -#: mod/settings.php:291 -msgid "Features updated" -msgstr "Настройки обновлены" - -#: mod/settings.php:361 -msgid "Relocate message has been send to your contacts" -msgstr "Перемещённое сообщение было отправлено списку контактов" - -#: mod/settings.php:380 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Пустые пароли не допускаются. Пароль не изменен." - -#: mod/settings.php:388 -msgid "Wrong password." -msgstr "Неверный пароль." - -#: mod/settings.php:399 -msgid "Password changed." -msgstr "Пароль изменен." - -#: mod/settings.php:401 -msgid "Password update failed. Please try again." -msgstr "Обновление пароля не удалось. Пожалуйста, попробуйте еще раз." - -#: mod/settings.php:481 -msgid " Please use a shorter name." -msgstr " Пожалуйста, используйте более короткое имя." - -#: mod/settings.php:483 -msgid " Name too short." -msgstr " Имя слишком короткое." - -#: mod/settings.php:492 -msgid "Wrong Password" -msgstr "Неверный пароль." - -#: mod/settings.php:497 -msgid " Not valid email." -msgstr " Неверный e-mail." - -#: mod/settings.php:503 -msgid " Cannot change to that email." -msgstr " Невозможно изменить на этот e-mail." - -#: mod/settings.php:559 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Частный форум не имеет настроек приватности. Используется группа конфиденциальности по умолчанию." - -#: mod/settings.php:563 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Частный форум не имеет настроек приватности и не имеет групп приватности по умолчанию." - -#: mod/settings.php:603 -msgid "Settings updated." -msgstr "Настройки обновлены." - -#: mod/settings.php:680 mod/settings.php:706 mod/settings.php:742 -msgid "Add application" -msgstr "Добавить приложения" - -#: mod/settings.php:681 mod/settings.php:792 mod/settings.php:841 -#: mod/settings.php:908 mod/settings.php:1005 mod/settings.php:1271 -#: mod/admin.php:1055 mod/admin.php:1680 mod/admin.php:1943 mod/admin.php:2017 -#: mod/admin.php:2170 -msgid "Save Settings" -msgstr "Сохранить настройки" - -#: mod/settings.php:684 mod/settings.php:710 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: mod/settings.php:685 mod/settings.php:711 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: mod/settings.php:686 mod/settings.php:712 -msgid "Redirect" -msgstr "Перенаправление" - -#: mod/settings.php:687 mod/settings.php:713 -msgid "Icon url" -msgstr "URL символа" - -#: mod/settings.php:698 -msgid "You can't edit this application." -msgstr "Вы не можете изменить это приложение." - -#: mod/settings.php:741 -msgid "Connected Apps" -msgstr "Подключенные приложения" - -#: mod/settings.php:745 -msgid "Client key starts with" -msgstr "Ключ клиента начинается с" - -#: mod/settings.php:746 -msgid "No name" -msgstr "Нет имени" - -#: mod/settings.php:747 -msgid "Remove authorization" -msgstr "Удалить авторизацию" - -#: mod/settings.php:759 -msgid "No Plugin settings configured" -msgstr "Нет сконфигурированных настроек плагина" - -#: mod/settings.php:768 -msgid "Plugin Settings" -msgstr "Настройки плагина" - -#: mod/settings.php:782 mod/admin.php:2159 mod/admin.php:2160 -msgid "Off" -msgstr "Выкл." - -#: mod/settings.php:782 mod/admin.php:2159 mod/admin.php:2160 -msgid "On" -msgstr "Вкл." - -#: mod/settings.php:790 -msgid "Additional Features" -msgstr "Дополнительные возможности" - -#: mod/settings.php:800 mod/settings.php:804 -msgid "General Social Media Settings" -msgstr "Общие настройки социальных медиа" - -#: mod/settings.php:810 -msgid "Disable intelligent shortening" -msgstr "Отключить умное сокращение" - -#: mod/settings.php:812 -msgid "" -"Normally the system tries to find the best link to add to shortened posts. " -"If this option is enabled then every shortened post will always point to the" -" original friendica post." -msgstr "Обычно система пытается найти лучшую ссылку для добавления к сокращенному посту. Если эта настройка включена, то каждый сокращенный пост будет указывать на оригинальный пост в Friendica." - -#: mod/settings.php:818 -msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" -msgstr "Автоматически подписываться на любого пользователя GNU Social (OStatus), который вас упомянул или который на вас подписался" - -#: mod/settings.php:820 -msgid "" -"If you receive a message from an unknown OStatus user, this option decides " -"what to do. If it is checked, a new contact will be created for every " -"unknown user." -msgstr "Если вы получите сообщение от неизвестной учетной записи OStatus, эта настройка решает, что делать. Если включена, то новый контакт будет создан для каждого неизвестного пользователя." - -#: mod/settings.php:826 -msgid "Default group for OStatus contacts" -msgstr "Группа по-умолчанию для OStatus-контактов" - -#: mod/settings.php:834 -msgid "Your legacy GNU Social account" -msgstr "Ваша старая учетная запись GNU Social" - -#: mod/settings.php:836 -msgid "" -"If you enter your old GNU Social/Statusnet account name here (in the format " -"user@domain.tld), your contacts will be added automatically. The field will " -"be emptied when done." -msgstr "Если вы введете тут вашу старую учетную запись GNU Social/Statusnet (в виде пользователь@домен), ваши контакты оттуда будут автоматически добавлены. Поле будет очищено когда все контакты будут добавлены." - -#: mod/settings.php:839 -msgid "Repair OStatus subscriptions" -msgstr "Починить подписки OStatus" - -#: mod/settings.php:848 mod/settings.php:849 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Встроенная поддержка для %s подключение %s" - -#: mod/settings.php:848 mod/settings.php:849 -msgid "enabled" -msgstr "подключено" - -#: mod/settings.php:848 mod/settings.php:849 -msgid "disabled" -msgstr "отключено" - -#: mod/settings.php:849 -msgid "GNU Social (OStatus)" -msgstr "GNU Social (OStatus)" - -#: mod/settings.php:883 -msgid "Email access is disabled on this site." -msgstr "Доступ эл. почты отключен на этом сайте." - -#: mod/settings.php:895 -msgid "Email/Mailbox Setup" -msgstr "Настройка эл. почты / почтового ящика" - -#: mod/settings.php:896 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Если вы хотите общаться с Email контактами, используя этот сервис (по желанию), пожалуйста, уточните, как подключиться к вашему почтовому ящику." - -#: mod/settings.php:897 -msgid "Last successful email check:" -msgstr "Последняя успешная проверка электронной почты:" - -#: mod/settings.php:899 -msgid "IMAP server name:" -msgstr "Имя IMAP сервера:" - -#: mod/settings.php:900 -msgid "IMAP port:" -msgstr "Порт IMAP:" - -#: mod/settings.php:901 -msgid "Security:" -msgstr "Безопасность:" - -#: mod/settings.php:901 mod/settings.php:906 -msgid "None" -msgstr "Ничего" - -#: mod/settings.php:902 -msgid "Email login name:" -msgstr "Логин эл. почты:" - -#: mod/settings.php:903 -msgid "Email password:" -msgstr "Пароль эл. почты:" - -#: mod/settings.php:904 -msgid "Reply-to address:" -msgstr "Адрес для ответа:" - -#: mod/settings.php:905 -msgid "Send public posts to all email contacts:" -msgstr "Отправлять открытые сообщения на все контакты электронной почты:" - -#: mod/settings.php:906 -msgid "Action after import:" -msgstr "Действие после импорта:" - -#: mod/settings.php:906 -msgid "Move to folder" -msgstr "Переместить в папку" - -#: mod/settings.php:907 -msgid "Move to folder:" -msgstr "Переместить в папку:" - -#: mod/settings.php:943 mod/admin.php:942 -msgid "No special theme for mobile devices" -msgstr "Нет специальной темы для мобильных устройств" - -#: mod/settings.php:1003 -msgid "Display Settings" -msgstr "Параметры дисплея" - -#: mod/settings.php:1009 mod/settings.php:1032 -msgid "Display Theme:" -msgstr "Показать тему:" - -#: mod/settings.php:1010 -msgid "Mobile Theme:" -msgstr "Мобильная тема:" - -#: mod/settings.php:1011 -msgid "Suppress warning of insecure networks" -msgstr "Не отображать уведомление о небезопасных сетях" - -#: mod/settings.php:1011 -msgid "" -"Should the system suppress the warning that the current group contains " -"members of networks that can't receive non public postings." -msgstr "Должна ли система подавлять уведомления о том, что текущая группа содержить пользователей из сетей, которые не могут получать непубличные сообщения или сообщения с ограниченной видимостью." - -#: mod/settings.php:1012 -msgid "Update browser every xx seconds" -msgstr "Обновление браузера каждые хх секунд" - -#: mod/settings.php:1012 -msgid "Minimum of 10 seconds. Enter -1 to disable it." -msgstr "Минимум 10 секунд. Введите -1 для отключения." - -#: mod/settings.php:1013 -msgid "Number of items to display per page:" -msgstr "Количество элементов, отображаемых на одной странице:" - -#: mod/settings.php:1013 mod/settings.php:1014 -msgid "Maximum of 100 items" -msgstr "Максимум 100 элементов" - -#: mod/settings.php:1014 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Количество элементов на странице, когда просмотр осуществляется с мобильных устройств:" - -#: mod/settings.php:1015 -msgid "Don't show emoticons" -msgstr "не показывать emoticons" - -#: mod/settings.php:1016 -msgid "Calendar" -msgstr "Календарь" - -#: mod/settings.php:1017 -msgid "Beginning of week:" -msgstr "Начало недели:" - -#: mod/settings.php:1018 -msgid "Don't show notices" -msgstr "Не показывать уведомления" - -#: mod/settings.php:1019 -msgid "Infinite scroll" -msgstr "Бесконечная прокрутка" - -#: mod/settings.php:1020 -msgid "Automatic updates only at the top of the network page" -msgstr "Автоматически обновлять только при нахождении вверху страницы \"Сеть\"" - -#: mod/settings.php:1021 -msgid "Bandwith Saver Mode" -msgstr "Режим экономии трафика" - -#: mod/settings.php:1021 -msgid "" -"When enabled, embedded content is not displayed on automatic updates, they " -"only show on page reload." -msgstr "Если включено, то включенный контент не отображается при автоматическом обновлении, он будет показан только при перезагрузке страницы." - -#: mod/settings.php:1023 -msgid "General Theme Settings" -msgstr "Общие настройки тем" - -#: mod/settings.php:1024 -msgid "Custom Theme Settings" -msgstr "Личные настройки тем" - -#: mod/settings.php:1025 -msgid "Content Settings" -msgstr "Настройки контента" - -#: mod/settings.php:1026 view/theme/duepuntozero/config.php:63 -#: view/theme/frio/config.php:66 view/theme/quattro/config.php:69 -#: view/theme/vier/config.php:114 -msgid "Theme settings" -msgstr "Настройки темы" - -#: mod/settings.php:1110 -msgid "Account Types" -msgstr "Тип учетной записи" - -#: mod/settings.php:1111 -msgid "Personal Page Subtypes" -msgstr "Подтипы личной страницы" - -#: mod/settings.php:1112 -msgid "Community Forum Subtypes" -msgstr "Подтипы форума сообщества" - -#: mod/settings.php:1119 -msgid "Personal Page" -msgstr "Личная страница" - -#: mod/settings.php:1120 -msgid "This account is a regular personal profile" -msgstr "Этот аккаунт является обычным личным профилем" - -#: mod/settings.php:1123 -msgid "Organisation Page" -msgstr "Организационная страница" - -#: mod/settings.php:1124 -msgid "This account is a profile for an organisation" -msgstr "Этот аккаунт является профилем организации" - -#: mod/settings.php:1127 -msgid "News Page" -msgstr "Новостная страница" - -#: mod/settings.php:1128 -msgid "This account is a news account/reflector" -msgstr "Этот аккаунт является ностным/рефлектором" - -#: mod/settings.php:1131 -msgid "Community Forum" -msgstr "Форум сообщества" - -#: mod/settings.php:1132 -msgid "" -"This account is a community forum where people can discuss with each other" -msgstr "Эта учетная запись является форумом сообщества, где люди могут обсуждать что-то друг с другом" - -#: mod/settings.php:1135 -msgid "Normal Account Page" -msgstr "Стандартная страница аккаунта" - -#: mod/settings.php:1136 -msgid "This account is a normal personal profile" -msgstr "Этот аккаунт является обычным персональным профилем" - -#: mod/settings.php:1139 -msgid "Soapbox Page" -msgstr "Песочница" - -#: mod/settings.php:1140 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Автоматически одобряются все подключения / запросы в друзья, \"только для чтения\" поклонниками" - -#: mod/settings.php:1143 -msgid "Public Forum" -msgstr "Публичный форум" - -#: mod/settings.php:1144 -msgid "Automatically approve all contact requests" -msgstr "Автоматически принимать все запросы соединения." - -#: mod/settings.php:1147 -msgid "Automatic Friend Page" -msgstr "\"Автоматический друг\" страница" - -#: mod/settings.php:1148 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Автоматически одобряются все подключения / запросы в друзья, расширяется список друзей" - -#: mod/settings.php:1151 -msgid "Private Forum [Experimental]" -msgstr "Личный форум [экспериментально]" - -#: mod/settings.php:1152 -msgid "Private forum - approved members only" -msgstr "Приватный форум - разрешено только участникам" - -#: mod/settings.php:1163 -msgid "OpenID:" -msgstr "OpenID:" - -#: mod/settings.php:1163 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Необязательно) Разрешить этому OpenID входить в этот аккаунт" - -#: mod/settings.php:1171 -msgid "Publish your default profile in your local site directory?" -msgstr "Публиковать ваш профиль по умолчанию в вашем локальном каталоге на сайте?" - -#: mod/settings.php:1171 -msgid "Your profile may be visible in public." -msgstr "" - -#: mod/settings.php:1177 -msgid "Publish your default profile in the global social directory?" -msgstr "Публиковать ваш профиль по умолчанию в глобальном социальном каталоге?" - -#: mod/settings.php:1184 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Скрывать ваш список контактов/друзей от посетителей вашего профиля по умолчанию?" - -#: mod/settings.php:1188 -msgid "" -"If enabled, posting public messages to Diaspora and other networks isn't " -"possible." -msgstr "Если включено, то мы не сможем отправлять публичные сообщения в Diaspora или другую сеть." - -#: mod/settings.php:1193 -msgid "Allow friends to post to your profile page?" -msgstr "Разрешить друзьям оставлять сообщения на страницу вашего профиля?" - -#: mod/settings.php:1198 -msgid "Allow friends to tag your posts?" -msgstr "Разрешить друзьям отмечять ваши сообщения?" - -#: mod/settings.php:1203 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Позвольть предлогать Вам потенциальных друзей?" - -#: mod/settings.php:1208 -msgid "Permit unknown people to send you private mail?" -msgstr "Разрешить незнакомым людям отправлять вам личные сообщения?" - -#: mod/settings.php:1216 -msgid "Profile is not published." -msgstr "Профиль не публикуется." - -#: mod/settings.php:1224 -#, php-format -msgid "Your Identity Address is '%s' or '%s'." -msgstr "Ваш адрес: '%s' или '%s'." - -#: mod/settings.php:1231 -msgid "Automatically expire posts after this many days:" -msgstr "Автоматическое истекание срока действия сообщения после стольких дней:" - -#: mod/settings.php:1231 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Если пусто, срок действия сообщений не будет ограничен. Сообщения с истекшим сроком действия будут удалены" - -#: mod/settings.php:1232 -msgid "Advanced expiration settings" -msgstr "Настройки расширенного окончания срока действия" - -#: mod/settings.php:1233 -msgid "Advanced Expiration" -msgstr "Расширенное окончание срока действия" - -#: mod/settings.php:1234 -msgid "Expire posts:" -msgstr "Срок хранения сообщений:" - -#: mod/settings.php:1235 -msgid "Expire personal notes:" -msgstr "Срок хранения личных заметок:" - -#: mod/settings.php:1236 -msgid "Expire starred posts:" -msgstr "Срок хранения усеянных сообщений:" - -#: mod/settings.php:1237 -msgid "Expire photos:" -msgstr "Срок хранения фотографий:" - -#: mod/settings.php:1238 -msgid "Only expire posts by others:" -msgstr "Только устаревшие посты других:" - -#: mod/settings.php:1269 -msgid "Account Settings" -msgstr "Настройки аккаунта" - -#: mod/settings.php:1277 -msgid "Password Settings" -msgstr "Смена пароля" - -#: mod/settings.php:1279 -msgid "Leave password fields blank unless changing" -msgstr "Оставьте поля пароля пустыми, если он не изменяется" - -#: mod/settings.php:1280 -msgid "Current Password:" -msgstr "Текущий пароль:" - -#: mod/settings.php:1280 mod/settings.php:1281 -msgid "Your current password to confirm the changes" -msgstr "Ваш текущий пароль, для подтверждения изменений" - -#: mod/settings.php:1281 -msgid "Password:" -msgstr "Пароль:" - -#: mod/settings.php:1285 -msgid "Basic Settings" -msgstr "Основные параметры" - -#: mod/settings.php:1287 -msgid "Email Address:" -msgstr "Адрес электронной почты:" - -#: mod/settings.php:1288 -msgid "Your Timezone:" -msgstr "Ваш часовой пояс:" - -#: mod/settings.php:1289 -msgid "Your Language:" -msgstr "Ваш язык:" - -#: mod/settings.php:1289 -msgid "" -"Set the language we use to show you friendica interface and to send you " -"emails" -msgstr "Выберите язык, на котором вы будете видеть интерфейс Friendica и на котором вы будете получать письма" - -#: mod/settings.php:1290 -msgid "Default Post Location:" -msgstr "Местонахождение по умолчанию:" - -#: mod/settings.php:1291 -msgid "Use Browser Location:" -msgstr "Использовать определение местоположения браузером:" - -#: mod/settings.php:1294 -msgid "Security and Privacy Settings" -msgstr "Параметры безопасности и конфиденциальности" - -#: mod/settings.php:1296 -msgid "Maximum Friend Requests/Day:" -msgstr "Максимум запросов в друзья в день:" - -#: mod/settings.php:1296 mod/settings.php:1326 -msgid "(to prevent spam abuse)" -msgstr "(для предотвращения спама)" - -#: mod/settings.php:1297 -msgid "Default Post Permissions" -msgstr "Разрешение на сообщения по умолчанию" - -#: mod/settings.php:1298 -msgid "(click to open/close)" -msgstr "(нажмите, чтобы открыть / закрыть)" - -#: mod/settings.php:1309 -msgid "Default Private Post" -msgstr "Личное сообщение по умолчанию" - -#: mod/settings.php:1310 -msgid "Default Public Post" -msgstr "Публичное сообщение по умолчанию" - -#: mod/settings.php:1314 -msgid "Default Permissions for New Posts" -msgstr "Права для новых записей по умолчанию" - -#: mod/settings.php:1326 -msgid "Maximum private messages per day from unknown people:" -msgstr "Максимальное количество личных сообщений от незнакомых людей в день:" - -#: mod/settings.php:1329 -msgid "Notification Settings" -msgstr "Настройка уведомлений" - -#: mod/settings.php:1330 -msgid "By default post a status message when:" -msgstr "Отправить состояние о статусе по умолчанию, если:" - -#: mod/settings.php:1331 -msgid "accepting a friend request" -msgstr "принятие запроса на добавление в друзья" - -#: mod/settings.php:1332 -msgid "joining a forum/community" -msgstr "вступление в сообщество/форум" - -#: mod/settings.php:1333 -msgid "making an interesting profile change" -msgstr "сделать изменения в настройках интересов профиля" - -#: mod/settings.php:1334 -msgid "Send a notification email when:" -msgstr "Отправлять уведомление по электронной почте, когда:" - -#: mod/settings.php:1335 -msgid "You receive an introduction" -msgstr "Вы получили запрос" - -#: mod/settings.php:1336 -msgid "Your introductions are confirmed" -msgstr "Ваши запросы подтверждены" - -#: mod/settings.php:1337 -msgid "Someone writes on your profile wall" -msgstr "Кто-то пишет на стене вашего профиля" - -#: mod/settings.php:1338 -msgid "Someone writes a followup comment" -msgstr "Кто-то пишет последующий комментарий" - -#: mod/settings.php:1339 -msgid "You receive a private message" -msgstr "Вы получаете личное сообщение" - -#: mod/settings.php:1340 -msgid "You receive a friend suggestion" -msgstr "Вы полулили предложение о добавлении в друзья" - -#: mod/settings.php:1341 -msgid "You are tagged in a post" -msgstr "Вы отмечены в посте" - -#: mod/settings.php:1342 -msgid "You are poked/prodded/etc. in a post" -msgstr "Вас потыкали/подтолкнули/и т.д. в посте" - -#: mod/settings.php:1344 -msgid "Activate desktop notifications" -msgstr "Активировать уведомления на рабочем столе" - -#: mod/settings.php:1344 -msgid "Show desktop popup on new notifications" -msgstr "Показывать уведомления на рабочем столе" - -#: mod/settings.php:1346 -msgid "Text-only notification emails" -msgstr "Только текстовые письма" - -#: mod/settings.php:1348 -msgid "Send text only notification emails, without the html part" -msgstr "Отправлять только текстовые уведомления, без HTML" - -#: mod/settings.php:1350 -msgid "Advanced Account/Page Type Settings" -msgstr "Расширенные настройки учётной записи" - -#: mod/settings.php:1351 -msgid "Change the behaviour of this account for special situations" -msgstr "Измените поведение этого аккаунта в специальных ситуациях" - -#: mod/settings.php:1354 -msgid "Relocate" -msgstr "Перемещение" - -#: mod/settings.php:1355 -msgid "" -"If you have moved this profile from another server, and some of your " -"contacts don't receive your updates, try pushing this button." -msgstr "Если вы переместили эту анкету с другого сервера, и некоторые из ваших контактов не получили ваши обновления, попробуйте нажать эту кнопку." - -#: mod/settings.php:1356 -msgid "Resend relocate message to contacts" -msgstr "Отправить перемещённые сообщения контактам" - -#: mod/uexport.php:37 -msgid "Export account" -msgstr "Экспорт аккаунта" - -#: mod/uexport.php:37 -msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." -msgstr "Экспорт ваших регистрационных данные и контактов. Используйте, чтобы создать резервную копию вашего аккаунта и/или переместить его на другой сервер." - -#: mod/uexport.php:38 -msgid "Export all" -msgstr "Экспорт всего" - -#: mod/uexport.php:38 -msgid "" -"Export your accout info, contacts and all your items as json. Could be a " -"very big file, and could take a lot of time. Use this to make a full backup " -"of your account (photos are not exported)" -msgstr "Экспорт информации вашего аккаунта, контактов и всех ваших пунктов, как JSON. Может получиться очень большой файл и это может занять много времени. Используйте, чтобы создать полную резервную копию вашего аккаунта (фото не экспортируются)" - -#: mod/videos.php:124 -msgid "Do you really want to delete this video?" -msgstr "Вы действительно хотите удалить видео?" - -#: mod/videos.php:129 -msgid "Delete Video" -msgstr "Удалить видео" - -#: mod/videos.php:208 -msgid "No videos selected" -msgstr "Видео не выбрано" - -#: mod/videos.php:402 -msgid "Recent Videos" -msgstr "Последние видео" - -#: mod/videos.php:404 -msgid "Upload New Videos" -msgstr "Загрузить новые видео" - -#: mod/install.php:106 -msgid "Friendica Communications Server - Setup" -msgstr "Коммуникационный сервер Friendica - Доступ" - -#: mod/install.php:112 -msgid "Could not connect to database." -msgstr "Не удалось подключиться к базе данных." - -#: mod/install.php:116 -msgid "Could not create table." -msgstr "Не удалось создать таблицу." - -#: mod/install.php:122 -msgid "Your Friendica site database has been installed." -msgstr "База данных сайта установлена." - -#: mod/install.php:127 -msgid "" -"You may need to import the file \"database.sql\" manually using phpmyadmin " -"or mysql." -msgstr "Вам может понадобиться импортировать файл \"database.sql\" вручную с помощью PhpMyAdmin или MySQL." - -#: mod/install.php:128 mod/install.php:200 mod/install.php:547 -msgid "Please see the file \"INSTALL.txt\"." -msgstr "Пожалуйста, смотрите файл \"INSTALL.txt\"." - -#: mod/install.php:140 -msgid "Database already in use." -msgstr "База данных уже используется." - -#: mod/install.php:197 -msgid "System check" -msgstr "Проверить систему" - -#: mod/install.php:202 -msgid "Check again" -msgstr "Проверить еще раз" - -#: mod/install.php:221 -msgid "Database connection" -msgstr "Подключение к базе данных" - -#: mod/install.php:222 -msgid "" -"In order to install Friendica we need to know how to connect to your " -"database." -msgstr "Для того, чтобы установить Friendica, мы должны знать, как подключиться к базе данных." - -#: mod/install.php:223 -msgid "" -"Please contact your hosting provider or site administrator if you have " -"questions about these settings." -msgstr "Пожалуйста, свяжитесь с вашим хостинг-провайдером или администратором сайта, если у вас есть вопросы об этих параметрах." - -#: mod/install.php:224 -msgid "" -"The database you specify below should already exist. If it does not, please " -"create it before continuing." -msgstr "Базы данных, указанная ниже, должна уже существовать. Если этого нет, пожалуйста, создайте ее перед продолжением." - -#: mod/install.php:228 -msgid "Database Server Name" -msgstr "Имя сервера базы данных" - -#: mod/install.php:229 -msgid "Database Login Name" -msgstr "Логин базы данных" - -#: mod/install.php:230 -msgid "Database Login Password" -msgstr "Пароль базы данных" - -#: mod/install.php:230 -msgid "For security reasons the password must not be empty" -msgstr "Для безопасности пароль не должен быть пустым" - -#: mod/install.php:231 -msgid "Database Name" -msgstr "Имя базы данных" - -#: mod/install.php:232 mod/install.php:273 -msgid "Site administrator email address" -msgstr "Адрес электронной почты администратора сайта" - -#: mod/install.php:232 mod/install.php:273 -msgid "" -"Your account email address must match this in order to use the web admin " -"panel." -msgstr "Ваш адрес электронной почты аккаунта должен соответствовать этому, чтобы использовать веб-панель администратора." - -#: mod/install.php:236 mod/install.php:276 -msgid "Please select a default timezone for your website" -msgstr "Пожалуйста, выберите часовой пояс по умолчанию для вашего сайта" - -#: mod/install.php:263 -msgid "Site settings" -msgstr "Настройки сайта" - -#: mod/install.php:277 -msgid "System Language:" -msgstr "Язык системы:" - -#: mod/install.php:277 -msgid "" -"Set the default language for your Friendica installation interface and to " -"send emails." -msgstr "Язык по-умолчанию для интерфейса Friendica и для отправки писем." - -#: mod/install.php:317 -msgid "Could not find a command line version of PHP in the web server PATH." -msgstr "Не удалось найти PATH веб-сервера в установках PHP." - -#: mod/install.php:318 -msgid "" -"If you don't have a command line version of PHP installed on server, you " -"will not be able to run the background processing. See 'Setup the poller'" -msgstr "" - -#: mod/install.php:322 -msgid "PHP executable path" -msgstr "PHP executable path" - -#: mod/install.php:322 -msgid "" -"Enter full path to php executable. You can leave this blank to continue the " -"installation." -msgstr "Введите полный путь к исполняемому файлу PHP. Вы можете оставить это поле пустым, чтобы продолжить установку." - -#: mod/install.php:327 -msgid "Command line PHP" -msgstr "Command line PHP" - -#: mod/install.php:336 -msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" -msgstr "Бинарник PHP не является CLI версией (может быть это cgi-fcgi версия)" - -#: mod/install.php:337 -msgid "Found PHP version: " -msgstr "Найденная PHP версия: " - -#: mod/install.php:339 -msgid "PHP cli binary" -msgstr "PHP cli binary" - -#: mod/install.php:350 -msgid "" -"The command line version of PHP on your system does not have " -"\"register_argc_argv\" enabled." -msgstr "Не включено \"register_argc_argv\" в установках PHP." - -#: mod/install.php:351 -msgid "This is required for message delivery to work." -msgstr "Это необходимо для работы доставки сообщений." - -#: mod/install.php:353 -msgid "PHP register_argc_argv" -msgstr "PHP register_argc_argv" - -#: mod/install.php:376 -msgid "" -"Error: the \"openssl_pkey_new\" function on this system is not able to " -"generate encryption keys" -msgstr "Ошибка: функция \"openssl_pkey_new\" в этой системе не в состоянии генерировать ключи шифрования" - -#: mod/install.php:377 -msgid "" -"If running under Windows, please see " -"\"http://www.php.net/manual/en/openssl.installation.php\"." -msgstr "Если вы работаете под Windows, см. \"http://www.php.net/manual/en/openssl.installation.php\"." - -#: mod/install.php:379 -msgid "Generate encryption keys" -msgstr "Генерация шифрованых ключей" - -#: mod/install.php:386 -msgid "libCurl PHP module" -msgstr "libCurl PHP модуль" - -#: mod/install.php:387 -msgid "GD graphics PHP module" -msgstr "GD graphics PHP модуль" - -#: mod/install.php:388 -msgid "OpenSSL PHP module" -msgstr "OpenSSL PHP модуль" - -#: mod/install.php:389 -msgid "PDO or MySQLi PHP module" -msgstr "" - -#: mod/install.php:390 -msgid "mb_string PHP module" -msgstr "mb_string PHP модуль" - -#: mod/install.php:391 -msgid "XML PHP module" -msgstr "XML PHP модуль" - -#: mod/install.php:392 -msgid "iconv module" -msgstr "Модуль iconv" - -#: mod/install.php:396 mod/install.php:398 -msgid "Apache mod_rewrite module" -msgstr "Apache mod_rewrite module" - -#: mod/install.php:396 -msgid "" -"Error: Apache webserver mod-rewrite module is required but not installed." -msgstr "Ошибка: необходим модуль веб-сервера Apache mod-rewrite, но он не установлен." - -#: mod/install.php:404 -msgid "Error: libCURL PHP module required but not installed." -msgstr "Ошибка: необходим libCURL PHP модуль, но он не установлен." - -#: mod/install.php:408 -msgid "" -"Error: GD graphics PHP module with JPEG support required but not installed." -msgstr "Ошибка: необходим PHP модуль GD графики с поддержкой JPEG, но он не установлен." - -#: mod/install.php:412 -msgid "Error: openssl PHP module required but not installed." -msgstr "Ошибка: необходим PHP модуль OpenSSL, но он не установлен." - -#: mod/install.php:416 -msgid "Error: PDO or MySQLi PHP module required but not installed." -msgstr "" - -#: mod/install.php:420 -msgid "Error: The MySQL driver for PDO is not installed." -msgstr "" - -#: mod/install.php:424 -msgid "Error: mb_string PHP module required but not installed." -msgstr "Ошибка: необходим PHP модуль mb_string, но он не установлен." - -#: mod/install.php:428 -msgid "Error: iconv PHP module required but not installed." -msgstr "Ошибка: необходим PHP модуль iconv, но он не установлен." - -#: mod/install.php:438 -msgid "Error, XML PHP module required but not installed." -msgstr "Ошибка, необходим PHP модуль XML, но он не установлен" - -#: mod/install.php:450 -msgid "" -"The web installer needs to be able to create a file called \".htconfig.php\"" -" in the top folder of your web server and it is unable to do so." -msgstr "Веб-инсталлятору требуется создать файл с именем \". htconfig.php\" в верхней папке веб-сервера, но он не в состоянии это сделать." - -#: mod/install.php:451 -msgid "" -"This is most often a permission setting, as the web server may not be able " -"to write files in your folder - even if you can." -msgstr "Это наиболее частые параметры разрешений, когда веб-сервер не может записать файлы в папке - даже если вы можете." - -#: mod/install.php:452 -msgid "" -"At the end of this procedure, we will give you a text to save in a file " -"named .htconfig.php in your Friendica top folder." -msgstr "В конце этой процедуры, мы дадим вам текст, для сохранения в файле с именем .htconfig.php в корневой папке, где установлена Friendica." - -#: mod/install.php:453 -msgid "" -"You can alternatively skip this procedure and perform a manual installation." -" Please see the file \"INSTALL.txt\" for instructions." -msgstr "В качестве альтернативы вы можете пропустить эту процедуру и выполнить установку вручную. Пожалуйста, обратитесь к файлу \"INSTALL.txt\" для получения инструкций." - -#: mod/install.php:456 -msgid ".htconfig.php is writable" -msgstr ".htconfig.php is writable" - -#: mod/install.php:466 -msgid "" -"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " -"compiles templates to PHP to speed up rendering." -msgstr "Friendica использует механизм шаблонов Smarty3 для генерации веб-страниц. Smarty3 компилирует шаблоны в PHP для увеличения скорости загрузки." - -#: mod/install.php:467 -msgid "" -"In order to store these compiled templates, the web server needs to have " -"write access to the directory view/smarty3/ under the Friendica top level " -"folder." -msgstr "Для того чтобы хранить эти скомпилированные шаблоны, веб-сервер должен иметь доступ на запись для папки view/smarty3 в директории, где установлена Friendica." - -#: mod/install.php:468 -msgid "" -"Please ensure that the user that your web server runs as (e.g. www-data) has" -" write access to this folder." -msgstr "Пожалуйста, убедитесь, что пользователь, под которым работает ваш веб-сервер (например www-data), имеет доступ на запись в этой папке." - -#: mod/install.php:469 -msgid "" -"Note: as a security measure, you should give the web server write access to " -"view/smarty3/ only--not the template files (.tpl) that it contains." -msgstr "Примечание: в качестве меры безопасности, вы должны дать вебсерверу доступ на запись только в view/smarty3 - но не на сами файлы шаблонов (.tpl)., Которые содержатся в этой папке." - -#: mod/install.php:472 -msgid "view/smarty3 is writable" -msgstr "view/smarty3 доступен для записи" - -#: mod/install.php:488 -msgid "" -"Url rewrite in .htaccess is not working. Check your server configuration." -msgstr "Url rewrite в .htaccess не работает. Проверьте конфигурацию вашего сервера.." - -#: mod/install.php:490 -msgid "Url rewrite is working" -msgstr "Url rewrite работает" - -#: mod/install.php:509 -msgid "ImageMagick PHP extension is not installed" -msgstr "Модуль PHP ImageMagick не установлен" - -#: mod/install.php:511 -msgid "ImageMagick PHP extension is installed" -msgstr "Модуль PHP ImageMagick установлен" - -#: mod/install.php:513 -msgid "ImageMagick supports GIF" -msgstr "ImageMagick поддерживает GIF" - -#: mod/install.php:520 -msgid "" -"The database configuration file \".htconfig.php\" could not be written. " -"Please use the enclosed text to create a configuration file in your web " -"server root." -msgstr "Файл конфигурации базы данных \".htconfig.php\" не могла быть записан. Пожалуйста, используйте приложенный текст, чтобы создать конфигурационный файл в корневом каталоге веб-сервера." - -#: mod/install.php:545 -msgid "

What next

" -msgstr "

Что далее

" - -#: mod/install.php:546 -msgid "" -"IMPORTANT: You will need to [manually] setup a scheduled task for the " -"poller." -msgstr "ВАЖНО: Вам нужно будет [вручную] установить запланированное задание для регистратора." - -#: mod/item.php:116 -msgid "Unable to locate original post." -msgstr "Не удалось найти оригинальный пост." - -#: mod/item.php:344 -msgid "Empty post discarded." -msgstr "Пустое сообщение отбрасывается." - -#: mod/item.php:904 -msgid "System error. Post not saved." -msgstr "Системная ошибка. Сообщение не сохранено." - -#: mod/item.php:995 -#, php-format -msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Это сообщение было отправлено вам %s, участником социальной сети Friendica." - -#: mod/item.php:997 -#, php-format -msgid "You may visit them online at %s" -msgstr "Вы можете посетить их в онлайне на %s" - -#: mod/item.php:998 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Пожалуйста, свяжитесь с отправителем, ответив на это сообщение, если вы не хотите получать эти сообщения." - -#: mod/item.php:1002 -#, php-format -msgid "%s posted an update." -msgstr "%s отправил/а/ обновление." - -#: mod/notifications.php:35 -msgid "Invalid request identifier." -msgstr "Неверный идентификатор запроса." - -#: mod/notifications.php:44 mod/notifications.php:180 -#: mod/notifications.php:227 -msgid "Discard" -msgstr "Отказаться" - -#: mod/notifications.php:105 -msgid "Network Notifications" -msgstr "Уведомления сети" - -#: mod/notifications.php:117 -msgid "Personal Notifications" -msgstr "Личные уведомления" - -#: mod/notifications.php:123 -msgid "Home Notifications" -msgstr "Уведомления" - -#: mod/notifications.php:152 -msgid "Show Ignored Requests" -msgstr "Показать проигнорированные запросы" - -#: mod/notifications.php:152 -msgid "Hide Ignored Requests" -msgstr "Скрыть проигнорированные запросы" - -#: mod/notifications.php:164 mod/notifications.php:234 -msgid "Notification type: " -msgstr "Тип уведомления: " - -#: mod/notifications.php:167 -#, php-format -msgid "suggested by %s" -msgstr "предложено юзером %s" - -#: mod/notifications.php:173 mod/notifications.php:252 -msgid "Post a new friend activity" -msgstr "Настроение" - -#: mod/notifications.php:173 mod/notifications.php:252 -msgid "if applicable" -msgstr "если требуется" - -#: mod/notifications.php:176 mod/notifications.php:261 mod/admin.php:1506 -msgid "Approve" -msgstr "Одобрить" - -#: mod/notifications.php:195 -msgid "Claims to be known to you: " -msgstr "Утверждения, о которых должно быть вам известно: " - -#: mod/notifications.php:196 -msgid "yes" -msgstr "да" - -#: mod/notifications.php:196 -msgid "no" -msgstr "нет" - -#: mod/notifications.php:197 mod/notifications.php:202 -msgid "Shall your connection be bidirectional or not?" -msgstr "Должно ли ваше соединение быть двухсторонним или нет?" - -#: mod/notifications.php:198 mod/notifications.php:203 -#, php-format -msgid "" -"Accepting %s as a friend allows %s to subscribe to your posts, and you will " -"also receive updates from them in your news feed." -msgstr "Принимая %s как друга вы позволяете %s читать ему свои посты, а также будете получать оные от него." - -#: mod/notifications.php:199 -#, php-format -msgid "" -"Accepting %s as a subscriber allows them to subscribe to your posts, but you" -" will not receive updates from them in your news feed." -msgstr "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него." - -#: mod/notifications.php:204 -#, php-format -msgid "" -"Accepting %s as a sharer allows them to subscribe to your posts, but you " -"will not receive updates from them in your news feed." -msgstr "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него." - -#: mod/notifications.php:215 -msgid "Friend" -msgstr "Друг" - -#: mod/notifications.php:216 -msgid "Sharer" -msgstr "Участник" - -#: mod/notifications.php:216 -msgid "Subscriber" -msgstr "Подписант" - -#: mod/notifications.php:272 -msgid "No introductions." -msgstr "Запросов нет." - -#: mod/notifications.php:313 -msgid "Show unread" -msgstr "Показать непрочитанные" - -#: mod/notifications.php:313 -msgid "Show all" -msgstr "Показать все" - -#: mod/notifications.php:319 -#, php-format -msgid "No more %s notifications." -msgstr "Больше нет уведомлений о %s." - -#: mod/ping.php:270 -msgid "{0} wants to be your friend" -msgstr "{0} хочет стать Вашим другом" - -#: mod/ping.php:285 -msgid "{0} sent you a message" -msgstr "{0} отправил Вам сообщение" - -#: mod/ping.php:300 -msgid "{0} requested registration" -msgstr "{0} требуемая регистрация" - -#: mod/admin.php:96 +#: mod/admin.php:106 msgid "Theme settings updated." msgstr "Настройки темы обновлены." -#: mod/admin.php:165 mod/admin.php:1054 -msgid "Site" -msgstr "Сайт" +#: mod/admin.php:179 src/Content/Nav.php:174 +msgid "Information" +msgstr "Информация" -#: mod/admin.php:166 mod/admin.php:988 mod/admin.php:1498 mod/admin.php:1514 -msgid "Users" -msgstr "Пользователи" - -#: mod/admin.php:168 mod/admin.php:1892 mod/admin.php:1942 -msgid "Themes" -msgstr "Темы" - -#: mod/admin.php:170 -msgid "DB updates" -msgstr "Обновление БД" - -#: mod/admin.php:171 mod/admin.php:512 -msgid "Inspect Queue" +#: mod/admin.php:180 +msgid "Overview" msgstr "" -#: mod/admin.php:172 mod/admin.php:288 -msgid "Server Blocklist" -msgstr "" - -#: mod/admin.php:173 mod/admin.php:478 +#: mod/admin.php:181 mod/admin.php:718 msgid "Federation Statistics" msgstr "" -#: mod/admin.php:187 mod/admin.php:198 mod/admin.php:2016 -msgid "Logs" -msgstr "Журналы" +#: mod/admin.php:182 +msgid "Configuration" +msgstr "" -#: mod/admin.php:188 mod/admin.php:2084 -msgid "View Logs" -msgstr "Просмотр логов" +#: mod/admin.php:183 mod/admin.php:1345 +msgid "Site" +msgstr "Сайт" + +#: mod/admin.php:184 mod/admin.php:1273 mod/admin.php:1788 mod/admin.php:1804 +msgid "Users" +msgstr "Пользователи" + +#: mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 mod/settings.php:86 +msgid "Addons" +msgstr "" + +#: mod/admin.php:186 mod/admin.php:2173 mod/admin.php:2217 +msgid "Themes" +msgstr "Темы" + +#: mod/admin.php:187 mod/settings.php:64 +msgid "Additional features" +msgstr "Дополнительные возможности" #: mod/admin.php:189 -msgid "probe address" +msgid "Database" msgstr "" #: mod/admin.php:190 +msgid "DB updates" +msgstr "Обновление БД" + +#: mod/admin.php:191 mod/admin.php:753 +msgid "Inspect Queue" +msgstr "" + +#: mod/admin.php:192 +msgid "Tools" +msgstr "" + +#: mod/admin.php:193 +msgid "Contact Blocklist" +msgstr "" + +#: mod/admin.php:194 mod/admin.php:362 +msgid "Server Blocklist" +msgstr "" + +#: mod/admin.php:195 mod/admin.php:521 +msgid "Delete Item" +msgstr "" + +#: mod/admin.php:196 mod/admin.php:197 mod/admin.php:2291 +msgid "Logs" +msgstr "Журналы" + +#: mod/admin.php:198 mod/admin.php:2358 +msgid "View Logs" +msgstr "Просмотр логов" + +#: mod/admin.php:200 +msgid "Diagnostics" +msgstr "" + +#: mod/admin.php:201 +msgid "PHP Info" +msgstr "" + +#: mod/admin.php:202 +msgid "probe address" +msgstr "" + +#: mod/admin.php:203 msgid "check webfinger" msgstr "" -#: mod/admin.php:197 -msgid "Plugin Features" -msgstr "Возможности плагина" +#: mod/admin.php:222 src/Content/Nav.php:217 +msgid "Admin" +msgstr "Администратор" -#: mod/admin.php:199 -msgid "diagnostics" -msgstr "Диагностика" +#: mod/admin.php:223 +msgid "Addon Features" +msgstr "" -#: mod/admin.php:200 +#: mod/admin.php:224 msgid "User registrations waiting for confirmation" msgstr "Регистрации пользователей, ожидающие подтверждения" -#: mod/admin.php:279 -msgid "The blocked domain" -msgstr "" - -#: mod/admin.php:280 mod/admin.php:293 -msgid "The reason why you blocked this domain." -msgstr "" - -#: mod/admin.php:281 -msgid "Delete domain" -msgstr "" - -#: mod/admin.php:281 -msgid "Check to delete this entry from the blocklist" -msgstr "" - -#: mod/admin.php:287 mod/admin.php:477 mod/admin.php:511 mod/admin.php:586 -#: mod/admin.php:1053 mod/admin.php:1497 mod/admin.php:1615 mod/admin.php:1678 -#: mod/admin.php:1891 mod/admin.php:1941 mod/admin.php:2015 mod/admin.php:2083 +#: mod/admin.php:301 mod/admin.php:361 mod/admin.php:478 mod/admin.php:520 +#: mod/admin.php:717 mod/admin.php:752 mod/admin.php:848 mod/admin.php:1344 +#: mod/admin.php:1787 mod/admin.php:1903 mod/admin.php:1963 mod/admin.php:2172 +#: mod/admin.php:2216 mod/admin.php:2290 mod/admin.php:2357 msgid "Administration" msgstr "Администрация" -#: mod/admin.php:289 +#: mod/admin.php:303 +msgid "Display Terms of Service" +msgstr "" + +#: mod/admin.php:303 +msgid "" +"Enable the Terms of Service page. If this is enabled a link to the terms " +"will be added to the registration form and the general information page." +msgstr "" + +#: mod/admin.php:304 +msgid "Display Privacy Statement" +msgstr "" + +#: mod/admin.php:304 +#, php-format +msgid "" +"Show some informations regarding the needed information to operate the node " +"according e.g. to EU-GDPR." +msgstr "" + +#: mod/admin.php:305 +msgid "The Terms of Service" +msgstr "" + +#: mod/admin.php:305 +msgid "" +"Enter the Terms of Service for your node here. You can use BBCode. Headers " +"of sections should be [h2] and below." +msgstr "" + +#: mod/admin.php:353 +msgid "The blocked domain" +msgstr "" + +#: mod/admin.php:354 mod/admin.php:367 +msgid "The reason why you blocked this domain." +msgstr "" + +#: mod/admin.php:355 +msgid "Delete domain" +msgstr "" + +#: mod/admin.php:355 +msgid "Check to delete this entry from the blocklist" +msgstr "" + +#: mod/admin.php:363 msgid "" "This page can be used to define a black list of servers from the federated " "network that are not allowed to interact with your node. For all entered " @@ -7488,536 +5242,698 @@ msgid "" "server." msgstr "" -#: mod/admin.php:290 +#: mod/admin.php:364 msgid "" "The list of blocked servers will be made publically available on the " "/friendica page so that your users and people investigating communication " "problems can find the reason easily." msgstr "" -#: mod/admin.php:291 +#: mod/admin.php:365 msgid "Add new entry to block list" msgstr "" -#: mod/admin.php:292 +#: mod/admin.php:366 msgid "Server Domain" msgstr "" -#: mod/admin.php:292 +#: mod/admin.php:366 msgid "" "The domain of the new server to add to the block list. Do not include the " "protocol." msgstr "" -#: mod/admin.php:293 +#: mod/admin.php:367 msgid "Block reason" msgstr "" -#: mod/admin.php:294 +#: mod/admin.php:368 msgid "Add Entry" msgstr "" -#: mod/admin.php:295 +#: mod/admin.php:369 msgid "Save changes to the blocklist" msgstr "" -#: mod/admin.php:296 +#: mod/admin.php:370 msgid "Current Entries in the Blocklist" msgstr "" -#: mod/admin.php:299 +#: mod/admin.php:373 msgid "Delete entry from blocklist" msgstr "" -#: mod/admin.php:302 +#: mod/admin.php:376 msgid "Delete entry from blocklist?" msgstr "" -#: mod/admin.php:327 +#: mod/admin.php:402 msgid "Server added to blocklist." msgstr "" -#: mod/admin.php:343 +#: mod/admin.php:418 msgid "Site blocklist updated." msgstr "" -#: mod/admin.php:408 +#: mod/admin.php:441 src/Core/Console/GlobalCommunityBlock.php:72 +msgid "The contact has been blocked from the node" +msgstr "" + +#: mod/admin.php:443 src/Core/Console/GlobalCommunityBlock.php:69 +#, php-format +msgid "Could not find any contact entry for this URL (%s)" +msgstr "" + +#: mod/admin.php:450 +#, php-format +msgid "%s contact unblocked" +msgid_plural "%s contacts unblocked" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: mod/admin.php:479 +msgid "Remote Contact Blocklist" +msgstr "" + +#: mod/admin.php:480 +msgid "" +"This page allows you to prevent any message from a remote contact to reach " +"your node." +msgstr "" + +#: mod/admin.php:481 +msgid "Block Remote Contact" +msgstr "" + +#: mod/admin.php:482 mod/admin.php:1790 +msgid "select all" +msgstr "выбрать все" + +#: mod/admin.php:483 +msgid "select none" +msgstr "" + +#: mod/admin.php:486 +msgid "No remote contact is blocked from this node." +msgstr "" + +#: mod/admin.php:488 +msgid "Blocked Remote Contacts" +msgstr "" + +#: mod/admin.php:489 +msgid "Block New Remote Contact" +msgstr "" + +#: mod/admin.php:490 +msgid "Photo" +msgstr "" + +#: mod/admin.php:498 +#, php-format +msgid "%s total blocked contact" +msgid_plural "%s total blocked contacts" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" + +#: mod/admin.php:500 +msgid "URL of the remote contact to block." +msgstr "" + +#: mod/admin.php:522 +msgid "Delete this Item" +msgstr "" + +#: mod/admin.php:523 +msgid "" +"On this page you can delete an item from your node. If the item is a top " +"level posting, the entire thread will be deleted." +msgstr "" + +#: mod/admin.php:524 +msgid "" +"You need to know the GUID of the item. You can find it e.g. by looking at " +"the display URL. The last part of http://example.com/display/123456 is the " +"GUID, here 123456." +msgstr "" + +#: mod/admin.php:525 +msgid "GUID" +msgstr "" + +#: mod/admin.php:525 +msgid "The GUID of the item you want to delete." +msgstr "" + +#: mod/admin.php:564 +msgid "Item marked for deletion." +msgstr "" + +#: mod/admin.php:635 msgid "unknown" msgstr "" -#: mod/admin.php:471 +#: mod/admin.php:711 msgid "" "This page offers you some numbers to the known part of the federated social " "network your Friendica node is part of. These numbers are not complete but " "only reflect the part of the network your node is aware of." msgstr "" -#: mod/admin.php:472 +#: mod/admin.php:712 msgid "" "The Auto Discovered Contact Directory feature is not enabled, it " "will improve the data displayed here." msgstr "" -#: mod/admin.php:484 +#: mod/admin.php:724 #, php-format -msgid "Currently this node is aware of %d nodes from the following platforms:" +msgid "" +"Currently this node is aware of %d nodes with %d registered users from the " +"following platforms:" msgstr "" -#: mod/admin.php:514 +#: mod/admin.php:755 msgid "ID" msgstr "" -#: mod/admin.php:515 +#: mod/admin.php:756 msgid "Recipient Name" msgstr "" -#: mod/admin.php:516 +#: mod/admin.php:757 msgid "Recipient Profile" msgstr "" -#: mod/admin.php:518 +#: mod/admin.php:758 src/Core/NotificationsManager.php:178 +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 +msgid "Network" +msgstr "Новости" + +#: mod/admin.php:759 msgid "Created" msgstr "" -#: mod/admin.php:519 +#: mod/admin.php:760 msgid "Last Tried" msgstr "" -#: mod/admin.php:520 +#: mod/admin.php:761 msgid "" "This page lists the content of the queue for outgoing postings. These are " "postings the initial delivery failed for. They will be resend later and " "eventually deleted if the delivery fails permanently." msgstr "" -#: mod/admin.php:545 +#: mod/admin.php:785 #, php-format msgid "" "Your DB still runs with MyISAM tables. You should change the engine type to " "InnoDB. As Friendica will use InnoDB only features in the future, you should" " change this! See here for a guide that may be helpful " "converting the table engines. You may also use the command php " -"include/dbstructure.php toinnodb of your Friendica installation for an " -"automatic conversion.
" +"bin/console.php dbstructure toinnodb of your Friendica installation for" +" an automatic conversion.
" msgstr "" -#: mod/admin.php:550 +#: mod/admin.php:792 +#, php-format msgid "" -"You are using a MySQL version which does not support all features that " -"Friendica uses. You should consider switching to MariaDB." +"There is a new version of Friendica available for download. Your current " +"version is %1$s, upstream version is %2$s" msgstr "" -#: mod/admin.php:554 mod/admin.php:1447 +#: mod/admin.php:802 +msgid "" +"The database update failed. Please run \"php bin/console.php dbstructure " +"update\" from the command line and have a look at the errors that might " +"appear." +msgstr "" + +#: mod/admin.php:808 +msgid "The worker was never executed. Please check your database structure!" +msgstr "" + +#: mod/admin.php:811 +#, php-format +msgid "" +"The last worker execution was on %s UTC. This is older than one hour. Please" +" check your crontab settings." +msgstr "" + +#: mod/admin.php:816 mod/admin.php:1739 msgid "Normal Account" msgstr "Обычный аккаунт" -#: mod/admin.php:555 mod/admin.php:1448 -msgid "Soapbox Account" -msgstr "Аккаунт Витрина" +#: mod/admin.php:817 mod/admin.php:1740 +msgid "Automatic Follower Account" +msgstr "" -#: mod/admin.php:556 mod/admin.php:1449 -msgid "Community/Celebrity Account" -msgstr "Аккаунт Сообщество / Знаменитость" +#: mod/admin.php:818 mod/admin.php:1741 +msgid "Public Forum Account" +msgstr "" -#: mod/admin.php:557 mod/admin.php:1450 +#: mod/admin.php:819 mod/admin.php:1742 msgid "Automatic Friend Account" msgstr "\"Автоматический друг\" Аккаунт" -#: mod/admin.php:558 +#: mod/admin.php:820 msgid "Blog Account" msgstr "Аккаунт блога" -#: mod/admin.php:559 -msgid "Private Forum" -msgstr "Личный форум" +#: mod/admin.php:821 +msgid "Private Forum Account" +msgstr "" -#: mod/admin.php:581 +#: mod/admin.php:843 msgid "Message queues" msgstr "Очереди сообщений" -#: mod/admin.php:587 +#: mod/admin.php:849 msgid "Summary" msgstr "Резюме" -#: mod/admin.php:589 +#: mod/admin.php:851 msgid "Registered users" msgstr "Зарегистрированные пользователи" -#: mod/admin.php:591 +#: mod/admin.php:853 msgid "Pending registrations" msgstr "Ожидающие регистрации" -#: mod/admin.php:592 +#: mod/admin.php:854 msgid "Version" msgstr "Версия" -#: mod/admin.php:597 -msgid "Active plugins" -msgstr "Активные плагины" +#: mod/admin.php:859 +msgid "Active addons" +msgstr "" -#: mod/admin.php:622 +#: mod/admin.php:890 msgid "Can not parse base url. Must have at least ://" msgstr "Невозможно определить базовый URL. Он должен иметь следующий вид - ://" -#: mod/admin.php:914 +#: mod/admin.php:1209 msgid "Site settings updated." msgstr "Установки сайта обновлены." -#: mod/admin.php:971 +#: mod/admin.php:1236 mod/settings.php:905 +msgid "No special theme for mobile devices" +msgstr "Нет специальной темы для мобильных устройств" + +#: mod/admin.php:1265 msgid "No community page" msgstr "" -#: mod/admin.php:972 +#: mod/admin.php:1266 msgid "Public postings from users of this site" msgstr "" -#: mod/admin.php:973 -msgid "Global community page" +#: mod/admin.php:1267 +msgid "Public postings from the federated network" msgstr "" -#: mod/admin.php:979 -msgid "At post arrival" +#: mod/admin.php:1268 +msgid "Public postings from local users and the federated network" msgstr "" -#: mod/admin.php:989 +#: mod/admin.php:1274 msgid "Users, Global Contacts" msgstr "" -#: mod/admin.php:990 +#: mod/admin.php:1275 msgid "Users, Global Contacts/fallback" msgstr "" -#: mod/admin.php:994 +#: mod/admin.php:1279 msgid "One month" msgstr "Один месяц" -#: mod/admin.php:995 +#: mod/admin.php:1280 msgid "Three months" msgstr "Три месяца" -#: mod/admin.php:996 +#: mod/admin.php:1281 msgid "Half a year" msgstr "Пол года" -#: mod/admin.php:997 +#: mod/admin.php:1282 msgid "One year" msgstr "Один год" -#: mod/admin.php:1002 +#: mod/admin.php:1287 msgid "Multi user instance" msgstr "Многопользовательский вид" -#: mod/admin.php:1025 +#: mod/admin.php:1310 msgid "Closed" msgstr "Закрыто" -#: mod/admin.php:1026 +#: mod/admin.php:1311 msgid "Requires approval" msgstr "Требуется подтверждение" -#: mod/admin.php:1027 +#: mod/admin.php:1312 msgid "Open" msgstr "Открыто" -#: mod/admin.php:1031 +#: mod/admin.php:1316 msgid "No SSL policy, links will track page SSL state" msgstr "Нет режима SSL, состояние SSL не будет отслеживаться" -#: mod/admin.php:1032 +#: mod/admin.php:1317 msgid "Force all links to use SSL" msgstr "Заставить все ссылки использовать SSL" -#: mod/admin.php:1033 +#: mod/admin.php:1318 msgid "Self-signed certificate, use SSL for local links only (discouraged)" msgstr "Само-подписанный сертификат, использовать SSL только локально (не рекомендуется)" -#: mod/admin.php:1057 +#: mod/admin.php:1322 +msgid "Don't check" +msgstr "" + +#: mod/admin.php:1323 +msgid "check the stable version" +msgstr "" + +#: mod/admin.php:1324 +msgid "check the development version" +msgstr "" + +#: mod/admin.php:1347 +msgid "Republish users to directory" +msgstr "" + +#: mod/admin.php:1349 msgid "File upload" msgstr "Загрузка файлов" -#: mod/admin.php:1058 +#: mod/admin.php:1350 msgid "Policies" msgstr "Политики" -#: mod/admin.php:1060 +#: mod/admin.php:1352 msgid "Auto Discovered Contact Directory" msgstr "" -#: mod/admin.php:1061 +#: mod/admin.php:1353 msgid "Performance" msgstr "Производительность" -#: mod/admin.php:1062 +#: mod/admin.php:1354 msgid "Worker" msgstr "" -#: mod/admin.php:1063 +#: mod/admin.php:1355 +msgid "Message Relay" +msgstr "" + +#: mod/admin.php:1356 msgid "" "Relocate - WARNING: advanced function. Could make this server unreachable." msgstr "Переместить - ПРЕДУПРЕЖДЕНИЕ: расширеная функция. Может сделать этот сервер недоступным." -#: mod/admin.php:1066 +#: mod/admin.php:1359 msgid "Site name" msgstr "Название сайта" -#: mod/admin.php:1067 +#: mod/admin.php:1360 msgid "Host name" msgstr "Имя хоста" -#: mod/admin.php:1068 +#: mod/admin.php:1361 msgid "Sender Email" msgstr "Системный Email" -#: mod/admin.php:1068 +#: mod/admin.php:1361 msgid "" "The email address your server shall use to send notification emails from." msgstr "Адрес с которого будут приходить письма пользователям." -#: mod/admin.php:1069 +#: mod/admin.php:1362 msgid "Banner/Logo" msgstr "Баннер/Логотип" -#: mod/admin.php:1070 +#: mod/admin.php:1363 msgid "Shortcut icon" msgstr "" -#: mod/admin.php:1070 +#: mod/admin.php:1363 msgid "Link to an icon that will be used for browsers." msgstr "" -#: mod/admin.php:1071 +#: mod/admin.php:1364 msgid "Touch icon" msgstr "" -#: mod/admin.php:1071 +#: mod/admin.php:1364 msgid "Link to an icon that will be used for tablets and mobiles." msgstr "" -#: mod/admin.php:1072 +#: mod/admin.php:1365 msgid "Additional Info" msgstr "Дополнительная информация" -#: mod/admin.php:1072 +#: mod/admin.php:1365 #, php-format msgid "" "For public servers: you can add additional information here that will be " -"listed at %s/siteinfo." +"listed at %s/servers." msgstr "" -#: mod/admin.php:1073 +#: mod/admin.php:1366 msgid "System language" msgstr "Системный язык" -#: mod/admin.php:1074 +#: mod/admin.php:1367 msgid "System theme" msgstr "Системная тема" -#: mod/admin.php:1074 +#: mod/admin.php:1367 msgid "" "Default system theme - may be over-ridden by user profiles - change theme settings" msgstr "Тема системы по умолчанию - может быть переопределена пользователем - изменить настройки темы" -#: mod/admin.php:1075 +#: mod/admin.php:1368 msgid "Mobile system theme" msgstr "Мобильная тема системы" -#: mod/admin.php:1075 +#: mod/admin.php:1368 msgid "Theme for mobile devices" msgstr "Тема для мобильных устройств" -#: mod/admin.php:1076 +#: mod/admin.php:1369 msgid "SSL link policy" msgstr "Политика SSL" -#: mod/admin.php:1076 +#: mod/admin.php:1369 msgid "Determines whether generated links should be forced to use SSL" msgstr "Ссылки должны быть вынуждены использовать SSL" -#: mod/admin.php:1077 +#: mod/admin.php:1370 msgid "Force SSL" msgstr "SSL принудительно" -#: mod/admin.php:1077 +#: mod/admin.php:1370 msgid "" "Force all Non-SSL requests to SSL - Attention: on some systems it could lead" " to endless loops." msgstr "" -#: mod/admin.php:1078 +#: mod/admin.php:1371 msgid "Hide help entry from navigation menu" msgstr "Скрыть пункт \"помощь\" в меню навигации" -#: mod/admin.php:1078 +#: mod/admin.php:1371 msgid "" "Hides the menu entry for the Help pages from the navigation menu. You can " "still access it calling /help directly." msgstr "Скрывает элемент меню для страницы справки из меню навигации. Вы все еще можете получить доступ к нему через вызов/помощь напрямую." -#: mod/admin.php:1079 +#: mod/admin.php:1372 msgid "Single user instance" msgstr "Однопользовательский режим" -#: mod/admin.php:1079 +#: mod/admin.php:1372 msgid "Make this instance multi-user or single-user for the named user" msgstr "Сделать этот экземпляр многопользовательским, или однопользовательским для названного пользователя" -#: mod/admin.php:1080 +#: mod/admin.php:1373 msgid "Maximum image size" msgstr "Максимальный размер изображения" -#: mod/admin.php:1080 +#: mod/admin.php:1373 msgid "" "Maximum size in bytes of uploaded images. Default is 0, which means no " "limits." msgstr "Максимальный размер в байтах для загружаемых изображений. По умолчанию 0, что означает отсутствие ограничений." -#: mod/admin.php:1081 +#: mod/admin.php:1374 msgid "Maximum image length" msgstr "Максимальная длина картинки" -#: mod/admin.php:1081 +#: mod/admin.php:1374 msgid "" "Maximum length in pixels of the longest side of uploaded images. Default is " "-1, which means no limits." msgstr "Максимальная длина в пикселях для длинной стороны загруженных изображений. По умолчанию равно -1, что означает отсутствие ограничений." -#: mod/admin.php:1082 +#: mod/admin.php:1375 msgid "JPEG image quality" msgstr "Качество JPEG изображения" -#: mod/admin.php:1082 +#: mod/admin.php:1375 msgid "" "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " "100, which is full quality." msgstr "Загруженные изображения JPEG будут сохранены в этом качестве [0-100]. По умолчанию 100, что означает полное качество." -#: mod/admin.php:1084 +#: mod/admin.php:1377 msgid "Register policy" msgstr "Политика регистрация" -#: mod/admin.php:1085 +#: mod/admin.php:1378 msgid "Maximum Daily Registrations" msgstr "Максимальное число регистраций в день" -#: mod/admin.php:1085 +#: mod/admin.php:1378 msgid "" "If registration is permitted above, this sets the maximum number of new user" " registrations to accept per day. If register is set to closed, this " "setting has no effect." msgstr "Если регистрация разрешена, этот параметр устанавливает максимальное количество новых регистраций пользователей в день. Если регистрация закрыта, эта опция не имеет никакого эффекта." -#: mod/admin.php:1086 +#: mod/admin.php:1379 msgid "Register text" msgstr "Текст регистрации" -#: mod/admin.php:1086 -msgid "Will be displayed prominently on the registration page." -msgstr "Будет находиться на видном месте на странице регистрации." +#: mod/admin.php:1379 +msgid "" +"Will be displayed prominently on the registration page. You can use BBCode " +"here." +msgstr "" -#: mod/admin.php:1087 +#: mod/admin.php:1380 msgid "Accounts abandoned after x days" msgstr "Аккаунт считается после x дней не воспользованным" -#: mod/admin.php:1087 +#: mod/admin.php:1380 msgid "" "Will not waste system resources polling external sites for abandonded " "accounts. Enter 0 for no time limit." msgstr "Не будет тратить ресурсы для опроса сайтов для бесхозных контактов. Введите 0 для отключения лимита времени." -#: mod/admin.php:1088 +#: mod/admin.php:1381 msgid "Allowed friend domains" msgstr "Разрешенные домены друзей" -#: mod/admin.php:1088 +#: mod/admin.php:1381 msgid "" "Comma separated list of domains which are allowed to establish friendships " "with this site. Wildcards are accepted. Empty to allow any domains" msgstr "Разделенный запятыми список доменов, которые разрешены для установления связей. Групповые символы принимаются. Оставьте пустым для разрешения связи со всеми доменами." -#: mod/admin.php:1089 +#: mod/admin.php:1382 msgid "Allowed email domains" msgstr "Разрешенные почтовые домены" -#: mod/admin.php:1089 +#: mod/admin.php:1382 msgid "" "Comma separated list of domains which are allowed in email addresses for " "registrations to this site. Wildcards are accepted. Empty to allow any " "domains" msgstr "Разделенный запятыми список доменов, которые разрешены для установления связей. Групповые символы принимаются. Оставьте пустым для разрешения связи со всеми доменами." -#: mod/admin.php:1090 +#: mod/admin.php:1383 +msgid "No OEmbed rich content" +msgstr "" + +#: mod/admin.php:1383 +msgid "" +"Don't show the rich content (e.g. embedded PDF), except from the domains " +"listed below." +msgstr "" + +#: mod/admin.php:1384 +msgid "Allowed OEmbed domains" +msgstr "" + +#: mod/admin.php:1384 +msgid "" +"Comma separated list of domains which oembed content is allowed to be " +"displayed. Wildcards are accepted." +msgstr "" + +#: mod/admin.php:1385 msgid "Block public" msgstr "Блокировать общественный доступ" -#: mod/admin.php:1090 +#: mod/admin.php:1385 msgid "" "Check to block public access to all otherwise public personal pages on this " "site unless you are currently logged in." msgstr "Отметьте, чтобы заблокировать публичный доступ ко всем иным публичным личным страницам на этом сайте, если вы не вошли на сайт." -#: mod/admin.php:1091 +#: mod/admin.php:1386 msgid "Force publish" msgstr "Принудительная публикация" -#: mod/admin.php:1091 +#: mod/admin.php:1386 msgid "" "Check to force all profiles on this site to be listed in the site directory." msgstr "Отметьте, чтобы принудительно заставить все профили на этом сайте, быть перечислеными в каталоге сайта." -#: mod/admin.php:1092 +#: mod/admin.php:1387 msgid "Global directory URL" msgstr "" -#: mod/admin.php:1092 +#: mod/admin.php:1387 msgid "" "URL to the global directory. If this is not set, the global directory is " "completely unavailable to the application." msgstr "" -#: mod/admin.php:1093 -msgid "Allow threaded items" -msgstr "Разрешить темы в обсуждении" - -#: mod/admin.php:1093 -msgid "Allow infinite level threading for items on this site." -msgstr "Разрешить бесконечный уровень для тем на этом сайте." - -#: mod/admin.php:1094 +#: mod/admin.php:1388 msgid "Private posts by default for new users" msgstr "Частные сообщения по умолчанию для новых пользователей" -#: mod/admin.php:1094 +#: mod/admin.php:1388 msgid "" "Set default post permissions for all new members to the default privacy " "group rather than public." msgstr "Установить права на создание постов по умолчанию для всех участников в дефолтной приватной группе, а не для публичных участников." -#: mod/admin.php:1095 +#: mod/admin.php:1389 msgid "Don't include post content in email notifications" msgstr "Не включать текст сообщения в email-оповещение." -#: mod/admin.php:1095 +#: mod/admin.php:1389 msgid "" "Don't include the content of a post/comment/private message/etc. in the " "email notifications that are sent out from this site, as a privacy measure." msgstr "Не включать содержание сообщения/комментария/личного сообщения и т.д.. в уведомления электронной почты, отправленных с сайта, в качестве меры конфиденциальности." -#: mod/admin.php:1096 +#: mod/admin.php:1390 msgid "Disallow public access to addons listed in the apps menu." msgstr "Запретить публичный доступ к аддонам, перечисленным в меню приложений." -#: mod/admin.php:1096 +#: mod/admin.php:1390 msgid "" "Checking this box will restrict addons listed in the apps menu to members " "only." msgstr "При установке этого флажка, будут ограничены аддоны, перечисленные в меню приложений, только для участников." -#: mod/admin.php:1097 +#: mod/admin.php:1391 msgid "Don't embed private images in posts" msgstr "Не вставлять личные картинки в постах" -#: mod/admin.php:1097 +#: mod/admin.php:1391 msgid "" "Don't replace locally-hosted private photos in posts with an embedded copy " "of the image. This means that contacts who receive posts containing private " @@ -8025,220 +5941,210 @@ msgid "" "while." msgstr "Не заменяйте локально расположенные фотографии в постах на внедрённые копии изображений. Это означает, что контакты, которые получают сообщения, содержащие личные фотографии, будут вынуждены идентефицироваться и грузить каждое изображение, что может занять некоторое время." -#: mod/admin.php:1098 +#: mod/admin.php:1392 msgid "Allow Users to set remote_self" msgstr "Разрешить пользователям установить remote_self" -#: mod/admin.php:1098 +#: mod/admin.php:1392 msgid "" "With checking this, every user is allowed to mark every contact as a " "remote_self in the repair contact dialog. Setting this flag on a contact " "causes mirroring every posting of that contact in the users stream." msgstr "" -#: mod/admin.php:1099 +#: mod/admin.php:1393 msgid "Block multiple registrations" msgstr "Блокировать множественные регистрации" -#: mod/admin.php:1099 +#: mod/admin.php:1393 msgid "Disallow users to register additional accounts for use as pages." msgstr "Запретить пользователям регистрировать дополнительные аккаунты для использования в качестве страниц." -#: mod/admin.php:1100 +#: mod/admin.php:1394 msgid "OpenID support" msgstr "Поддержка OpenID" -#: mod/admin.php:1100 +#: mod/admin.php:1394 msgid "OpenID support for registration and logins." msgstr "OpenID поддержка для регистрации и входа в систему." -#: mod/admin.php:1101 +#: mod/admin.php:1395 msgid "Fullname check" msgstr "Проверка полного имени" -#: mod/admin.php:1101 +#: mod/admin.php:1395 msgid "" "Force users to register with a space between firstname and lastname in Full " "name, as an antispam measure" msgstr "Принудить пользователей регистрироваться с пробелом между именем и фамилией в строке \"полное имя\". Антиспам мера." -#: mod/admin.php:1102 -msgid "Community Page Style" +#: mod/admin.php:1396 +msgid "Community pages for visitors" msgstr "" -#: mod/admin.php:1102 +#: mod/admin.php:1396 msgid "" -"Type of community page to show. 'Global community' shows every public " -"posting from an open distributed network that arrived on this server." +"Which community pages should be available for visitors. Local users always " +"see both pages." msgstr "" -#: mod/admin.php:1103 +#: mod/admin.php:1397 msgid "Posts per user on community page" msgstr "" -#: mod/admin.php:1103 +#: mod/admin.php:1397 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "'Global Community')" msgstr "" -#: mod/admin.php:1104 +#: mod/admin.php:1398 msgid "Enable OStatus support" msgstr "Включить поддержку OStatus" -#: mod/admin.php:1104 +#: mod/admin.php:1398 msgid "" "Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." msgstr "" -#: mod/admin.php:1105 -msgid "OStatus conversation completion interval" -msgstr "" - -#: mod/admin.php:1105 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "Как часто процессы должны проверять наличие новых записей в OStatus разговорах? Это может быть очень ресурсоёмкой задачей." - -#: mod/admin.php:1106 +#: mod/admin.php:1399 msgid "Only import OStatus threads from our contacts" msgstr "" -#: mod/admin.php:1106 +#: mod/admin.php:1399 msgid "" "Normally we import every content from our OStatus contacts. With this option" " we only store threads that are started by a contact that is known on our " "system." msgstr "" -#: mod/admin.php:1107 +#: mod/admin.php:1400 msgid "OStatus support can only be enabled if threading is enabled." msgstr "" -#: mod/admin.php:1109 +#: mod/admin.php:1402 msgid "" "Diaspora support can't be enabled because Friendica was installed into a sub" " directory." msgstr "" -#: mod/admin.php:1110 +#: mod/admin.php:1403 msgid "Enable Diaspora support" msgstr "Включить поддержку Diaspora" -#: mod/admin.php:1110 +#: mod/admin.php:1403 msgid "Provide built-in Diaspora network compatibility." msgstr "Обеспечить встроенную поддержку сети Diaspora." -#: mod/admin.php:1111 +#: mod/admin.php:1404 msgid "Only allow Friendica contacts" msgstr "Позвольть только Friendica контакты" -#: mod/admin.php:1111 +#: mod/admin.php:1404 msgid "" "All contacts must use Friendica protocols. All other built-in communication " "protocols disabled." msgstr "Все контакты должны использовать только Friendica протоколы. Все другие встроенные коммуникационные протоколы отключены." -#: mod/admin.php:1112 +#: mod/admin.php:1405 msgid "Verify SSL" msgstr "Проверка SSL" -#: mod/admin.php:1112 +#: mod/admin.php:1405 msgid "" "If you wish, you can turn on strict certificate checking. This will mean you" " cannot connect (at all) to self-signed SSL sites." msgstr "Если хотите, вы можете включить строгую проверку сертификатов. Это будет означать, что вы не сможете соединиться (вообще) с сайтами, имеющими само-подписанный SSL сертификат." -#: mod/admin.php:1113 +#: mod/admin.php:1406 msgid "Proxy user" msgstr "Прокси пользователь" -#: mod/admin.php:1114 +#: mod/admin.php:1407 msgid "Proxy URL" msgstr "Прокси URL" -#: mod/admin.php:1115 +#: mod/admin.php:1408 msgid "Network timeout" msgstr "Тайм-аут сети" -#: mod/admin.php:1115 +#: mod/admin.php:1408 msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." msgstr "Значение указывается в секундах. Установите 0 для снятия ограничений (не рекомендуется)." -#: mod/admin.php:1116 +#: mod/admin.php:1409 msgid "Maximum Load Average" msgstr "Средняя максимальная нагрузка" -#: mod/admin.php:1116 +#: mod/admin.php:1409 msgid "" "Maximum system load before delivery and poll processes are deferred - " "default 50." msgstr "Максимальная нагрузка на систему перед приостановкой процессов доставки и опросов - по умолчанию 50." -#: mod/admin.php:1117 +#: mod/admin.php:1410 msgid "Maximum Load Average (Frontend)" msgstr "" -#: mod/admin.php:1117 +#: mod/admin.php:1410 msgid "Maximum system load before the frontend quits service - default 50." msgstr "" -#: mod/admin.php:1118 +#: mod/admin.php:1411 msgid "Minimal Memory" msgstr "" -#: mod/admin.php:1118 +#: mod/admin.php:1411 msgid "" -"Minimal free memory in MB for the poller. Needs access to /proc/meminfo - " +"Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " "default 0 (deactivated)." msgstr "" -#: mod/admin.php:1119 +#: mod/admin.php:1412 msgid "Maximum table size for optimization" msgstr "" -#: mod/admin.php:1119 +#: mod/admin.php:1412 msgid "" "Maximum table size (in MB) for the automatic optimization - default 100 MB. " "Enter -1 to disable it." msgstr "" -#: mod/admin.php:1120 +#: mod/admin.php:1413 msgid "Minimum level of fragmentation" msgstr "" -#: mod/admin.php:1120 +#: mod/admin.php:1413 msgid "" "Minimum fragmenation level to start the automatic optimization - default " "value is 30%." msgstr "" -#: mod/admin.php:1122 +#: mod/admin.php:1415 msgid "Periodical check of global contacts" msgstr "" -#: mod/admin.php:1122 +#: mod/admin.php:1415 msgid "" "If enabled, the global contacts are checked periodically for missing or " "outdated data and the vitality of the contacts and servers." msgstr "" -#: mod/admin.php:1123 +#: mod/admin.php:1416 msgid "Days between requery" msgstr "" -#: mod/admin.php:1123 +#: mod/admin.php:1416 msgid "Number of days after which a server is requeried for his contacts." msgstr "" -#: mod/admin.php:1124 +#: mod/admin.php:1417 msgid "Discover contacts from other servers" msgstr "" -#: mod/admin.php:1124 +#: mod/admin.php:1417 msgid "" "Periodically query other servers for contacts. You can choose between " "'users': the users on the remote system, 'Global Contacts': active contacts " @@ -8248,32 +6154,32 @@ msgid "" "Global Contacts'." msgstr "" -#: mod/admin.php:1125 +#: mod/admin.php:1418 msgid "Timeframe for fetching global contacts" msgstr "" -#: mod/admin.php:1125 +#: mod/admin.php:1418 msgid "" "When the discovery is activated, this value defines the timeframe for the " "activity of the global contacts that are fetched from other servers." msgstr "" -#: mod/admin.php:1126 +#: mod/admin.php:1419 msgid "Search the local directory" msgstr "" -#: mod/admin.php:1126 +#: mod/admin.php:1419 msgid "" "Search the local directory instead of the global directory. When searching " "locally, every search will be executed on the global directory in the " "background. This improves the search results when the search is repeated." msgstr "" -#: mod/admin.php:1128 +#: mod/admin.php:1421 msgid "Publish server information" msgstr "" -#: mod/admin.php:1128 +#: mod/admin.php:1421 msgid "" "If enabled, general server and usage data will be published. The data " "contains the name and version of the server, number of users with public " @@ -8281,202 +6187,282 @@ msgid "" " href='http://the-federation.info/'>the-federation.info for details." msgstr "" -#: mod/admin.php:1130 +#: mod/admin.php:1423 +msgid "Check upstream version" +msgstr "" + +#: mod/admin.php:1423 +msgid "" +"Enables checking for new Friendica versions at github. If there is a new " +"version, you will be informed in the admin panel overview." +msgstr "" + +#: mod/admin.php:1424 msgid "Suppress Tags" msgstr "" -#: mod/admin.php:1130 +#: mod/admin.php:1424 msgid "Suppress showing a list of hashtags at the end of the posting." msgstr "" -#: mod/admin.php:1131 +#: mod/admin.php:1425 msgid "Path to item cache" msgstr "Путь к элементам кэша" -#: mod/admin.php:1131 +#: mod/admin.php:1425 msgid "The item caches buffers generated bbcode and external images." msgstr "" -#: mod/admin.php:1132 +#: mod/admin.php:1426 msgid "Cache duration in seconds" msgstr "Время жизни кэша в секундах" -#: mod/admin.php:1132 +#: mod/admin.php:1426 msgid "" "How long should the cache files be hold? Default value is 86400 seconds (One" " day). To disable the item cache, set the value to -1." msgstr "" -#: mod/admin.php:1133 +#: mod/admin.php:1427 msgid "Maximum numbers of comments per post" msgstr "" -#: mod/admin.php:1133 +#: mod/admin.php:1427 msgid "How much comments should be shown for each post? Default value is 100." msgstr "" -#: mod/admin.php:1134 +#: mod/admin.php:1428 msgid "Temp path" msgstr "Временная папка" -#: mod/admin.php:1134 +#: mod/admin.php:1428 msgid "" "If you have a restricted system where the webserver can't access the system " "temp path, enter another path here." msgstr "" -#: mod/admin.php:1135 +#: mod/admin.php:1429 msgid "Base path to installation" msgstr "Путь для установки" -#: mod/admin.php:1135 +#: mod/admin.php:1429 msgid "" "If the system cannot detect the correct path to your installation, enter the" " correct path here. This setting should only be set if you are using a " "restricted system and symbolic links to your webroot." msgstr "" -#: mod/admin.php:1136 +#: mod/admin.php:1430 msgid "Disable picture proxy" msgstr "Отключить проксирование картинок" -#: mod/admin.php:1136 +#: mod/admin.php:1430 msgid "" "The picture proxy increases performance and privacy. It shouldn't be used on" " systems with very low bandwith." msgstr "Прокси картинок увеличивает производительность и приватность. Он не должен использоваться на системах с очень маленькой мощностью." -#: mod/admin.php:1137 +#: mod/admin.php:1431 msgid "Only search in tags" msgstr "Искать только в тегах" -#: mod/admin.php:1137 +#: mod/admin.php:1431 msgid "On large systems the text search can slow down the system extremely." msgstr "На больших системах текстовый поиск может сильно замедлить систему." -#: mod/admin.php:1139 +#: mod/admin.php:1433 msgid "New base url" msgstr "Новый базовый url" -#: mod/admin.php:1139 +#: mod/admin.php:1433 msgid "" -"Change base url for this server. Sends relocate message to all DFRN contacts" -" of all users." -msgstr "Сменить адрес этого сервера. Отсылает сообщение о перемещении всем DFRN контактам всех пользователей." +"Change base url for this server. Sends relocate message to all Friendica and" +" Diaspora* contacts of all users." +msgstr "" -#: mod/admin.php:1141 +#: mod/admin.php:1435 msgid "RINO Encryption" msgstr "RINO шифрование" -#: mod/admin.php:1141 +#: mod/admin.php:1435 msgid "Encryption layer between nodes." msgstr "Слой шифрования между узлами." -#: mod/admin.php:1143 +#: mod/admin.php:1435 +msgid "Enabled" +msgstr "" + +#: mod/admin.php:1437 msgid "Maximum number of parallel workers" msgstr "Максимальное число параллельно работающих worker'ов" -#: mod/admin.php:1143 +#: mod/admin.php:1437 msgid "" "On shared hosters set this to 2. On larger systems, values of 10 are great. " "Default value is 4." msgstr "Он shared-хостингах установите параметр в 2. На больших системах можно установить 10 или более. По-умолчанию 4." -#: mod/admin.php:1144 +#: mod/admin.php:1438 msgid "Don't use 'proc_open' with the worker" msgstr "Не использовать 'proc_open' с worker'ом" -#: mod/admin.php:1144 +#: mod/admin.php:1438 msgid "" "Enable this if your system doesn't allow the use of 'proc_open'. This can " "happen on shared hosters. If this is enabled you should increase the " -"frequency of poller calls in your crontab." +"frequency of worker calls in your crontab." msgstr "" -#: mod/admin.php:1145 +#: mod/admin.php:1439 msgid "Enable fastlane" msgstr "Включить fastlane" -#: mod/admin.php:1145 +#: mod/admin.php:1439 msgid "" "When enabed, the fastlane mechanism starts an additional worker if processes" " with higher priority are blocked by processes of lower priority." msgstr "" -#: mod/admin.php:1146 +#: mod/admin.php:1440 msgid "Enable frontend worker" msgstr "Включить frontend worker" -#: mod/admin.php:1146 +#: mod/admin.php:1440 +#, php-format msgid "" "When enabled the Worker process is triggered when backend access is " -"performed (e.g. messages being delivered). On smaller sites you might want " -"to call yourdomain.tld/worker on a regular basis via an external cron job. " +"performed \\x28e.g. messages being delivered\\x29. On smaller sites you " +"might want to call %s/worker on a regular basis via an external cron job. " "You should only enable this option if you cannot utilize cron/scheduled jobs" -" on your server. The worker background process needs to be activated for " -"this." +" on your server." msgstr "" -#: mod/admin.php:1176 +#: mod/admin.php:1442 +msgid "Subscribe to relay" +msgstr "" + +#: mod/admin.php:1442 +msgid "" +"Enables the receiving of public posts from the relay. They will be included " +"in the search, subscribed tags and on the global community page." +msgstr "" + +#: mod/admin.php:1443 +msgid "Relay server" +msgstr "" + +#: mod/admin.php:1443 +msgid "" +"Address of the relay server where public posts should be send to. For " +"example https://relay.diasp.org" +msgstr "" + +#: mod/admin.php:1444 +msgid "Direct relay transfer" +msgstr "" + +#: mod/admin.php:1444 +msgid "" +"Enables the direct transfer to other servers without using the relay servers" +msgstr "" + +#: mod/admin.php:1445 +msgid "Relay scope" +msgstr "" + +#: mod/admin.php:1445 +msgid "" +"Can be 'all' or 'tags'. 'all' means that every public post should be " +"received. 'tags' means that only posts with selected tags should be " +"received." +msgstr "" + +#: mod/admin.php:1445 +msgid "all" +msgstr "" + +#: mod/admin.php:1445 +msgid "tags" +msgstr "" + +#: mod/admin.php:1446 +msgid "Server tags" +msgstr "" + +#: mod/admin.php:1446 +msgid "Comma separated list of tags for the 'tags' subscription." +msgstr "" + +#: mod/admin.php:1447 +msgid "Allow user tags" +msgstr "" + +#: mod/admin.php:1447 +msgid "" +"If enabled, the tags from the saved searches will used for the 'tags' " +"subscription in addition to the 'relay_server_tags'." +msgstr "" + +#: mod/admin.php:1475 msgid "Update has been marked successful" msgstr "Обновление было успешно отмечено" -#: mod/admin.php:1184 +#: mod/admin.php:1482 #, php-format msgid "Database structure update %s was successfully applied." msgstr "Обновление базы данных %s успешно применено." -#: mod/admin.php:1187 +#: mod/admin.php:1485 #, php-format msgid "Executing of database structure update %s failed with error: %s" msgstr "Выполнение обновления базы данных %s завершено с ошибкой: %s" -#: mod/admin.php:1201 +#: mod/admin.php:1498 #, php-format msgid "Executing %s failed with error: %s" msgstr "Выполнение %s завершено с ошибкой: %s" -#: mod/admin.php:1204 +#: mod/admin.php:1500 #, php-format msgid "Update %s was successfully applied." msgstr "Обновление %s успешно применено." -#: mod/admin.php:1207 +#: mod/admin.php:1503 #, php-format msgid "Update %s did not return a status. Unknown if it succeeded." msgstr "Процесс обновления %s не вернул статус. Не известно, выполнено, или нет." -#: mod/admin.php:1210 +#: mod/admin.php:1506 #, php-format msgid "There was no additional update function %s that needed to be called." msgstr "" -#: mod/admin.php:1230 +#: mod/admin.php:1526 msgid "No failed updates." msgstr "Неудавшихся обновлений нет." -#: mod/admin.php:1231 +#: mod/admin.php:1527 msgid "Check database structure" msgstr "Проверить структуру базы данных" -#: mod/admin.php:1236 +#: mod/admin.php:1532 msgid "Failed Updates" msgstr "Неудавшиеся обновления" -#: mod/admin.php:1237 +#: mod/admin.php:1533 msgid "" "This does not include updates prior to 1139, which did not return a status." msgstr "Эта цифра не включает обновления до 1139, которое не возвращает статус." -#: mod/admin.php:1238 +#: mod/admin.php:1534 msgid "Mark success (if update was manually applied)" msgstr "Отмечено успешно (если обновление было применено вручную)" -#: mod/admin.php:1239 +#: mod/admin.php:1535 msgid "Attempt to execute this update step automatically" msgstr "Попытаться выполнить этот шаг обновления автоматически" -#: mod/admin.php:1273 +#: mod/admin.php:1574 #, php-format msgid "" "\n" @@ -8484,7 +6470,7 @@ msgid "" "\t\t\t\tthe administrator of %2$s has set up an account for you." msgstr "" -#: mod/admin.php:1276 +#: mod/admin.php:1577 #, php-format msgid "" "\n" @@ -8511,10 +6497,17 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" +"\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" +"\n" "\t\t\tThank you and welcome to %4$s." msgstr "" -#: mod/admin.php:1320 +#: mod/admin.php:1611 src/Model/User.php:649 +#, php-format +msgid "Registration details for %s" +msgstr "Подробности регистрации для %s" + +#: mod/admin.php:1621 #, php-format msgid "%s user blocked/unblocked" msgid_plural "%s users blocked/unblocked" @@ -8523,7 +6516,7 @@ msgstr[1] "%s пользователей заблокировано/разбло msgstr[2] "%s пользователей заблокировано/разблокировано" msgstr[3] "%s пользователей заблокировано/разблокировано" -#: mod/admin.php:1327 +#: mod/admin.php:1627 #, php-format msgid "%s user deleted" msgid_plural "%s users deleted" @@ -8532,215 +6525,220 @@ msgstr[1] "%s чел. удалено" msgstr[2] "%s чел. удалено" msgstr[3] "%s чел. удалено" -#: mod/admin.php:1374 +#: mod/admin.php:1674 #, php-format msgid "User '%s' deleted" msgstr "Пользователь '%s' удален" -#: mod/admin.php:1382 +#: mod/admin.php:1682 #, php-format msgid "User '%s' unblocked" msgstr "Пользователь '%s' разблокирован" -#: mod/admin.php:1382 +#: mod/admin.php:1682 #, php-format msgid "User '%s' blocked" msgstr "Пользователь '%s' блокирован" -#: mod/admin.php:1490 mod/admin.php:1516 +#: mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 mod/admin.php:1824 +#: src/Content/ContactSelector.php:82 +msgid "Email" +msgstr "Эл. почта" + +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Register date" msgstr "Дата регистрации" -#: mod/admin.php:1490 mod/admin.php:1516 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last login" msgstr "Последний вход" -#: mod/admin.php:1490 mod/admin.php:1516 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last item" msgstr "Последний пункт" -#: mod/admin.php:1499 +#: mod/admin.php:1781 mod/settings.php:55 +msgid "Account" +msgstr "Аккаунт" + +#: mod/admin.php:1789 msgid "Add User" msgstr "Добавить пользователя" -#: mod/admin.php:1500 -msgid "select all" -msgstr "выбрать все" - -#: mod/admin.php:1501 +#: mod/admin.php:1791 msgid "User registrations waiting for confirm" msgstr "Регистрации пользователей, ожидающие подтверждения" -#: mod/admin.php:1502 +#: mod/admin.php:1792 msgid "User waiting for permanent deletion" msgstr "Пользователь ожидает окончательного удаления" -#: mod/admin.php:1503 +#: mod/admin.php:1793 msgid "Request date" msgstr "Запрос даты" -#: mod/admin.php:1504 +#: mod/admin.php:1794 msgid "No registrations." msgstr "Нет регистраций." -#: mod/admin.php:1505 +#: mod/admin.php:1795 msgid "Note from the user" msgstr "Сообщение от пользователя" -#: mod/admin.php:1507 +#: mod/admin.php:1797 msgid "Deny" msgstr "Отклонить" -#: mod/admin.php:1511 +#: mod/admin.php:1801 msgid "Site admin" msgstr "Админ сайта" -#: mod/admin.php:1512 +#: mod/admin.php:1802 msgid "Account expired" msgstr "Аккаунт просрочен" -#: mod/admin.php:1515 +#: mod/admin.php:1805 msgid "New User" msgstr "Новый пользователь" -#: mod/admin.php:1516 +#: mod/admin.php:1806 msgid "Deleted since" msgstr "Удалён с" -#: mod/admin.php:1521 +#: mod/admin.php:1811 msgid "" "Selected users will be deleted!\\n\\nEverything these users had posted on " "this site will be permanently deleted!\\n\\nAre you sure?" msgstr "Выбранные пользователи будут удалены!\\n\\nВсе, что эти пользователи написали на этом сайте, будет удалено!\\n\\nВы уверены в вашем действии?" -#: mod/admin.php:1522 +#: mod/admin.php:1812 msgid "" "The user {0} will be deleted!\\n\\nEverything this user has posted on this " "site will be permanently deleted!\\n\\nAre you sure?" msgstr "Пользователь {0} будет удален!\\n\\nВсе, что этот пользователь написал на этом сайте, будет удалено!\\n\\nВы уверены в вашем действии?" -#: mod/admin.php:1532 +#: mod/admin.php:1822 msgid "Name of the new user." msgstr "Имя нового пользователя." -#: mod/admin.php:1533 +#: mod/admin.php:1823 msgid "Nickname" msgstr "Ник" -#: mod/admin.php:1533 +#: mod/admin.php:1823 msgid "Nickname of the new user." msgstr "Ник нового пользователя." -#: mod/admin.php:1534 +#: mod/admin.php:1824 msgid "Email address of the new user." msgstr "Email адрес нового пользователя." -#: mod/admin.php:1577 +#: mod/admin.php:1866 #, php-format -msgid "Plugin %s disabled." -msgstr "Плагин %s отключен." +msgid "Addon %s disabled." +msgstr "" -#: mod/admin.php:1581 +#: mod/admin.php:1870 #, php-format -msgid "Plugin %s enabled." -msgstr "Плагин %s включен." +msgid "Addon %s enabled." +msgstr "" -#: mod/admin.php:1592 mod/admin.php:1844 +#: mod/admin.php:1880 mod/admin.php:2129 msgid "Disable" msgstr "Отключить" -#: mod/admin.php:1594 mod/admin.php:1846 +#: mod/admin.php:1883 mod/admin.php:2132 msgid "Enable" msgstr "Включить" -#: mod/admin.php:1617 mod/admin.php:1893 +#: mod/admin.php:1905 mod/admin.php:2174 msgid "Toggle" msgstr "Переключить" -#: mod/admin.php:1625 mod/admin.php:1902 +#: mod/admin.php:1913 mod/admin.php:2183 msgid "Author: " msgstr "Автор:" -#: mod/admin.php:1626 mod/admin.php:1903 +#: mod/admin.php:1914 mod/admin.php:2184 msgid "Maintainer: " msgstr "Программа обслуживания: " -#: mod/admin.php:1681 -msgid "Reload active plugins" -msgstr "Перезагрузить активные плагины" - -#: mod/admin.php:1686 -#, php-format -msgid "" -"There are currently no plugins available on your node. You can find the " -"official plugin repository at %1$s and might find other interesting plugins " -"in the open plugin registry at %2$s" +#: mod/admin.php:1966 +msgid "Reload active addons" msgstr "" -#: mod/admin.php:1805 +#: mod/admin.php:1971 +#, php-format +msgid "" +"There are currently no addons available on your node. You can find the " +"official addon repository at %1$s and might find other interesting addons in" +" the open addon registry at %2$s" +msgstr "" + +#: mod/admin.php:2091 msgid "No themes found." msgstr "Темы не найдены." -#: mod/admin.php:1884 +#: mod/admin.php:2165 msgid "Screenshot" msgstr "Скриншот" -#: mod/admin.php:1944 +#: mod/admin.php:2219 msgid "Reload active themes" msgstr "Перезагрузить активные темы" -#: mod/admin.php:1949 +#: mod/admin.php:2224 #, php-format -msgid "No themes found on the system. They should be paced in %1$s" -msgstr "Не найдено тем. Они должны быть расположены в %1$s" +msgid "No themes found on the system. They should be placed in %1$s" +msgstr "" -#: mod/admin.php:1950 +#: mod/admin.php:2225 msgid "[Experimental]" msgstr "[экспериментально]" -#: mod/admin.php:1951 +#: mod/admin.php:2226 msgid "[Unsupported]" msgstr "[Неподдерживаемое]" -#: mod/admin.php:1975 +#: mod/admin.php:2250 msgid "Log settings updated." msgstr "Настройки журнала обновлены." -#: mod/admin.php:2007 +#: mod/admin.php:2282 msgid "PHP log currently enabled." msgstr "Лог PHP включен." -#: mod/admin.php:2009 +#: mod/admin.php:2284 msgid "PHP log currently disabled." msgstr "Лог PHP выключен." -#: mod/admin.php:2018 +#: mod/admin.php:2293 msgid "Clear" msgstr "Очистить" -#: mod/admin.php:2023 +#: mod/admin.php:2297 msgid "Enable Debugging" msgstr "Включить отладку" -#: mod/admin.php:2024 +#: mod/admin.php:2298 msgid "Log file" msgstr "Лог-файл" -#: mod/admin.php:2024 +#: mod/admin.php:2298 msgid "" "Must be writable by web server. Relative to your Friendica top-level " "directory." msgstr "Должно быть доступно для записи в веб-сервере. Относительно вашего Friendica каталога верхнего уровня." -#: mod/admin.php:2025 +#: mod/admin.php:2299 msgid "Log level" msgstr "Уровень лога" -#: mod/admin.php:2028 +#: mod/admin.php:2301 msgid "PHP logging" msgstr "PHP логирование" -#: mod/admin.php:2029 +#: mod/admin.php:2302 msgid "" "To enable logging of PHP errors and warnings you can add the following to " "the .htconfig.php file of your installation. The filename set in the " @@ -8749,240 +6747,2800 @@ msgid "" "'display_errors' is to enable these options, set to '0' to disable them." msgstr "" -#: mod/admin.php:2160 +#: mod/admin.php:2333 +#, php-format +msgid "" +"Error trying to open %1$s log file.\\r\\n
Check to see " +"if file %1$s exist and is readable." +msgstr "" + +#: mod/admin.php:2337 +#, php-format +msgid "" +"Couldn't open %1$s log file.\\r\\n
Check to see if file" +" %1$s is readable." +msgstr "" + +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "Off" +msgstr "Выкл." + +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "On" +msgstr "Вкл." + +#: mod/admin.php:2429 #, php-format msgid "Lock feature %s" msgstr "Заблокировать %s" -#: mod/admin.php:2168 +#: mod/admin.php:2437 msgid "Manage Additional Features" msgstr "Управление дополнительными возможностями" -#: object/Item.php:359 +#: mod/settings.php:72 +msgid "Display" +msgstr "Внешний вид" + +#: mod/settings.php:79 mod/settings.php:842 +msgid "Social Networks" +msgstr "Социальные сети" + +#: mod/settings.php:93 src/Content/Nav.php:204 +msgid "Delegations" +msgstr "Делегирование" + +#: mod/settings.php:100 +msgid "Connected apps" +msgstr "Подключенные приложения" + +#: mod/settings.php:114 +msgid "Remove account" +msgstr "Удалить аккаунт" + +#: mod/settings.php:168 +msgid "Missing some important data!" +msgstr "Не хватает важных данных!" + +#: mod/settings.php:279 +msgid "Failed to connect with email account using the settings provided." +msgstr "Не удалось подключиться к аккаунту e-mail, используя указанные настройки." + +#: mod/settings.php:284 +msgid "Email settings updated." +msgstr "Настройки эл. почты обновлены." + +#: mod/settings.php:300 +msgid "Features updated" +msgstr "Настройки обновлены" + +#: mod/settings.php:372 +msgid "Relocate message has been send to your contacts" +msgstr "Перемещённое сообщение было отправлено списку контактов" + +#: mod/settings.php:384 src/Model/User.php:325 +msgid "Passwords do not match. Password unchanged." +msgstr "Пароли не совпадают. Пароль не изменен." + +#: mod/settings.php:389 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Пустые пароли не допускаются. Пароль не изменен." + +#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "" + +#: mod/settings.php:400 +msgid "Wrong password." +msgstr "Неверный пароль." + +#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 +msgid "Password changed." +msgstr "Пароль изменен." + +#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 +msgid "Password update failed. Please try again." +msgstr "Обновление пароля не удалось. Пожалуйста, попробуйте еще раз." + +#: mod/settings.php:496 +msgid " Please use a shorter name." +msgstr " Пожалуйста, используйте более короткое имя." + +#: mod/settings.php:499 +msgid " Name too short." +msgstr " Имя слишком короткое." + +#: mod/settings.php:507 +msgid "Wrong Password" +msgstr "Неверный пароль." + +#: mod/settings.php:512 +msgid "Invalid email." +msgstr "" + +#: mod/settings.php:519 +msgid "Cannot change to that email." +msgstr "" + +#: mod/settings.php:572 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Частный форум не имеет настроек приватности. Используется группа конфиденциальности по умолчанию." + +#: mod/settings.php:575 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Частный форум не имеет настроек приватности и не имеет групп приватности по умолчанию." + +#: mod/settings.php:615 +msgid "Settings updated." +msgstr "Настройки обновлены." + +#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 +msgid "Add application" +msgstr "Добавить приложения" + +#: mod/settings.php:678 mod/settings.php:704 +msgid "Consumer Key" +msgstr "Consumer Key" + +#: mod/settings.php:679 mod/settings.php:705 +msgid "Consumer Secret" +msgstr "Consumer Secret" + +#: mod/settings.php:680 mod/settings.php:706 +msgid "Redirect" +msgstr "Перенаправление" + +#: mod/settings.php:681 mod/settings.php:707 +msgid "Icon url" +msgstr "URL символа" + +#: mod/settings.php:692 +msgid "You can't edit this application." +msgstr "Вы не можете изменить это приложение." + +#: mod/settings.php:735 +msgid "Connected Apps" +msgstr "Подключенные приложения" + +#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 +msgid "Edit" +msgstr "Редактировать" + +#: mod/settings.php:739 +msgid "Client key starts with" +msgstr "Ключ клиента начинается с" + +#: mod/settings.php:740 +msgid "No name" +msgstr "Нет имени" + +#: mod/settings.php:741 +msgid "Remove authorization" +msgstr "Удалить авторизацию" + +#: mod/settings.php:752 +msgid "No Addon settings configured" +msgstr "" + +#: mod/settings.php:761 +msgid "Addon Settings" +msgstr "" + +#: mod/settings.php:782 +msgid "Additional Features" +msgstr "Дополнительные возможности" + +#: mod/settings.php:805 src/Content/ContactSelector.php:83 +msgid "Diaspora" +msgstr "Diaspora" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "enabled" +msgstr "подключено" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "disabled" +msgstr "отключено" + +#: mod/settings.php:805 mod/settings.php:806 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Встроенная поддержка для %s подключение %s" + +#: mod/settings.php:806 +msgid "GNU Social (OStatus)" +msgstr "GNU Social (OStatus)" + +#: mod/settings.php:837 +msgid "Email access is disabled on this site." +msgstr "Доступ эл. почты отключен на этом сайте." + +#: mod/settings.php:847 +msgid "General Social Media Settings" +msgstr "Общие настройки социальных медиа" + +#: mod/settings.php:848 +msgid "Disable Content Warning" +msgstr "" + +#: mod/settings.php:848 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "" + +#: mod/settings.php:849 +msgid "Disable intelligent shortening" +msgstr "Отключить умное сокращение" + +#: mod/settings.php:849 +msgid "" +"Normally the system tries to find the best link to add to shortened posts. " +"If this option is enabled then every shortened post will always point to the" +" original friendica post." +msgstr "Обычно система пытается найти лучшую ссылку для добавления к сокращенному посту. Если эта настройка включена, то каждый сокращенный пост будет указывать на оригинальный пост в Friendica." + +#: mod/settings.php:850 +msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" +msgstr "Автоматически подписываться на любого пользователя GNU Social (OStatus), который вас упомянул или который на вас подписался" + +#: mod/settings.php:850 +msgid "" +"If you receive a message from an unknown OStatus user, this option decides " +"what to do. If it is checked, a new contact will be created for every " +"unknown user." +msgstr "Если вы получите сообщение от неизвестной учетной записи OStatus, эта настройка решает, что делать. Если включена, то новый контакт будет создан для каждого неизвестного пользователя." + +#: mod/settings.php:851 +msgid "Default group for OStatus contacts" +msgstr "Группа по-умолчанию для OStatus-контактов" + +#: mod/settings.php:852 +msgid "Your legacy GNU Social account" +msgstr "Ваша старая учетная запись GNU Social" + +#: mod/settings.php:852 +msgid "" +"If you enter your old GNU Social/Statusnet account name here (in the format " +"user@domain.tld), your contacts will be added automatically. The field will " +"be emptied when done." +msgstr "Если вы введете тут вашу старую учетную запись GNU Social/Statusnet (в виде пользователь@домен), ваши контакты оттуда будут автоматически добавлены. Поле будет очищено когда все контакты будут добавлены." + +#: mod/settings.php:855 +msgid "Repair OStatus subscriptions" +msgstr "Починить подписки OStatus" + +#: mod/settings.php:859 +msgid "Email/Mailbox Setup" +msgstr "Настройка эл. почты / почтового ящика" + +#: mod/settings.php:860 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Если вы хотите общаться с Email контактами, используя этот сервис (по желанию), пожалуйста, уточните, как подключиться к вашему почтовому ящику." + +#: mod/settings.php:861 +msgid "Last successful email check:" +msgstr "Последняя успешная проверка электронной почты:" + +#: mod/settings.php:863 +msgid "IMAP server name:" +msgstr "Имя IMAP сервера:" + +#: mod/settings.php:864 +msgid "IMAP port:" +msgstr "Порт IMAP:" + +#: mod/settings.php:865 +msgid "Security:" +msgstr "Безопасность:" + +#: mod/settings.php:865 mod/settings.php:870 +msgid "None" +msgstr "Ничего" + +#: mod/settings.php:866 +msgid "Email login name:" +msgstr "Логин эл. почты:" + +#: mod/settings.php:867 +msgid "Email password:" +msgstr "Пароль эл. почты:" + +#: mod/settings.php:868 +msgid "Reply-to address:" +msgstr "Адрес для ответа:" + +#: mod/settings.php:869 +msgid "Send public posts to all email contacts:" +msgstr "Отправлять открытые сообщения на все контакты электронной почты:" + +#: mod/settings.php:870 +msgid "Action after import:" +msgstr "Действие после импорта:" + +#: mod/settings.php:870 src/Content/Nav.php:191 +msgid "Mark as seen" +msgstr "Отметить, как прочитанное" + +#: mod/settings.php:870 +msgid "Move to folder" +msgstr "Переместить в папку" + +#: mod/settings.php:871 +msgid "Move to folder:" +msgstr "Переместить в папку:" + +#: mod/settings.php:914 +#, php-format +msgid "%s - (Unsupported)" +msgstr "" + +#: mod/settings.php:916 +#, php-format +msgid "%s - (Experimental)" +msgstr "" + +#: mod/settings.php:959 +msgid "Display Settings" +msgstr "Параметры дисплея" + +#: mod/settings.php:965 mod/settings.php:989 +msgid "Display Theme:" +msgstr "Показать тему:" + +#: mod/settings.php:966 +msgid "Mobile Theme:" +msgstr "Мобильная тема:" + +#: mod/settings.php:967 +msgid "Suppress warning of insecure networks" +msgstr "Не отображать уведомление о небезопасных сетях" + +#: mod/settings.php:967 +msgid "" +"Should the system suppress the warning that the current group contains " +"members of networks that can't receive non public postings." +msgstr "Должна ли система подавлять уведомления о том, что текущая группа содержить пользователей из сетей, которые не могут получать непубличные сообщения или сообщения с ограниченной видимостью." + +#: mod/settings.php:968 +msgid "Update browser every xx seconds" +msgstr "Обновление браузера каждые хх секунд" + +#: mod/settings.php:968 +msgid "Minimum of 10 seconds. Enter -1 to disable it." +msgstr "Минимум 10 секунд. Введите -1 для отключения." + +#: mod/settings.php:969 +msgid "Number of items to display per page:" +msgstr "Количество элементов, отображаемых на одной странице:" + +#: mod/settings.php:969 mod/settings.php:970 +msgid "Maximum of 100 items" +msgstr "Максимум 100 элементов" + +#: mod/settings.php:970 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Количество элементов на странице, когда просмотр осуществляется с мобильных устройств:" + +#: mod/settings.php:971 +msgid "Don't show emoticons" +msgstr "не показывать emoticons" + +#: mod/settings.php:972 +msgid "Calendar" +msgstr "Календарь" + +#: mod/settings.php:973 +msgid "Beginning of week:" +msgstr "Начало недели:" + +#: mod/settings.php:974 +msgid "Don't show notices" +msgstr "Не показывать уведомления" + +#: mod/settings.php:975 +msgid "Infinite scroll" +msgstr "Бесконечная прокрутка" + +#: mod/settings.php:976 +msgid "Automatic updates only at the top of the network page" +msgstr "Автоматически обновлять только при нахождении вверху страницы \"Сеть\"" + +#: mod/settings.php:976 +msgid "" +"When disabled, the network page is updated all the time, which could be " +"confusing while reading." +msgstr "" + +#: mod/settings.php:977 +msgid "Bandwith Saver Mode" +msgstr "Режим экономии трафика" + +#: mod/settings.php:977 +msgid "" +"When enabled, embedded content is not displayed on automatic updates, they " +"only show on page reload." +msgstr "Если включено, то включенный контент не отображается при автоматическом обновлении, он будет показан только при перезагрузке страницы." + +#: mod/settings.php:978 +msgid "Smart Threading" +msgstr "" + +#: mod/settings.php:978 +msgid "" +"When enabled, suppress extraneous thread indentation while keeping it where " +"it matters. Only works if threading is available and enabled." +msgstr "" + +#: mod/settings.php:980 +msgid "General Theme Settings" +msgstr "Общие настройки тем" + +#: mod/settings.php:981 +msgid "Custom Theme Settings" +msgstr "Личные настройки тем" + +#: mod/settings.php:982 +msgid "Content Settings" +msgstr "Настройки контента" + +#: mod/settings.php:983 view/theme/duepuntozero/config.php:73 +#: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 +#: view/theme/vier/config.php:121 +msgid "Theme settings" +msgstr "Настройки темы" + +#: mod/settings.php:1002 +msgid "Unable to find your profile. Please contact your admin." +msgstr "" + +#: mod/settings.php:1044 +msgid "Account Types" +msgstr "Тип учетной записи" + +#: mod/settings.php:1045 +msgid "Personal Page Subtypes" +msgstr "Подтипы личной страницы" + +#: mod/settings.php:1046 +msgid "Community Forum Subtypes" +msgstr "Подтипы форума сообщества" + +#: mod/settings.php:1053 +msgid "Personal Page" +msgstr "Личная страница" + +#: mod/settings.php:1054 +msgid "Account for a personal profile." +msgstr "" + +#: mod/settings.php:1057 +msgid "Organisation Page" +msgstr "Организационная страница" + +#: mod/settings.php:1058 +msgid "" +"Account for an organisation that automatically approves contact requests as " +"\"Followers\"." +msgstr "" + +#: mod/settings.php:1061 +msgid "News Page" +msgstr "Новостная страница" + +#: mod/settings.php:1062 +msgid "" +"Account for a news reflector that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1065 +msgid "Community Forum" +msgstr "Форум сообщества" + +#: mod/settings.php:1066 +msgid "Account for community discussions." +msgstr "" + +#: mod/settings.php:1069 +msgid "Normal Account Page" +msgstr "Стандартная страница аккаунта" + +#: mod/settings.php:1070 +msgid "" +"Account for a regular personal profile that requires manual approval of " +"\"Friends\" and \"Followers\"." +msgstr "" + +#: mod/settings.php:1073 +msgid "Soapbox Page" +msgstr "Песочница" + +#: mod/settings.php:1074 +msgid "" +"Account for a public profile that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1077 +msgid "Public Forum" +msgstr "Публичный форум" + +#: mod/settings.php:1078 +msgid "Automatically approves all contact requests." +msgstr "" + +#: mod/settings.php:1081 +msgid "Automatic Friend Page" +msgstr "\"Автоматический друг\" страница" + +#: mod/settings.php:1082 +msgid "" +"Account for a popular profile that automatically approves contact requests " +"as \"Friends\"." +msgstr "" + +#: mod/settings.php:1085 +msgid "Private Forum [Experimental]" +msgstr "Личный форум [экспериментально]" + +#: mod/settings.php:1086 +msgid "Requires manual approval of contact requests." +msgstr "" + +#: mod/settings.php:1097 +msgid "OpenID:" +msgstr "OpenID:" + +#: mod/settings.php:1097 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(Необязательно) Разрешить этому OpenID входить в этот аккаунт" + +#: mod/settings.php:1105 +msgid "Publish your default profile in your local site directory?" +msgstr "Публиковать ваш профиль по умолчанию в вашем локальном каталоге на сайте?" + +#: mod/settings.php:1105 +#, php-format +msgid "" +"Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." +msgstr "" + +#: mod/settings.php:1111 +msgid "Publish your default profile in the global social directory?" +msgstr "Публиковать ваш профиль по умолчанию в глобальном социальном каталоге?" + +#: mod/settings.php:1111 +#, php-format +msgid "" +"Your profile will be published in this node's local " +"directory. Your profile details may be publicly visible depending on the" +" system settings." +msgstr "" + +#: mod/settings.php:1118 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Скрывать ваш список контактов/друзей от посетителей вашего профиля по умолчанию?" + +#: mod/settings.php:1118 +msgid "" +"Your contact list won't be shown in your default profile page. You can " +"decide to show your contact list separately for each additional profile you " +"create" +msgstr "" + +#: mod/settings.php:1122 +msgid "Hide your profile details from anonymous viewers?" +msgstr "" + +#: mod/settings.php:1122 +msgid "" +"Anonymous visitors will only see your profile picture, your display name and" +" the nickname you are using on your profile page. Disables posting public " +"messages to Diaspora and other networks." +msgstr "" + +#: mod/settings.php:1126 +msgid "Allow friends to post to your profile page?" +msgstr "Разрешить друзьям оставлять сообщения на страницу вашего профиля?" + +#: mod/settings.php:1126 +msgid "" +"Your contacts may write posts on your profile wall. These posts will be " +"distributed to your contacts" +msgstr "" + +#: mod/settings.php:1130 +msgid "Allow friends to tag your posts?" +msgstr "Разрешить друзьям отмечять ваши сообщения?" + +#: mod/settings.php:1130 +msgid "Your contacts can add additional tags to your posts." +msgstr "" + +#: mod/settings.php:1134 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Позвольть предлогать Вам потенциальных друзей?" + +#: mod/settings.php:1134 +msgid "" +"If you like, Friendica may suggest new members to add you as a contact." +msgstr "" + +#: mod/settings.php:1138 +msgid "Permit unknown people to send you private mail?" +msgstr "Разрешить незнакомым людям отправлять вам личные сообщения?" + +#: mod/settings.php:1138 +msgid "" +"Friendica network users may send you private messages even if they are not " +"in your contact list." +msgstr "" + +#: mod/settings.php:1142 +msgid "Profile is not published." +msgstr "Профиль не публикуется." + +#: mod/settings.php:1148 +#, php-format +msgid "Your Identity Address is '%s' or '%s'." +msgstr "Ваш адрес: '%s' или '%s'." + +#: mod/settings.php:1155 +msgid "Automatically expire posts after this many days:" +msgstr "Автоматическое истекание срока действия сообщения после стольких дней:" + +#: mod/settings.php:1155 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Если пусто, срок действия сообщений не будет ограничен. Сообщения с истекшим сроком действия будут удалены" + +#: mod/settings.php:1156 +msgid "Advanced expiration settings" +msgstr "Настройки расширенного окончания срока действия" + +#: mod/settings.php:1157 +msgid "Advanced Expiration" +msgstr "Расширенное окончание срока действия" + +#: mod/settings.php:1158 +msgid "Expire posts:" +msgstr "Срок хранения сообщений:" + +#: mod/settings.php:1159 +msgid "Expire personal notes:" +msgstr "Срок хранения личных заметок:" + +#: mod/settings.php:1160 +msgid "Expire starred posts:" +msgstr "Срок хранения усеянных сообщений:" + +#: mod/settings.php:1161 +msgid "Expire photos:" +msgstr "Срок хранения фотографий:" + +#: mod/settings.php:1162 +msgid "Only expire posts by others:" +msgstr "Только устаревшие посты других:" + +#: mod/settings.php:1192 +msgid "Account Settings" +msgstr "Настройки аккаунта" + +#: mod/settings.php:1200 +msgid "Password Settings" +msgstr "Смена пароля" + +#: mod/settings.php:1202 +msgid "Leave password fields blank unless changing" +msgstr "Оставьте поля пароля пустыми, если он не изменяется" + +#: mod/settings.php:1203 +msgid "Current Password:" +msgstr "Текущий пароль:" + +#: mod/settings.php:1203 mod/settings.php:1204 +msgid "Your current password to confirm the changes" +msgstr "Ваш текущий пароль, для подтверждения изменений" + +#: mod/settings.php:1204 +msgid "Password:" +msgstr "Пароль:" + +#: mod/settings.php:1208 +msgid "Basic Settings" +msgstr "Основные параметры" + +#: mod/settings.php:1209 src/Model/Profile.php:738 +msgid "Full Name:" +msgstr "Полное имя:" + +#: mod/settings.php:1210 +msgid "Email Address:" +msgstr "Адрес электронной почты:" + +#: mod/settings.php:1211 +msgid "Your Timezone:" +msgstr "Ваш часовой пояс:" + +#: mod/settings.php:1212 +msgid "Your Language:" +msgstr "Ваш язык:" + +#: mod/settings.php:1212 +msgid "" +"Set the language we use to show you friendica interface and to send you " +"emails" +msgstr "Выберите язык, на котором вы будете видеть интерфейс Friendica и на котором вы будете получать письма" + +#: mod/settings.php:1213 +msgid "Default Post Location:" +msgstr "Местонахождение по умолчанию:" + +#: mod/settings.php:1214 +msgid "Use Browser Location:" +msgstr "Использовать определение местоположения браузером:" + +#: mod/settings.php:1217 +msgid "Security and Privacy Settings" +msgstr "Параметры безопасности и конфиденциальности" + +#: mod/settings.php:1219 +msgid "Maximum Friend Requests/Day:" +msgstr "Максимум запросов в друзья в день:" + +#: mod/settings.php:1219 mod/settings.php:1248 +msgid "(to prevent spam abuse)" +msgstr "(для предотвращения спама)" + +#: mod/settings.php:1220 +msgid "Default Post Permissions" +msgstr "Разрешение на сообщения по умолчанию" + +#: mod/settings.php:1221 +msgid "(click to open/close)" +msgstr "(нажмите, чтобы открыть / закрыть)" + +#: mod/settings.php:1231 +msgid "Default Private Post" +msgstr "Личное сообщение по умолчанию" + +#: mod/settings.php:1232 +msgid "Default Public Post" +msgstr "Публичное сообщение по умолчанию" + +#: mod/settings.php:1236 +msgid "Default Permissions for New Posts" +msgstr "Права для новых записей по умолчанию" + +#: mod/settings.php:1248 +msgid "Maximum private messages per day from unknown people:" +msgstr "Максимальное количество личных сообщений от незнакомых людей в день:" + +#: mod/settings.php:1251 +msgid "Notification Settings" +msgstr "Настройка уведомлений" + +#: mod/settings.php:1252 +msgid "By default post a status message when:" +msgstr "Отправить состояние о статусе по умолчанию, если:" + +#: mod/settings.php:1253 +msgid "accepting a friend request" +msgstr "принятие запроса на добавление в друзья" + +#: mod/settings.php:1254 +msgid "joining a forum/community" +msgstr "вступление в сообщество/форум" + +#: mod/settings.php:1255 +msgid "making an interesting profile change" +msgstr "сделать изменения в настройках интересов профиля" + +#: mod/settings.php:1256 +msgid "Send a notification email when:" +msgstr "Отправлять уведомление по электронной почте, когда:" + +#: mod/settings.php:1257 +msgid "You receive an introduction" +msgstr "Вы получили запрос" + +#: mod/settings.php:1258 +msgid "Your introductions are confirmed" +msgstr "Ваши запросы подтверждены" + +#: mod/settings.php:1259 +msgid "Someone writes on your profile wall" +msgstr "Кто-то пишет на стене вашего профиля" + +#: mod/settings.php:1260 +msgid "Someone writes a followup comment" +msgstr "Кто-то пишет последующий комментарий" + +#: mod/settings.php:1261 +msgid "You receive a private message" +msgstr "Вы получаете личное сообщение" + +#: mod/settings.php:1262 +msgid "You receive a friend suggestion" +msgstr "Вы полулили предложение о добавлении в друзья" + +#: mod/settings.php:1263 +msgid "You are tagged in a post" +msgstr "Вы отмечены в посте" + +#: mod/settings.php:1264 +msgid "You are poked/prodded/etc. in a post" +msgstr "Вас потыкали/подтолкнули/и т.д. в посте" + +#: mod/settings.php:1266 +msgid "Activate desktop notifications" +msgstr "Активировать уведомления на рабочем столе" + +#: mod/settings.php:1266 +msgid "Show desktop popup on new notifications" +msgstr "Показывать уведомления на рабочем столе" + +#: mod/settings.php:1268 +msgid "Text-only notification emails" +msgstr "Только текстовые письма" + +#: mod/settings.php:1270 +msgid "Send text only notification emails, without the html part" +msgstr "Отправлять только текстовые уведомления, без HTML" + +#: mod/settings.php:1272 +msgid "Show detailled notifications" +msgstr "" + +#: mod/settings.php:1274 +msgid "" +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "" + +#: mod/settings.php:1276 +msgid "Advanced Account/Page Type Settings" +msgstr "Расширенные настройки учётной записи" + +#: mod/settings.php:1277 +msgid "Change the behaviour of this account for special situations" +msgstr "Измените поведение этого аккаунта в специальных ситуациях" + +#: mod/settings.php:1280 +msgid "Relocate" +msgstr "Перемещение" + +#: mod/settings.php:1281 +msgid "" +"If you have moved this profile from another server, and some of your " +"contacts don't receive your updates, try pushing this button." +msgstr "Если вы переместили эту анкету с другого сервера, и некоторые из ваших контактов не получили ваши обновления, попробуйте нажать эту кнопку." + +#: mod/settings.php:1282 +msgid "Resend relocate message to contacts" +msgstr "Отправить перемещённые сообщения контактам" + +#: src/Core/UserImport.php:104 +msgid "Error decoding account file" +msgstr "Ошибка расшифровки файла аккаунта" + +#: src/Core/UserImport.php:110 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Ошибка! Неправильная версия данных в файле! Это не файл аккаунта Friendica?" + +#: src/Core/UserImport.php:118 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "Пользователь '%s' уже существует на этом сервере!" + +#: src/Core/UserImport.php:151 +msgid "User creation error" +msgstr "Ошибка создания пользователя" + +#: src/Core/UserImport.php:169 +msgid "User profile creation error" +msgstr "Ошибка создания профиля пользователя" + +#: src/Core/UserImport.php:213 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d контакт не импортирован" +msgstr[1] "%d контакты не импортированы" +msgstr[2] "%d контакты не импортированы" +msgstr[3] "%d контакты не импортированы" + +#: src/Core/UserImport.php:278 +msgid "Done. You can now login with your username and password" +msgstr "Завершено. Теперь вы можете войти с вашим логином и паролем" + +#: src/Core/NotificationsManager.php:171 +msgid "System" +msgstr "Система" + +#: src/Core/NotificationsManager.php:192 src/Content/Nav.php:124 +#: src/Content/Nav.php:181 +msgid "Home" +msgstr "Мой профиль" + +#: src/Core/NotificationsManager.php:199 src/Content/Nav.php:186 +msgid "Introductions" +msgstr "Запросы" + +#: src/Core/NotificationsManager.php:256 src/Core/NotificationsManager.php:268 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s прокомментировал %s сообщение" + +#: src/Core/NotificationsManager.php:267 +#, php-format +msgid "%s created a new post" +msgstr "%s написал новое сообщение" + +#: src/Core/NotificationsManager.php:281 +#, php-format +msgid "%s liked %s's post" +msgstr "%s нравится %s сообшение" + +#: src/Core/NotificationsManager.php:294 +#, php-format +msgid "%s disliked %s's post" +msgstr "%s не нравится сообщение %s" + +#: src/Core/NotificationsManager.php:307 +#, php-format +msgid "%s is attending %s's event" +msgstr "" + +#: src/Core/NotificationsManager.php:320 +#, php-format +msgid "%s is not attending %s's event" +msgstr "" + +#: src/Core/NotificationsManager.php:333 +#, php-format +msgid "%s may attend %s's event" +msgstr "" + +#: src/Core/NotificationsManager.php:350 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s теперь друзья с %s" + +#: src/Core/NotificationsManager.php:825 +msgid "Friend Suggestion" +msgstr "Предложение в друзья" + +#: src/Core/NotificationsManager.php:851 +msgid "Friend/Connect Request" +msgstr "Запрос в друзья / на подключение" + +#: src/Core/NotificationsManager.php:851 +msgid "New Follower" +msgstr "Новый фолловер" + +#: src/Core/ACL.php:295 +msgid "Post to Email" +msgstr "Отправить на Email" + +#: src/Core/ACL.php:301 +msgid "Hide your profile details from unknown viewers?" +msgstr "Скрыть данные профиля из неизвестных зрителей?" + +#: src/Core/ACL.php:300 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Коннекторы отключены так как \"%s\" включен." + +#: src/Core/ACL.php:307 +msgid "Visible to everybody" +msgstr "Видимо всем" + +#: src/Core/ACL.php:308 view/theme/vier/config.php:115 +msgid "show" +msgstr "показывать" + +#: src/Core/ACL.php:309 view/theme/vier/config.php:115 +msgid "don't show" +msgstr "не показывать" + +#: src/Core/ACL.php:319 +msgid "Close" +msgstr "Закрыть" + +#: src/Util/Temporal.php:147 src/Model/Profile.php:758 +msgid "Birthday:" +msgstr "День рождения:" + +#: src/Util/Temporal.php:151 +msgid "YYYY-MM-DD or MM-DD" +msgstr "YYYY-MM-DD или MM-DD" + +#: src/Util/Temporal.php:294 +msgid "never" +msgstr "никогда" + +#: src/Util/Temporal.php:300 +msgid "less than a second ago" +msgstr "менее сек. назад" + +#: src/Util/Temporal.php:303 +msgid "year" +msgstr "год" + +#: src/Util/Temporal.php:303 +msgid "years" +msgstr "лет" + +#: src/Util/Temporal.php:304 +msgid "months" +msgstr "мес." + +#: src/Util/Temporal.php:305 +msgid "weeks" +msgstr "недель" + +#: src/Util/Temporal.php:306 +msgid "days" +msgstr "дней" + +#: src/Util/Temporal.php:307 +msgid "hour" +msgstr "час" + +#: src/Util/Temporal.php:307 +msgid "hours" +msgstr "час." + +#: src/Util/Temporal.php:308 +msgid "minute" +msgstr "минута" + +#: src/Util/Temporal.php:308 +msgid "minutes" +msgstr "мин." + +#: src/Util/Temporal.php:309 +msgid "second" +msgstr "секунда" + +#: src/Util/Temporal.php:309 +msgid "seconds" +msgstr "сек." + +#: src/Util/Temporal.php:318 +#, php-format +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s назад" + +#: src/Content/Text/BBCode.php:555 +msgid "view full size" +msgstr "посмотреть в полный размер" + +#: src/Content/Text/BBCode.php:981 src/Content/Text/BBCode.php:1750 +#: src/Content/Text/BBCode.php:1751 +msgid "Image/photo" +msgstr "Изображение / Фото" + +#: src/Content/Text/BBCode.php:1119 +#, php-format +msgid "%2$s %3$s" +msgstr "%2$s %3$s" + +#: src/Content/Text/BBCode.php:1677 src/Content/Text/BBCode.php:1699 +msgid "$1 wrote:" +msgstr "$1 написал:" + +#: src/Content/Text/BBCode.php:1759 src/Content/Text/BBCode.php:1760 +msgid "Encrypted content" +msgstr "Зашифрованный контент" + +#: src/Content/Text/BBCode.php:1879 +msgid "Invalid source protocol" +msgstr "Неправильный протокол источника" + +#: src/Content/Text/BBCode.php:1890 +msgid "Invalid link protocol" +msgstr "Неправильная протокольная ссылка" + +#: src/Content/ForumManager.php:127 view/theme/vier/theme.php:256 +msgid "External link to forum" +msgstr "Внешняя ссылка на форум" + +#: src/Content/Nav.php:53 +msgid "Nothing new here" +msgstr "Ничего нового здесь" + +#: src/Content/Nav.php:57 +msgid "Clear notifications" +msgstr "Стереть уведомления" + +#: src/Content/Nav.php:97 src/Module/Login.php:311 +#: view/theme/frio/theme.php:256 +msgid "Logout" +msgstr "Выход" + +#: src/Content/Nav.php:97 view/theme/frio/theme.php:256 +msgid "End this session" +msgstr "Завершить эту сессию" + +#: src/Content/Nav.php:100 src/Content/Nav.php:181 +#: view/theme/frio/theme.php:259 +msgid "Your posts and conversations" +msgstr "Данные вашей учётной записи" + +#: src/Content/Nav.php:101 view/theme/frio/theme.php:260 +msgid "Your profile page" +msgstr "Информация о вас" + +#: src/Content/Nav.php:102 view/theme/frio/theme.php:261 +msgid "Your photos" +msgstr "Ваши фотографии" + +#: src/Content/Nav.php:103 src/Model/Profile.php:912 src/Model/Profile.php:915 +#: view/theme/frio/theme.php:262 +msgid "Videos" +msgstr "Видео" + +#: src/Content/Nav.php:103 view/theme/frio/theme.php:262 +msgid "Your videos" +msgstr "Ваши видео" + +#: src/Content/Nav.php:104 view/theme/frio/theme.php:263 +msgid "Your events" +msgstr "Ваши события" + +#: src/Content/Nav.php:105 +msgid "Personal notes" +msgstr "Личные заметки" + +#: src/Content/Nav.php:105 +msgid "Your personal notes" +msgstr "Ваши личные заметки" + +#: src/Content/Nav.php:114 +msgid "Sign in" +msgstr "Вход" + +#: src/Content/Nav.php:124 +msgid "Home Page" +msgstr "Главная страница" + +#: src/Content/Nav.php:128 +msgid "Create an account" +msgstr "Создать аккаунт" + +#: src/Content/Nav.php:134 +msgid "Help and documentation" +msgstr "Помощь и документация" + +#: src/Content/Nav.php:138 +msgid "Apps" +msgstr "Приложения" + +#: src/Content/Nav.php:138 +msgid "Addon applications, utilities, games" +msgstr "Дополнительные приложения, утилиты, игры" + +#: src/Content/Nav.php:142 +msgid "Search site content" +msgstr "Поиск по сайту" + +#: src/Content/Nav.php:165 +msgid "Community" +msgstr "Сообщество" + +#: src/Content/Nav.php:165 +msgid "Conversations on this and other servers" +msgstr "" + +#: src/Content/Nav.php:169 src/Model/Profile.php:927 src/Model/Profile.php:938 +#: view/theme/frio/theme.php:267 +msgid "Events and Calendar" +msgstr "Календарь и события" + +#: src/Content/Nav.php:172 +msgid "Directory" +msgstr "Каталог" + +#: src/Content/Nav.php:172 +msgid "People directory" +msgstr "Каталог участников" + +#: src/Content/Nav.php:174 +msgid "Information about this friendica instance" +msgstr "Информация об этом экземпляре Friendica" + +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 +msgid "Conversations from your friends" +msgstr "Сообщения ваших друзей" + +#: src/Content/Nav.php:179 +msgid "Network Reset" +msgstr "Перезагрузка сети" + +#: src/Content/Nav.php:179 +msgid "Load Network page with no filters" +msgstr "Загрузить страницу сети без фильтров" + +#: src/Content/Nav.php:186 +msgid "Friend Requests" +msgstr "Запросы на добавление в список друзей" + +#: src/Content/Nav.php:190 +msgid "See all notifications" +msgstr "Посмотреть все уведомления" + +#: src/Content/Nav.php:191 +msgid "Mark all system notifications seen" +msgstr "Отметить все системные уведомления, как прочитанные" + +#: src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Private mail" +msgstr "Личная почта" + +#: src/Content/Nav.php:196 +msgid "Inbox" +msgstr "Входящие" + +#: src/Content/Nav.php:197 +msgid "Outbox" +msgstr "Исходящие" + +#: src/Content/Nav.php:201 +msgid "Manage" +msgstr "Управлять" + +#: src/Content/Nav.php:201 +msgid "Manage other pages" +msgstr "Управление другими страницами" + +#: src/Content/Nav.php:206 view/theme/frio/theme.php:269 +msgid "Account settings" +msgstr "Настройки аккаунта" + +#: src/Content/Nav.php:209 src/Model/Profile.php:372 +msgid "Profiles" +msgstr "Профили" + +#: src/Content/Nav.php:209 +msgid "Manage/Edit Profiles" +msgstr "Управление/редактирование профилей" + +#: src/Content/Nav.php:212 view/theme/frio/theme.php:270 +msgid "Manage/edit friends and contacts" +msgstr "Управление / редактирование друзей и контактов" + +#: src/Content/Nav.php:217 +msgid "Site setup and configuration" +msgstr "Конфигурация сайта" + +#: src/Content/Nav.php:220 +msgid "Navigation" +msgstr "Навигация" + +#: src/Content/Nav.php:220 +msgid "Site map" +msgstr "Карта сайта" + +#: src/Content/OEmbed.php:253 +msgid "Embedding disabled" +msgstr "Встраивание отключено" + +#: src/Content/OEmbed.php:373 +msgid "Embedded content" +msgstr "Встроенное содержание" + +#: src/Content/Widget/CalendarExport.php:61 +msgid "Export" +msgstr "Экспорт" + +#: src/Content/Widget/CalendarExport.php:62 +msgid "Export calendar as ical" +msgstr "Экспортировать календарь в формат ical" + +#: src/Content/Widget/CalendarExport.php:63 +msgid "Export calendar as csv" +msgstr "Экспортировать календарь в формат csv" + +#: src/Content/Feature.php:79 +msgid "General Features" +msgstr "Основные возможности" + +#: src/Content/Feature.php:81 +msgid "Multiple Profiles" +msgstr "Несколько профилей" + +#: src/Content/Feature.php:81 +msgid "Ability to create multiple profiles" +msgstr "Возможность создания нескольких профилей" + +#: src/Content/Feature.php:82 +msgid "Photo Location" +msgstr "Место фотографирования" + +#: src/Content/Feature.php:82 +msgid "" +"Photo metadata is normally stripped. This extracts the location (if present)" +" prior to stripping metadata and links it to a map." +msgstr "Метаданные фотографий обычно вырезаются. Эта настройка получает местоположение (если есть) до вырезки метаданных и связывает с координатами на карте." + +#: src/Content/Feature.php:83 +msgid "Export Public Calendar" +msgstr "Экспортировать публичный календарь" + +#: src/Content/Feature.php:83 +msgid "Ability for visitors to download the public calendar" +msgstr "Возможность скачивать публичный календарь посетителями" + +#: src/Content/Feature.php:88 +msgid "Post Composition Features" +msgstr "Составление сообщений" + +#: src/Content/Feature.php:89 +msgid "Post Preview" +msgstr "Предварительный просмотр" + +#: src/Content/Feature.php:89 +msgid "Allow previewing posts and comments before publishing them" +msgstr "Разрешить предпросмотр сообщения и комментария перед их публикацией" + +#: src/Content/Feature.php:90 +msgid "Auto-mention Forums" +msgstr "" + +#: src/Content/Feature.php:90 +msgid "" +"Add/remove mention when a forum page is selected/deselected in ACL window." +msgstr "" + +#: src/Content/Feature.php:95 +msgid "Network Sidebar Widgets" +msgstr "Виджет боковой панели \"Сеть\"" + +#: src/Content/Feature.php:96 +msgid "Search by Date" +msgstr "Поиск по датам" + +#: src/Content/Feature.php:96 +msgid "Ability to select posts by date ranges" +msgstr "Возможность выбора постов по диапазону дат" + +#: src/Content/Feature.php:97 src/Content/Feature.php:127 +msgid "List Forums" +msgstr "Список форумов" + +#: src/Content/Feature.php:97 +msgid "Enable widget to display the forums your are connected with" +msgstr "" + +#: src/Content/Feature.php:98 +msgid "Group Filter" +msgstr "Фильтр групп" + +#: src/Content/Feature.php:98 +msgid "Enable widget to display Network posts only from selected group" +msgstr "Включить виджет для отображения сообщений сети только от выбранной группы" + +#: src/Content/Feature.php:99 +msgid "Network Filter" +msgstr "Фильтр сети" + +#: src/Content/Feature.php:99 +msgid "Enable widget to display Network posts only from selected network" +msgstr "Включить виджет для отображения сообщений сети только от выбранной сети" + +#: src/Content/Feature.php:100 +msgid "Save search terms for re-use" +msgstr "Сохранить условия поиска для повторного использования" + +#: src/Content/Feature.php:105 +msgid "Network Tabs" +msgstr "Сетевые вкладки" + +#: src/Content/Feature.php:106 +msgid "Network Personal Tab" +msgstr "Персональные сетевые вкладки" + +#: src/Content/Feature.php:106 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Включить вкладку для отображения только сообщений сети, с которой вы взаимодействовали" + +#: src/Content/Feature.php:107 +msgid "Network New Tab" +msgstr "Новая вкладка сеть" + +#: src/Content/Feature.php:107 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "Включить вкладку для отображения только новых сообщений сети (за последние 12 часов)" + +#: src/Content/Feature.php:108 +msgid "Network Shared Links Tab" +msgstr "Вкладка shared ссылок сети" + +#: src/Content/Feature.php:108 +msgid "Enable tab to display only Network posts with links in them" +msgstr "Включить вкладку для отображения только сообщений сети со ссылками на них" + +#: src/Content/Feature.php:113 +msgid "Post/Comment Tools" +msgstr "Инструменты пост/комментарий" + +#: src/Content/Feature.php:114 +msgid "Multiple Deletion" +msgstr "Множественное удаление" + +#: src/Content/Feature.php:114 +msgid "Select and delete multiple posts/comments at once" +msgstr "Выбрать и удалить несколько постов/комментариев одновременно." + +#: src/Content/Feature.php:115 +msgid "Edit Sent Posts" +msgstr "Редактировать отправленные посты" + +#: src/Content/Feature.php:115 +msgid "Edit and correct posts and comments after sending" +msgstr "Редактировать и править посты и комментарии после отправления" + +#: src/Content/Feature.php:116 +msgid "Tagging" +msgstr "Отмеченное" + +#: src/Content/Feature.php:116 +msgid "Ability to tag existing posts" +msgstr "Возможность отмечать существующие посты" + +#: src/Content/Feature.php:117 +msgid "Post Categories" +msgstr "Категории постов" + +#: src/Content/Feature.php:117 +msgid "Add categories to your posts" +msgstr "Добавить категории вашего поста" + +#: src/Content/Feature.php:118 src/Content/Widget.php:200 +msgid "Saved Folders" +msgstr "Сохранённые папки" + +#: src/Content/Feature.php:118 +msgid "Ability to file posts under folders" +msgstr "" + +#: src/Content/Feature.php:119 +msgid "Dislike Posts" +msgstr "Посты, которые не нравятся" + +#: src/Content/Feature.php:119 +msgid "Ability to dislike posts/comments" +msgstr "Возможность поставить \"Не нравится\" посту или комментарию" + +#: src/Content/Feature.php:120 +msgid "Star Posts" +msgstr "Популярные посты" + +#: src/Content/Feature.php:120 +msgid "Ability to mark special posts with a star indicator" +msgstr "Возможность отметить специальные сообщения индикатором популярности" + +#: src/Content/Feature.php:121 +msgid "Mute Post Notifications" +msgstr "Отключить уведомления для поста" + +#: src/Content/Feature.php:121 +msgid "Ability to mute notifications for a thread" +msgstr "Возможность отключить уведомления для отдельно взятого обсуждения" + +#: src/Content/Feature.php:126 +msgid "Advanced Profile Settings" +msgstr "Расширенные настройки профиля" + +#: src/Content/Feature.php:127 +msgid "Show visitors public community forums at the Advanced Profile Page" +msgstr "" + +#: src/Content/Feature.php:128 +msgid "Tag Cloud" +msgstr "" + +#: src/Content/Feature.php:128 +msgid "Provide a personal tag cloud on your profile page" +msgstr "" + +#: src/Content/Feature.php:129 +msgid "Display Membership Date" +msgstr "" + +#: src/Content/Feature.php:129 +msgid "Display membership date in profile" +msgstr "" + +#: src/Content/Widget.php:33 +msgid "Add New Contact" +msgstr "Добавить контакт" + +#: src/Content/Widget.php:34 +msgid "Enter address or web location" +msgstr "Введите адрес или веб-местонахождение" + +#: src/Content/Widget.php:35 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Пример: bob@example.com, http://example.com/barbara" + +#: src/Content/Widget.php:53 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d приглашение доступно" +msgstr[1] "%d приглашений доступно" +msgstr[2] "%d приглашений доступно" +msgstr[3] "%d приглашений доступно" + +#: src/Content/Widget.php:59 +msgid "Find People" +msgstr "Поиск людей" + +#: src/Content/Widget.php:60 +msgid "Enter name or interest" +msgstr "Введите имя или интерес" + +#: src/Content/Widget.php:62 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Примеры: Роберт Morgenstein, Рыбалка" + +#: src/Content/Widget.php:65 view/theme/vier/theme.php:202 +msgid "Similar Interests" +msgstr "Похожие интересы" + +#: src/Content/Widget.php:66 +msgid "Random Profile" +msgstr "Случайный профиль" + +#: src/Content/Widget.php:67 view/theme/vier/theme.php:204 +msgid "Invite Friends" +msgstr "Пригласить друзей" + +#: src/Content/Widget.php:68 +msgid "View Global Directory" +msgstr "" + +#: src/Content/Widget.php:159 +msgid "Networks" +msgstr "Сети" + +#: src/Content/Widget.php:162 +msgid "All Networks" +msgstr "Все сети" + +#: src/Content/Widget.php:203 src/Content/Widget.php:243 +msgid "Everything" +msgstr "Всё" + +#: src/Content/Widget.php:240 +msgid "Categories" +msgstr "Категории" + +#: src/Content/Widget.php:307 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d Контакт" +msgstr[1] "%d Контактов" +msgstr[2] "%d Контактов" +msgstr[3] "%d Контактов" + +#: src/Content/ContactSelector.php:55 +msgid "Frequently" +msgstr "" + +#: src/Content/ContactSelector.php:56 +msgid "Hourly" +msgstr "" + +#: src/Content/ContactSelector.php:57 +msgid "Twice daily" +msgstr "" + +#: src/Content/ContactSelector.php:58 +msgid "Daily" +msgstr "" + +#: src/Content/ContactSelector.php:59 +msgid "Weekly" +msgstr "" + +#: src/Content/ContactSelector.php:60 +msgid "Monthly" +msgstr "" + +#: src/Content/ContactSelector.php:80 +msgid "OStatus" +msgstr "" + +#: src/Content/ContactSelector.php:81 +msgid "RSS/Atom" +msgstr "" + +#: src/Content/ContactSelector.php:84 +msgid "Facebook" +msgstr "" + +#: src/Content/ContactSelector.php:85 +msgid "Zot!" +msgstr "" + +#: src/Content/ContactSelector.php:86 +msgid "LinkedIn" +msgstr "" + +#: src/Content/ContactSelector.php:87 +msgid "XMPP/IM" +msgstr "" + +#: src/Content/ContactSelector.php:88 +msgid "MySpace" +msgstr "" + +#: src/Content/ContactSelector.php:89 +msgid "Google+" +msgstr "" + +#: src/Content/ContactSelector.php:90 +msgid "pump.io" +msgstr "" + +#: src/Content/ContactSelector.php:91 +msgid "Twitter" +msgstr "" + +#: src/Content/ContactSelector.php:92 +msgid "Diaspora Connector" +msgstr "" + +#: src/Content/ContactSelector.php:93 +msgid "GNU Social Connector" +msgstr "" + +#: src/Content/ContactSelector.php:94 +msgid "pnut" +msgstr "" + +#: src/Content/ContactSelector.php:95 +msgid "App.net" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Male" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Female" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Male" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Female" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Male" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Female" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Transgender" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Intersex" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Transsexual" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Hermaphrodite" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Neuter" +msgstr "" + +#: src/Content/ContactSelector.php:125 +msgid "Non-specific" +msgstr "Не определен" + +#: src/Content/ContactSelector.php:125 +msgid "Other" +msgstr "Другой" + +#: src/Content/ContactSelector.php:147 +msgid "Males" +msgstr "Мужчины" + +#: src/Content/ContactSelector.php:147 +msgid "Females" +msgstr "Женщины" + +#: src/Content/ContactSelector.php:147 +msgid "Gay" +msgstr "Гей" + +#: src/Content/ContactSelector.php:147 +msgid "Lesbian" +msgstr "Лесбиянка" + +#: src/Content/ContactSelector.php:147 +msgid "No Preference" +msgstr "Без предпочтений" + +#: src/Content/ContactSelector.php:147 +msgid "Bisexual" +msgstr "Бисексуал" + +#: src/Content/ContactSelector.php:147 +msgid "Autosexual" +msgstr "Автосексуал" + +#: src/Content/ContactSelector.php:147 +msgid "Abstinent" +msgstr "Воздержанный" + +#: src/Content/ContactSelector.php:147 +msgid "Virgin" +msgstr "Девственница" + +#: src/Content/ContactSelector.php:147 +msgid "Deviant" +msgstr "Deviant" + +#: src/Content/ContactSelector.php:147 +msgid "Fetish" +msgstr "Фетиш" + +#: src/Content/ContactSelector.php:147 +msgid "Oodles" +msgstr "Групповой" + +#: src/Content/ContactSelector.php:147 +msgid "Nonsexual" +msgstr "Нет интереса к сексу" + +#: src/Content/ContactSelector.php:169 +msgid "Single" +msgstr "Без пары" + +#: src/Content/ContactSelector.php:169 +msgid "Lonely" +msgstr "Пока никого нет" + +#: src/Content/ContactSelector.php:169 +msgid "Available" +msgstr "Доступный" + +#: src/Content/ContactSelector.php:169 +msgid "Unavailable" +msgstr "Не ищу никого" + +#: src/Content/ContactSelector.php:169 +msgid "Has crush" +msgstr "Имеет ошибку" + +#: src/Content/ContactSelector.php:169 +msgid "Infatuated" +msgstr "Влюблён" + +#: src/Content/ContactSelector.php:169 +msgid "Dating" +msgstr "Свидания" + +#: src/Content/ContactSelector.php:169 +msgid "Unfaithful" +msgstr "Изменяю супругу" + +#: src/Content/ContactSelector.php:169 +msgid "Sex Addict" +msgstr "Люблю секс" + +#: src/Content/ContactSelector.php:169 src/Model/User.php:505 +msgid "Friends" +msgstr "Друзья" + +#: src/Content/ContactSelector.php:169 +msgid "Friends/Benefits" +msgstr "Друзья / Предпочтения" + +#: src/Content/ContactSelector.php:169 +msgid "Casual" +msgstr "Обычный" + +#: src/Content/ContactSelector.php:169 +msgid "Engaged" +msgstr "Занят" + +#: src/Content/ContactSelector.php:169 +msgid "Married" +msgstr "Женат / Замужем" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily married" +msgstr "Воображаемо женат (замужем)" + +#: src/Content/ContactSelector.php:169 +msgid "Partners" +msgstr "Партнеры" + +#: src/Content/ContactSelector.php:169 +msgid "Cohabiting" +msgstr "Партнерство" + +#: src/Content/ContactSelector.php:169 +msgid "Common law" +msgstr "" + +#: src/Content/ContactSelector.php:169 +msgid "Happy" +msgstr "Счастлив/а/" + +#: src/Content/ContactSelector.php:169 +msgid "Not looking" +msgstr "Не в поиске" + +#: src/Content/ContactSelector.php:169 +msgid "Swinger" +msgstr "Свинг" + +#: src/Content/ContactSelector.php:169 +msgid "Betrayed" +msgstr "Преданный" + +#: src/Content/ContactSelector.php:169 +msgid "Separated" +msgstr "Разделенный" + +#: src/Content/ContactSelector.php:169 +msgid "Unstable" +msgstr "Нестабильный" + +#: src/Content/ContactSelector.php:169 +msgid "Divorced" +msgstr "Разведен(а)" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily divorced" +msgstr "Воображаемо разведен(а)" + +#: src/Content/ContactSelector.php:169 +msgid "Widowed" +msgstr "Овдовевший" + +#: src/Content/ContactSelector.php:169 +msgid "Uncertain" +msgstr "Неопределенный" + +#: src/Content/ContactSelector.php:169 +msgid "It's complicated" +msgstr "влишком сложно" + +#: src/Content/ContactSelector.php:169 +msgid "Don't care" +msgstr "Не беспокоить" + +#: src/Content/ContactSelector.php:169 +msgid "Ask me" +msgstr "Спросите меня" + +#: src/Database/DBStructure.php:32 +msgid "There are no tables on MyISAM." +msgstr "" + +#: src/Database/DBStructure.php:75 +#, php-format +msgid "" +"\n" +"\t\t\t\tThe friendica developers released update %s recently,\n" +"\t\t\t\tbut when I tried to install it, something went terribly wrong.\n" +"\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" +"\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." +msgstr "" + +#: src/Database/DBStructure.php:80 +#, php-format +msgid "" +"The error message is\n" +"[pre]%s[/pre]" +msgstr "Сообщение об ошибке:\n[pre]%s[/pre]" + +#: src/Database/DBStructure.php:191 +#, php-format +msgid "" +"\n" +"Error %d occurred during database update:\n" +"%s\n" +msgstr "" + +#: src/Database/DBStructure.php:194 +msgid "Errors encountered performing database changes: " +msgstr "" + +#: src/Database/DBStructure.php:210 +msgid ": Database update" +msgstr "" + +#: src/Database/DBStructure.php:460 +#, php-format +msgid "%s: updating %s table." +msgstr "" + +#: src/Model/Mail.php:40 src/Model/Mail.php:174 +msgid "[no subject]" +msgstr "[без темы]" + +#: src/Model/Profile.php:97 +msgid "Requested account is not available." +msgstr "Запрашиваемый профиль недоступен." + +#: src/Model/Profile.php:168 src/Model/Profile.php:399 +#: src/Model/Profile.php:859 +msgid "Edit profile" +msgstr "Редактировать профиль" + +#: src/Model/Profile.php:336 +msgid "Atom feed" +msgstr "Фид Atom" + +#: src/Model/Profile.php:372 +msgid "Manage/edit profiles" +msgstr "Управление / редактирование профилей" + +#: src/Model/Profile.php:548 src/Model/Profile.php:641 +msgid "g A l F d" +msgstr "g A l F d" + +#: src/Model/Profile.php:549 +msgid "F d" +msgstr "F d" + +#: src/Model/Profile.php:606 src/Model/Profile.php:703 +msgid "[today]" +msgstr "[сегодня]" + +#: src/Model/Profile.php:617 +msgid "Birthday Reminders" +msgstr "Напоминания о днях рождения" + +#: src/Model/Profile.php:618 +msgid "Birthdays this week:" +msgstr "Дни рождения на этой неделе:" + +#: src/Model/Profile.php:690 +msgid "[No description]" +msgstr "[без описания]" + +#: src/Model/Profile.php:717 +msgid "Event Reminders" +msgstr "Напоминания о мероприятиях" + +#: src/Model/Profile.php:718 +msgid "Events this week:" +msgstr "Мероприятия на этой неделе:" + +#: src/Model/Profile.php:741 +msgid "Member since:" +msgstr "" + +#: src/Model/Profile.php:749 +msgid "j F, Y" +msgstr "j F, Y" + +#: src/Model/Profile.php:750 +msgid "j F" +msgstr "j F" + +#: src/Model/Profile.php:765 +msgid "Age:" +msgstr "Возраст:" + +#: src/Model/Profile.php:778 +#, php-format +msgid "for %1$d %2$s" +msgstr "для %1$d %2$s" + +#: src/Model/Profile.php:802 +msgid "Religion:" +msgstr "Религия:" + +#: src/Model/Profile.php:810 +msgid "Hobbies/Interests:" +msgstr "Хобби / Интересы:" + +#: src/Model/Profile.php:822 +msgid "Contact information and Social Networks:" +msgstr "Информация о контакте и социальных сетях:" + +#: src/Model/Profile.php:826 +msgid "Musical interests:" +msgstr "Музыкальные интересы:" + +#: src/Model/Profile.php:830 +msgid "Books, literature:" +msgstr "Книги, литература:" + +#: src/Model/Profile.php:834 +msgid "Television:" +msgstr "Телевидение:" + +#: src/Model/Profile.php:838 +msgid "Film/dance/culture/entertainment:" +msgstr "Кино / Танцы / Культура / Развлечения:" + +#: src/Model/Profile.php:842 +msgid "Love/Romance:" +msgstr "Любовь / Романтика:" + +#: src/Model/Profile.php:846 +msgid "Work/employment:" +msgstr "Работа / Занятость:" + +#: src/Model/Profile.php:850 +msgid "School/education:" +msgstr "Школа / Образование:" + +#: src/Model/Profile.php:855 +msgid "Forums:" +msgstr "Форумы:" + +#: src/Model/Profile.php:949 +msgid "Only You Can See This" +msgstr "Только вы можете это видеть" + +#: src/Model/Item.php:1676 +#, php-format +msgid "%1$s is attending %2$s's %3$s" +msgstr "" + +#: src/Model/Item.php:1681 +#, php-format +msgid "%1$s is not attending %2$s's %3$s" +msgstr "" + +#: src/Model/Item.php:1686 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "" + +#: src/Model/Group.php:44 +msgid "" +"A deleted group with this name was revived. Existing item permissions " +"may apply to this group and any future members. If this is " +"not what you intended, please create another group with a different name." +msgstr "Удаленная группа с таким названием была восстановлена. Существующие права доступа могут применяться к этой группе и любым будущим участникам. Если это не то, что вы хотели, пожалуйста, создайте еще ​​одну группу с другим названием." + +#: src/Model/Group.php:328 +msgid "Default privacy group for new contacts" +msgstr "Группа доступа по умолчанию для новых контактов" + +#: src/Model/Group.php:361 +msgid "Everybody" +msgstr "Каждый" + +#: src/Model/Group.php:381 +msgid "edit" +msgstr "редактировать" + +#: src/Model/Group.php:405 +msgid "Edit group" +msgstr "Редактировать группу" + +#: src/Model/Group.php:406 +msgid "Contacts not in any group" +msgstr "Контакты не состоят в группе" + +#: src/Model/Group.php:407 +msgid "Create a new group" +msgstr "Создать новую группу" + +#: src/Model/Group.php:409 +msgid "Edit groups" +msgstr "Редактировать группы" + +#: src/Model/Contact.php:645 +msgid "Drop Contact" +msgstr "Удалить контакт" + +#: src/Model/Contact.php:1048 +msgid "Organisation" +msgstr "Организация" + +#: src/Model/Contact.php:1051 +msgid "News" +msgstr "Новости" + +#: src/Model/Contact.php:1054 +msgid "Forum" +msgstr "Форум" + +#: src/Model/Contact.php:1233 +msgid "Connect URL missing." +msgstr "Connect-URL отсутствует." + +#: src/Model/Contact.php:1242 +msgid "" +"The contact could not be added. Please check the relevant network " +"credentials in your Settings -> Social Networks page." +msgstr "" + +#: src/Model/Contact.php:1289 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "Данный сайт не настроен так, чтобы держать связь с другими сетями." + +#: src/Model/Contact.php:1290 src/Model/Contact.php:1304 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Обнаружены несовместимые протоколы связи или каналы." + +#: src/Model/Contact.php:1302 +msgid "The profile address specified does not provide adequate information." +msgstr "Указанный адрес профиля не дает адекватной информации." + +#: src/Model/Contact.php:1307 +msgid "An author or name was not found." +msgstr "Автор или имя не найдены." + +#: src/Model/Contact.php:1310 +msgid "No browser URL could be matched to this address." +msgstr "Нет URL браузера, который соответствует этому адресу." + +#: src/Model/Contact.php:1313 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "" + +#: src/Model/Contact.php:1314 +msgid "Use mailto: in front of address to force email check." +msgstr "Bcgjkmpeqnt mailto: перед адресом для быстрого доступа к email." + +#: src/Model/Contact.php:1320 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "Указанный адрес профиля принадлежит сети, недоступной на этом сайта." + +#: src/Model/Contact.php:1325 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Ограниченный профиль. Этот человек не сможет получить прямые / личные уведомления от вас." + +#: src/Model/Contact.php:1376 +msgid "Unable to retrieve contact information." +msgstr "Невозможно получить контактную информацию." + +#: src/Model/Contact.php:1588 +#, php-format +msgid "%s's birthday" +msgstr "день рождения %s" + +#: src/Model/Contact.php:1589 src/Protocol/DFRN.php:1478 +#, php-format +msgid "Happy Birthday %s" +msgstr "С днём рождения %s" + +#: src/Model/Event.php:53 src/Model/Event.php:70 src/Model/Event.php:419 +#: src/Model/Event.php:882 +msgid "Starts:" +msgstr "Начало:" + +#: src/Model/Event.php:56 src/Model/Event.php:76 src/Model/Event.php:420 +#: src/Model/Event.php:886 +msgid "Finishes:" +msgstr "Окончание:" + +#: src/Model/Event.php:368 +msgid "all-day" +msgstr "" + +#: src/Model/Event.php:391 +msgid "Jun" +msgstr "Июн" + +#: src/Model/Event.php:394 +msgid "Sept" +msgstr "Сен" + +#: src/Model/Event.php:417 +msgid "No events to display" +msgstr "Нет событий для показа" + +#: src/Model/Event.php:543 +msgid "l, F j" +msgstr "l, j F" + +#: src/Model/Event.php:566 +msgid "Edit event" +msgstr "Редактировать мероприятие" + +#: src/Model/Event.php:567 +msgid "Duplicate event" +msgstr "" + +#: src/Model/Event.php:568 +msgid "Delete event" +msgstr "" + +#: src/Model/Event.php:815 +msgid "D g:i A" +msgstr "" + +#: src/Model/Event.php:816 +msgid "g:i A" +msgstr "" + +#: src/Model/Event.php:901 src/Model/Event.php:903 +msgid "Show map" +msgstr "" + +#: src/Model/Event.php:902 +msgid "Hide map" +msgstr "" + +#: src/Model/User.php:144 +msgid "Login failed" +msgstr "" + +#: src/Model/User.php:175 +msgid "Not enough information to authenticate" +msgstr "" + +#: src/Model/User.php:332 +msgid "An invitation is required." +msgstr "Требуется приглашение." + +#: src/Model/User.php:336 +msgid "Invitation could not be verified." +msgstr "Приглашение не может быть проверено." + +#: src/Model/User.php:343 +msgid "Invalid OpenID url" +msgstr "Неверный URL OpenID" + +#: src/Model/User.php:356 src/Module/Login.php:100 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Мы столкнулись с проблемой при входе с OpenID, который вы указали. Пожалуйста, проверьте правильность написания ID." + +#: src/Model/User.php:356 src/Module/Login.php:100 +msgid "The error message was:" +msgstr "Сообщение об ошибке было:" + +#: src/Model/User.php:362 +msgid "Please enter the required information." +msgstr "Пожалуйста, введите необходимую информацию." + +#: src/Model/User.php:375 +msgid "Please use a shorter name." +msgstr "Пожалуйста, используйте более короткое имя." + +#: src/Model/User.php:378 +msgid "Name too short." +msgstr "Имя слишком короткое." + +#: src/Model/User.php:386 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Кажется, что это ваше неполное (Имя Фамилия) имя." + +#: src/Model/User.php:391 +msgid "Your email domain is not among those allowed on this site." +msgstr "Домен вашего адреса электронной почты не относится к числу разрешенных на этом сайте." + +#: src/Model/User.php:395 +msgid "Not a valid email address." +msgstr "Неверный адрес электронной почты." + +#: src/Model/User.php:399 src/Model/User.php:407 +msgid "Cannot use that email." +msgstr "Нельзя использовать этот Email." + +#: src/Model/User.php:414 +msgid "Your nickname can only contain a-z, 0-9 and _." +msgstr "" + +#: src/Model/User.php:421 src/Model/User.php:477 +msgid "Nickname is already registered. Please choose another." +msgstr "Такой ник уже зарегистрирован. Пожалуйста, выберите другой." + +#: src/Model/User.php:431 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "СЕРЬЕЗНАЯ ОШИБКА: генерация ключей безопасности не удалась." + +#: src/Model/User.php:464 src/Model/User.php:468 +msgid "An error occurred during registration. Please try again." +msgstr "Ошибка при регистрации. Пожалуйста, попробуйте еще раз." + +#: src/Model/User.php:488 view/theme/duepuntozero/config.php:54 +msgid "default" +msgstr "значение по умолчанию" + +#: src/Model/User.php:493 +msgid "An error occurred creating your default profile. Please try again." +msgstr "Ошибка создания вашего профиля. Пожалуйста, попробуйте еще раз." + +#: src/Model/User.php:500 +msgid "An error occurred creating your self contact. Please try again." +msgstr "" + +#: src/Model/User.php:509 +msgid "" +"An error occurred creating your default contact group. Please try again." +msgstr "" + +#: src/Model/User.php:583 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" +"\t\t" +msgstr "" + +#: src/Model/User.php:593 +#, php-format +msgid "Registration at %s" +msgstr "" + +#: src/Model/User.php:611 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t\t" +msgstr "" + +#: src/Model/User.php:615 +#, php-format +msgid "" +"\n" +"\t\t\tThe login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\t\tin.\n" +"\n" +"\t\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\t\tthan that.\n" +"\n" +"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\t\tIf you are new and do not know anybody here, they may help\n" +"\t\t\tyou to make some new and interesting friends.\n" +"\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" +"\n" +"\t\t\tThank you and welcome to %2$s." +msgstr "" + +#: src/Protocol/OStatus.php:1799 +#, php-format +msgid "%s is now following %s." +msgstr "%s теперь подписан на %s." + +#: src/Protocol/OStatus.php:1800 +msgid "following" +msgstr "следует" + +#: src/Protocol/OStatus.php:1803 +#, php-format +msgid "%s stopped following %s." +msgstr "%s отписался от %s." + +#: src/Protocol/OStatus.php:1804 +msgid "stopped following" +msgstr "остановлено следование" + +#: src/Protocol/DFRN.php:1477 +#, php-format +msgid "%s\\'s birthday" +msgstr "День рождения %s" + +#: src/Protocol/Diaspora.php:2651 +msgid "Sharing notification from Diaspora network" +msgstr "Уведомление о шаре из сети Diaspora" + +#: src/Protocol/Diaspora.php:3738 +msgid "Attachments:" +msgstr "Вложения:" + +#: src/Worker/Delivery.php:392 +msgid "(no subject)" +msgstr "(без темы)" + +#: src/Object/Post.php:128 +msgid "This entry was edited" +msgstr "Эта запись была отредактирована" + +#: src/Object/Post.php:182 +msgid "save to folder" +msgstr "сохранить в папке" + +#: src/Object/Post.php:235 +msgid "I will attend" +msgstr "" + +#: src/Object/Post.php:235 +msgid "I will not attend" +msgstr "" + +#: src/Object/Post.php:235 +msgid "I might attend" +msgstr "" + +#: src/Object/Post.php:263 +msgid "add star" +msgstr "пометить" + +#: src/Object/Post.php:264 +msgid "remove star" +msgstr "убрать метку" + +#: src/Object/Post.php:265 +msgid "toggle star status" +msgstr "переключить статус" + +#: src/Object/Post.php:268 +msgid "starred" +msgstr "помечено" + +#: src/Object/Post.php:274 +msgid "ignore thread" +msgstr "игнорировать тему" + +#: src/Object/Post.php:275 +msgid "unignore thread" +msgstr "не игнорировать тему" + +#: src/Object/Post.php:276 +msgid "toggle ignore status" +msgstr "изменить статус игнорирования" + +#: src/Object/Post.php:285 +msgid "add tag" +msgstr "добавить ключевое слово (тег)" + +#: src/Object/Post.php:296 +msgid "like" +msgstr "нравится" + +#: src/Object/Post.php:297 +msgid "dislike" +msgstr "не нравится" + +#: src/Object/Post.php:300 +msgid "Share this" +msgstr "Поделитесь этим" + +#: src/Object/Post.php:300 +msgid "share" +msgstr "поделиться" + +#: src/Object/Post.php:365 +msgid "to" +msgstr "к" + +#: src/Object/Post.php:366 msgid "via" msgstr "через" -#: view/theme/duepuntozero/config.php:44 -msgid "greenzero" -msgstr "greenzero" +#: src/Object/Post.php:367 +msgid "Wall-to-Wall" +msgstr "Стена-на-Стену" -#: view/theme/duepuntozero/config.php:45 -msgid "purplezero" -msgstr "purplezero" +#: src/Object/Post.php:368 +msgid "via Wall-To-Wall:" +msgstr "через Стена-на-Стену:" -#: view/theme/duepuntozero/config.php:46 -msgid "easterbunny" -msgstr "easterbunny" - -#: view/theme/duepuntozero/config.php:47 -msgid "darkzero" -msgstr "darkzero" - -#: view/theme/duepuntozero/config.php:48 -msgid "comix" -msgstr "comix" - -#: view/theme/duepuntozero/config.php:49 -msgid "slackr" -msgstr "slackr" - -#: view/theme/duepuntozero/config.php:64 -msgid "Variations" -msgstr "Вариации" - -#: view/theme/frio/config.php:47 -msgid "Default" -msgstr "По умолчанию" - -#: view/theme/frio/config.php:59 -msgid "Note: " -msgstr "Внимание:" - -#: view/theme/frio/config.php:59 -msgid "Check image permissions if all users are allowed to visit the image" -msgstr "Проверьте права на изображение, все пользователи должны иметь к нему доступ" - -#: view/theme/frio/config.php:67 -msgid "Select scheme" -msgstr "Выбрать схему" - -#: view/theme/frio/config.php:68 -msgid "Navigation bar background color" -msgstr "Цвет фона навигационной панели" - -#: view/theme/frio/config.php:69 -msgid "Navigation bar icon color " -msgstr "Цвет иконок в навигационной панели" - -#: view/theme/frio/config.php:70 -msgid "Link color" -msgstr "Цвет ссылок" - -#: view/theme/frio/config.php:71 -msgid "Set the background color" -msgstr "Установить цвет фона" - -#: view/theme/frio/config.php:72 -msgid "Content background transparency" -msgstr "Прозрачность фона контента" - -#: view/theme/frio/config.php:73 -msgid "Set the background image" -msgstr "Установить фоновую картинку" - -#: view/theme/frio/php/Image.php:23 -msgid "Repeat the image" -msgstr "Повторить изображение" - -#: view/theme/frio/php/Image.php:23 -msgid "Will repeat your image to fill the background." -msgstr "Повторит изображение для заполнения фона" - -#: view/theme/frio/php/Image.php:25 -msgid "Stretch" -msgstr "Растянуть" - -#: view/theme/frio/php/Image.php:25 -msgid "Will stretch to width/height of the image." -msgstr "Растянет до ширины/высоты изображения" - -#: view/theme/frio/php/Image.php:27 -msgid "Resize fill and-clip" -msgstr "Отресайзить, чтобы заполнилось и обрезать" - -#: view/theme/frio/php/Image.php:27 -msgid "Resize to fill and retain aspect ratio." -msgstr "Отресайзить, чтобы заполнить и сохранить пропорции" - -#: view/theme/frio/php/Image.php:29 -msgid "Resize best fit" -msgstr "Отресайзить, чтобы вместилось" - -#: view/theme/frio/php/Image.php:29 -msgid "Resize to best fit and retain aspect ratio." -msgstr "Отресайзить, чтобы вместилось и сохранить пропорции" - -#: view/theme/frio/theme.php:226 -msgid "Guest" -msgstr "Гость" - -#: view/theme/frio/theme.php:232 -msgid "Visitor" -msgstr "Посетитель" - -#: view/theme/quattro/config.php:70 -msgid "Alignment" -msgstr "Выравнивание" - -#: view/theme/quattro/config.php:70 -msgid "Left" -msgstr "Слева" - -#: view/theme/quattro/config.php:70 -msgid "Center" -msgstr "Центр" - -#: view/theme/quattro/config.php:71 -msgid "Color scheme" -msgstr "Цветовая схема" - -#: view/theme/quattro/config.php:72 -msgid "Posts font size" -msgstr "Размер шрифта постов" - -#: view/theme/quattro/config.php:73 -msgid "Textareas font size" -msgstr "Размер шрифта текстовых полей" - -#: view/theme/vier/config.php:69 -msgid "Comma separated list of helper forums" -msgstr "Разделенный запятыми список форумов помощи" - -#: view/theme/vier/config.php:115 -msgid "Set style" -msgstr "Установить стиль" - -#: view/theme/vier/config.php:116 -msgid "Community Pages" -msgstr "Страницы сообщества" - -#: view/theme/vier/config.php:117 view/theme/vier/theme.php:149 -msgid "Community Profiles" -msgstr "Профили сообщества" - -#: view/theme/vier/config.php:118 -msgid "Help or @NewHere ?" -msgstr "Помощь" - -#: view/theme/vier/config.php:119 view/theme/vier/theme.php:390 -msgid "Connect Services" -msgstr "Подключить службы" - -#: view/theme/vier/config.php:120 view/theme/vier/theme.php:197 -msgid "Find Friends" -msgstr "Найти друзей" - -#: view/theme/vier/config.php:121 view/theme/vier/theme.php:179 -msgid "Last users" -msgstr "Последние пользователи" - -#: view/theme/vier/theme.php:198 -msgid "Local Directory" -msgstr "Локальный каталог" - -#: view/theme/vier/theme.php:290 -msgid "Quick Start" -msgstr "Быстрый запуск" - -#: index.php:433 -msgid "toggle mobile" -msgstr "мобильная версия" - -#: boot.php:999 -msgid "Delete this item?" -msgstr "Удалить этот элемент?" - -#: boot.php:1001 -msgid "show fewer" -msgstr "показать меньше" - -#: boot.php:1729 +#: src/Object/Post.php:427 #, php-format -msgid "Update %s failed. See error logs." -msgstr "Обновление %s не удалось. Смотрите журнал ошибок." +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d комментарий" +msgstr[1] "%d комментариев" +msgstr[2] "%d комментариев" +msgstr[3] "%d комментариев" -#: boot.php:1843 +#: src/Object/Post.php:797 +msgid "Bold" +msgstr "Жирный" + +#: src/Object/Post.php:798 +msgid "Italic" +msgstr "Kурсивный" + +#: src/Object/Post.php:799 +msgid "Underline" +msgstr "Подчеркнутый" + +#: src/Object/Post.php:800 +msgid "Quote" +msgstr "Цитата" + +#: src/Object/Post.php:801 +msgid "Code" +msgstr "Код" + +#: src/Object/Post.php:802 +msgid "Image" +msgstr "Изображение / Фото" + +#: src/Object/Post.php:803 +msgid "Link" +msgstr "Ссылка" + +#: src/Object/Post.php:804 +msgid "Video" +msgstr "Видео" + +#: src/Module/Login.php:282 msgid "Create a New Account" msgstr "Создать новый аккаунт" -#: boot.php:1871 +#: src/Module/Login.php:315 msgid "Password: " msgstr "Пароль: " -#: boot.php:1872 +#: src/Module/Login.php:316 msgid "Remember me" msgstr "Запомнить" -#: boot.php:1875 +#: src/Module/Login.php:319 msgid "Or login using OpenID: " msgstr "Или зайти с OpenID: " -#: boot.php:1881 +#: src/Module/Login.php:325 msgid "Forgot your password?" msgstr "Забыли пароль?" -#: boot.php:1884 +#: src/Module/Login.php:328 msgid "Website Terms of Service" msgstr "Правила сайта" -#: boot.php:1885 +#: src/Module/Login.php:329 msgid "terms of service" msgstr "правила" -#: boot.php:1887 +#: src/Module/Login.php:331 msgid "Website Privacy Policy" msgstr "Политика конфиденциальности сервера" -#: boot.php:1888 +#: src/Module/Login.php:332 msgid "privacy policy" msgstr "политика конфиденциальности" + +#: src/Module/Logout.php:28 +msgid "Logged out." +msgstr "Выход из системы." + +#: src/App.php:511 +msgid "Delete this item?" +msgstr "Удалить этот элемент?" + +#: src/App.php:513 +msgid "show fewer" +msgstr "показать меньше" + +#: view/theme/duepuntozero/config.php:55 +msgid "greenzero" +msgstr "greenzero" + +#: view/theme/duepuntozero/config.php:56 +msgid "purplezero" +msgstr "purplezero" + +#: view/theme/duepuntozero/config.php:57 +msgid "easterbunny" +msgstr "easterbunny" + +#: view/theme/duepuntozero/config.php:58 +msgid "darkzero" +msgstr "darkzero" + +#: view/theme/duepuntozero/config.php:59 +msgid "comix" +msgstr "comix" + +#: view/theme/duepuntozero/config.php:60 +msgid "slackr" +msgstr "slackr" + +#: view/theme/duepuntozero/config.php:74 +msgid "Variations" +msgstr "Вариации" + +#: view/theme/frio/php/Image.php:25 +msgid "Repeat the image" +msgstr "Повторить изображение" + +#: view/theme/frio/php/Image.php:25 +msgid "Will repeat your image to fill the background." +msgstr "Повторит изображение для заполнения фона" + +#: view/theme/frio/php/Image.php:27 +msgid "Stretch" +msgstr "Растянуть" + +#: view/theme/frio/php/Image.php:27 +msgid "Will stretch to width/height of the image." +msgstr "Растянет до ширины/высоты изображения" + +#: view/theme/frio/php/Image.php:29 +msgid "Resize fill and-clip" +msgstr "Отресайзить, чтобы заполнилось и обрезать" + +#: view/theme/frio/php/Image.php:29 +msgid "Resize to fill and retain aspect ratio." +msgstr "Отресайзить, чтобы заполнить и сохранить пропорции" + +#: view/theme/frio/php/Image.php:31 +msgid "Resize best fit" +msgstr "Отресайзить, чтобы вместилось" + +#: view/theme/frio/php/Image.php:31 +msgid "Resize to best fit and retain aspect ratio." +msgstr "Отресайзить, чтобы вместилось и сохранить пропорции" + +#: view/theme/frio/config.php:97 +msgid "Default" +msgstr "По умолчанию" + +#: view/theme/frio/config.php:109 +msgid "Note" +msgstr "" + +#: view/theme/frio/config.php:109 +msgid "Check image permissions if all users are allowed to visit the image" +msgstr "Проверьте права на изображение, все пользователи должны иметь к нему доступ" + +#: view/theme/frio/config.php:116 +msgid "Select scheme" +msgstr "Выбрать схему" + +#: view/theme/frio/config.php:117 +msgid "Navigation bar background color" +msgstr "Цвет фона навигационной панели" + +#: view/theme/frio/config.php:118 +msgid "Navigation bar icon color " +msgstr "Цвет иконок в навигационной панели" + +#: view/theme/frio/config.php:119 +msgid "Link color" +msgstr "Цвет ссылок" + +#: view/theme/frio/config.php:120 +msgid "Set the background color" +msgstr "Установить цвет фона" + +#: view/theme/frio/config.php:121 +msgid "Content background opacity" +msgstr "" + +#: view/theme/frio/config.php:122 +msgid "Set the background image" +msgstr "Установить фоновую картинку" + +#: view/theme/frio/config.php:127 +msgid "Login page background image" +msgstr "" + +#: view/theme/frio/config.php:130 +msgid "Login page background color" +msgstr "" + +#: view/theme/frio/config.php:130 +msgid "Leave background image and color empty for theme defaults" +msgstr "" + +#: view/theme/frio/theme.php:238 +msgid "Guest" +msgstr "Гость" + +#: view/theme/frio/theme.php:243 +msgid "Visitor" +msgstr "Посетитель" + +#: view/theme/quattro/config.php:76 +msgid "Alignment" +msgstr "Выравнивание" + +#: view/theme/quattro/config.php:76 +msgid "Left" +msgstr "Слева" + +#: view/theme/quattro/config.php:76 +msgid "Center" +msgstr "Центр" + +#: view/theme/quattro/config.php:77 +msgid "Color scheme" +msgstr "Цветовая схема" + +#: view/theme/quattro/config.php:78 +msgid "Posts font size" +msgstr "Размер шрифта постов" + +#: view/theme/quattro/config.php:79 +msgid "Textareas font size" +msgstr "Размер шрифта текстовых полей" + +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "Разделенный запятыми список форумов помощи" + +#: view/theme/vier/config.php:122 +msgid "Set style" +msgstr "Установить стиль" + +#: view/theme/vier/config.php:123 +msgid "Community Pages" +msgstr "Страницы сообщества" + +#: view/theme/vier/config.php:124 view/theme/vier/theme.php:150 +msgid "Community Profiles" +msgstr "Профили сообщества" + +#: view/theme/vier/config.php:125 +msgid "Help or @NewHere ?" +msgstr "Помощь" + +#: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 +msgid "Connect Services" +msgstr "Подключить службы" + +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 +msgid "Find Friends" +msgstr "Найти друзей" + +#: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 +msgid "Last users" +msgstr "Последние пользователи" + +#: view/theme/vier/theme.php:200 +msgid "Local Directory" +msgstr "Локальный каталог" + +#: view/theme/vier/theme.php:292 +msgid "Quick Start" +msgstr "Быстрый запуск" + +#: index.php:444 +msgid "toggle mobile" +msgstr "мобильная версия" + +#: boot.php:791 +#, php-format +msgid "Update %s failed. See error logs." +msgstr "Обновление %s не удалось. Смотрите журнал ошибок." diff --git a/view/lang/ru/strings.php b/view/lang/ru/strings.php index 9a4951673..27aa61a1a 100644 --- a/view/lang/ru/strings.php +++ b/view/lang/ru/strings.php @@ -5,12 +5,1762 @@ function string_plural_select_ru($n){ return ($n%10==1 && $n%100!=11 ? 0 : $n%10>=2 && $n%10<=4 && ($n%100<12 || $n%100>14) ? 1 : $n%10==0 || ($n%10>=5 && $n%10<=9) || ($n%100>=11 && $n%100<=14)? 2 : 3);; }} ; -$a->strings["Forums"] = "Форумы"; -$a->strings["External link to forum"] = "Внешняя ссылка на форум"; +$a->strings["Welcome "] = "Добро пожаловать, "; +$a->strings["Please upload a profile photo."] = "Пожалуйста, загрузите фотографию профиля."; +$a->strings["Welcome back "] = "Добро пожаловать обратно, "; +$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Ключ формы безопасности неправильный. Вероятно, это произошло потому, что форма была открыта слишком долго (более 3 часов) до её отправки."; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Не могу найти информацию для DNS-сервера базы данных '%s'"; +$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ + 0 => "Дневной лимит в %d пост достигнут. Пост отклонен.", + 1 => "Дневной лимит в %d поста достигнут. Пост отклонен.", + 2 => "Дневной лимит в %d постов достигнут. Пост отклонен.", + 3 => "Дневной лимит в %d постов достигнут. Пост отклонен.", +]; +$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = ""; +$a->strings["Profile Photos"] = "Фотографии профиля"; +$a->strings["Friendica Notification"] = "Уведомления Friendica"; +$a->strings["Thank You,"] = "Спасибо,"; +$a->strings["%s Administrator"] = "%s администратор"; +$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, администратор %2\$s"; +$a->strings["noreply"] = "без ответа"; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica: Оповещение] Новое сообщение, пришедшее на %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s отправил вам новое личное сообщение на %2\$s."; +$a->strings["a private message"] = "личное сообщение"; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s послал вам %2\$s."; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Пожалуйста, посетите %s для просмотра и/или ответа на личные сообщения."; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s прокомментировал [url=%2\$s]a %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s прокомментировал [url=%2\$s]%3\$s's %4\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s прокомментировал [url=%2\$s]your %3\$s[/url]"; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notify] Комментарий к #%1\$d от %2\$s"; +$a->strings["%s commented on an item/conversation you have been following."] = "%s оставил комментарий к элементу/беседе, за которой вы следите."; +$a->strings["Please visit %s to view and/or reply to the conversation."] = "Пожалуйста посетите %s для просмотра и/или ответа в беседу."; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Оповещение] %s написал на стене вашего профиля"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s написал на вашей стене на %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s написал на [url=%2\$s]вашей стене[/url]"; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notify] %s отметил вас"; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s отметил вас в %2\$s"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]отметил вас[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notify] %s поделился новым постом"; +$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s поделился новым постом на %2\$s"; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]поделился постом[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s потыкал вас"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s потыкал вас на %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]потыкал вас[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notify] %s поставил тег вашему посту"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s поставил тег вашему посту на %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s поставил тег [url=%2\$s]вашему посту[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Сообщение] получен запрос"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Вы получили запрос от '%1\$s' на %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Вы получили [url=%1\$s]запрос[/url] от %2\$s."; +$a->strings["You may visit their profile at %s"] = "Вы можете посмотреть его профиль здесь %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Посетите %s для подтверждения или отказа запроса."; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Notify] Новый человек делится с вами"; +$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s делится с вами на %2\$s"; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notify] У вас новый подписчик"; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "У вас новый подписчик на %2\$s : %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica: Оповещение] получено предложение дружбы"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Вы получили предложение дружбы от '%1\$s' на %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "У вас [url=%1\$s]новое предложение дружбы[/url] для %2\$s от %3\$s."; +$a->strings["Name:"] = "Имя:"; +$a->strings["Photo:"] = "Фото:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Пожалуйста, посетите %s для подтверждения, или отказа запроса."; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Notify] Соединение принято"; +$a->strings["'%1\$s' has accepted your connection request at %2\$s"] = "'%1\$s' принял соединение с вами на %2\$s"; +$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s принял ваше [url=%1\$s]предложение о соединении[/url]."; +$a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = "Вы теперь взаимные друзья и можете обмениваться статусами, фотографиями и письмами без ограничений."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Посетите %s если вы хотите сделать изменения в этом отношении."; +$a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = ""; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = ""; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Посетите %s если вы хотите сделать изменения в этом отношении."; +$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Notify] Запрос на регистрацию"; +$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Вы получили запрос на регистрацию от '%1\$s' на %2\$s"; +$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Вы получили [url=%1\$s]запрос регистрации[/url] от %2\$s."; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = ""; +$a->strings["Please visit %s to approve or reject the request."] = "Пожалуйста, посетите %s чтобы подтвердить или отвергнуть запрос."; +$a->strings["Item not found."] = "Пункт не найден."; +$a->strings["Do you really want to delete this item?"] = "Вы действительно хотите удалить этот элемент?"; +$a->strings["Yes"] = "Да"; +$a->strings["Cancel"] = "Отмена"; +$a->strings["Permission denied."] = "Нет разрешения."; +$a->strings["Archives"] = "Архивы"; $a->strings["show more"] = "показать больше"; -$a->strings["System"] = "Система"; -$a->strings["Network"] = "Новости"; +$a->strings["event"] = "мероприятие"; +$a->strings["status"] = "статус"; +$a->strings["photo"] = "фото"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s нравится %3\$s от %2\$s "; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s не нравится %3\$s от %2\$s "; +$a->strings["%1\$s attends %2\$s's %3\$s"] = "%1\$s уделил внимание %2\$s's %3\$s"; +$a->strings["%1\$s doesn't attend %2\$s's %3\$s"] = ""; +$a->strings["%1\$s attends maybe %2\$s's %3\$s"] = ""; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s и %2\$s теперь друзья"; +$a->strings["%1\$s poked %2\$s"] = ""; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s tagged %2\$s's %3\$s в %4\$s"; +$a->strings["post/item"] = "пост/элемент"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s пометил %2\$s %3\$s как Фаворит"; +$a->strings["Likes"] = "Лайки"; +$a->strings["Dislikes"] = "Не нравится"; +$a->strings["Attending"] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["Not attending"] = ""; +$a->strings["Might attend"] = ""; +$a->strings["Select"] = "Выберите"; +$a->strings["Delete"] = "Удалить"; +$a->strings["View %s's profile @ %s"] = "Просмотреть профиль %s [@ %s]"; +$a->strings["Categories:"] = "Категории:"; +$a->strings["Filed under:"] = "В рубрике:"; +$a->strings["%s from %s"] = "%s с %s"; +$a->strings["View in context"] = "Смотреть в контексте"; +$a->strings["Please wait"] = "Пожалуйста, подождите"; +$a->strings["remove"] = "удалить"; +$a->strings["Delete Selected Items"] = "Удалить выбранные позиции"; +$a->strings["Follow Thread"] = "Подписаться на тему"; +$a->strings["View Status"] = "Просмотреть статус"; +$a->strings["View Profile"] = "Просмотреть профиль"; +$a->strings["View Photos"] = "Просмотреть фото"; +$a->strings["Network Posts"] = "Посты сети"; +$a->strings["View Contact"] = "Просмотреть контакт"; +$a->strings["Send PM"] = "Отправить ЛС"; +$a->strings["Poke"] = "потыкать"; +$a->strings["Connect/Follow"] = "Подключиться/Следовать"; +$a->strings["%s likes this."] = "%s нравится это."; +$a->strings["%s doesn't like this."] = "%s не нравится это."; +$a->strings["%s attends."] = ""; +$a->strings["%s doesn't attend."] = ""; +$a->strings["%s attends maybe."] = ""; +$a->strings["and"] = "и"; +$a->strings["and %d other people"] = ""; +$a->strings["%2\$d people like this"] = "%2\$d людям нравится это"; +$a->strings["%s like this."] = "%s нравится это."; +$a->strings["%2\$d people don't like this"] = "%2\$d людям не нравится это"; +$a->strings["%s don't like this."] = "%s не нравится это"; +$a->strings["%2\$d people attend"] = ""; +$a->strings["%s attend."] = ""; +$a->strings["%2\$d people don't attend"] = ""; +$a->strings["%s don't attend."] = ""; +$a->strings["%2\$d people attend maybe"] = ""; +$a->strings["%s attend maybe."] = ""; +$a->strings["Visible to everybody"] = "Видимое всем"; +$a->strings["Please enter a link URL:"] = "Пожалуйста, введите URL ссылки:"; +$a->strings["Please enter a video link/URL:"] = "Введите ссылку на видео link/URL:"; +$a->strings["Please enter an audio link/URL:"] = "Введите ссылку на аудио link/URL:"; +$a->strings["Tag term:"] = "Тег:"; +$a->strings["Save to Folder:"] = "Сохранить в папку:"; +$a->strings["Where are you right now?"] = "И где вы сейчас?"; +$a->strings["Delete item(s)?"] = "Удалить елемент(ты)?"; +$a->strings["New Post"] = ""; +$a->strings["Share"] = "Поделиться"; +$a->strings["Upload photo"] = "Загрузить фото"; +$a->strings["upload photo"] = "загрузить фото"; +$a->strings["Attach file"] = "Прикрепить файл"; +$a->strings["attach file"] = "приложить файл"; +$a->strings["Insert web link"] = "Вставить веб-ссылку"; +$a->strings["web link"] = "веб-ссылка"; +$a->strings["Insert video link"] = "Вставить ссылку видео"; +$a->strings["video link"] = "видео-ссылка"; +$a->strings["Insert audio link"] = "Вставить ссылку аудио"; +$a->strings["audio link"] = "аудио-ссылка"; +$a->strings["Set your location"] = "Задать ваше местоположение"; +$a->strings["set location"] = "установить местонахождение"; +$a->strings["Clear browser location"] = "Очистить местонахождение браузера"; +$a->strings["clear location"] = "убрать местонахождение"; +$a->strings["Set title"] = "Установить заголовок"; +$a->strings["Categories (comma-separated list)"] = "Категории (список через запятую)"; +$a->strings["Permission settings"] = "Настройки разрешений"; +$a->strings["permissions"] = "разрешения"; +$a->strings["Public post"] = "Публичное сообщение"; +$a->strings["Preview"] = "Предварительный просмотр"; +$a->strings["Post to Groups"] = "Пост для групп"; +$a->strings["Post to Contacts"] = "Пост для контактов"; +$a->strings["Private post"] = "Личное сообщение"; +$a->strings["Message"] = "Сообщение"; +$a->strings["Browser"] = "Браузер"; +$a->strings["View all"] = "Посмотреть все"; +$a->strings["Like"] = [ + 0 => "Нравится", + 1 => "Нравится", + 2 => "Нравится", + 3 => "Нравится", +]; +$a->strings["Dislike"] = [ + 0 => "Не нравится", + 1 => "Не нравится", + 2 => "Не нравится", + 3 => "Не нравится", +]; +$a->strings["Not Attending"] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["Undecided"] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["newer"] = "новее"; +$a->strings["older"] = "старее"; +$a->strings["first"] = "первый"; +$a->strings["prev"] = "пред."; +$a->strings["next"] = "след."; +$a->strings["last"] = "последний"; +$a->strings["Loading more entries..."] = "Загружаю больше сообщений..."; +$a->strings["The end"] = "Конец"; +$a->strings["No contacts"] = "Нет контактов"; +$a->strings["%d Contact"] = [ + 0 => "%d контакт", + 1 => "%d контактов", + 2 => "%d контактов", + 3 => "%d контактов", +]; +$a->strings["View Contacts"] = "Просмотр контактов"; +$a->strings["Save"] = "Сохранить"; +$a->strings["Follow"] = ""; +$a->strings["Search"] = "Поиск"; +$a->strings["@name, !forum, #tags, content"] = "@имя, !форум, #тег, контент"; +$a->strings["Full Text"] = "Контент"; +$a->strings["Tags"] = "Тэги"; +$a->strings["Contacts"] = "Контакты"; +$a->strings["Forums"] = "Форумы"; +$a->strings["poke"] = "poke"; +$a->strings["poked"] = "ткнут"; +$a->strings["ping"] = "пинг"; +$a->strings["pinged"] = "пингуется"; +$a->strings["prod"] = "толкать"; +$a->strings["prodded"] = "толкнут"; +$a->strings["slap"] = "шлепнуть"; +$a->strings["slapped"] = "шлепнут"; +$a->strings["finger"] = ""; +$a->strings["fingered"] = ""; +$a->strings["rebuff"] = ""; +$a->strings["rebuffed"] = ""; +$a->strings["Monday"] = "Понедельник"; +$a->strings["Tuesday"] = "Вторник"; +$a->strings["Wednesday"] = "Среда"; +$a->strings["Thursday"] = "Четверг"; +$a->strings["Friday"] = "Пятница"; +$a->strings["Saturday"] = "Суббота"; +$a->strings["Sunday"] = "Воскресенье"; +$a->strings["January"] = "Январь"; +$a->strings["February"] = "Февраль"; +$a->strings["March"] = "Март"; +$a->strings["April"] = "Апрель"; +$a->strings["May"] = "Май"; +$a->strings["June"] = "Июнь"; +$a->strings["July"] = "Июль"; +$a->strings["August"] = "Август"; +$a->strings["September"] = "Сентябрь"; +$a->strings["October"] = "Октябрь"; +$a->strings["November"] = "Ноябрь"; +$a->strings["December"] = "Декабрь"; +$a->strings["Mon"] = "Пн"; +$a->strings["Tue"] = "Вт"; +$a->strings["Wed"] = "Ср"; +$a->strings["Thu"] = "Чт"; +$a->strings["Fri"] = "Пт"; +$a->strings["Sat"] = "Сб"; +$a->strings["Sun"] = "Вс"; +$a->strings["Jan"] = "Янв"; +$a->strings["Feb"] = "Фев"; +$a->strings["Mar"] = "Мрт"; +$a->strings["Apr"] = "Апр"; +$a->strings["Jul"] = "Июл"; +$a->strings["Aug"] = "Авг"; +$a->strings["Sep"] = ""; +$a->strings["Oct"] = "Окт"; +$a->strings["Nov"] = "Нбр"; +$a->strings["Dec"] = "Дек"; +$a->strings["Content warning: %s"] = ""; +$a->strings["View Video"] = "Просмотреть видео"; +$a->strings["bytes"] = "байт"; +$a->strings["Click to open/close"] = "Нажмите, чтобы открыть / закрыть"; +$a->strings["View on separate page"] = ""; +$a->strings["view on separate page"] = ""; +$a->strings["link to source"] = "ссылка на сообщение"; +$a->strings["activity"] = "активность"; +$a->strings["comment"] = [ + 0 => "", + 1 => "", + 2 => "комментарий", + 3 => "комментарий", +]; +$a->strings["post"] = "сообщение"; +$a->strings["Item filed"] = ""; +$a->strings["No friends to display."] = "Нет друзей."; +$a->strings["Connect"] = "Подключить"; +$a->strings["Authorize application connection"] = "Разрешить связь с приложением"; +$a->strings["Return to your app and insert this Securty Code:"] = "Вернитесь в ваше приложение и задайте этот код:"; +$a->strings["Please login to continue."] = "Пожалуйста, войдите для продолжения."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Вы действительно хотите разрешить этому приложению доступ к своим постам и контактам, а также создавать новые записи от вашего имени?"; +$a->strings["No"] = "Нет"; +$a->strings["You must be logged in to use addons. "] = "Вы должны войти в систему, чтобы использовать аддоны."; +$a->strings["Applications"] = "Приложения"; +$a->strings["No installed applications."] = "Нет установленных приложений."; +$a->strings["Item not available."] = "Пункт не доступен."; +$a->strings["Item was not found."] = "Пункт не был найден."; +$a->strings["No contacts in common."] = "Нет общих контактов."; +$a->strings["Common Friends"] = "Общие друзья"; +$a->strings["Credits"] = "Признательность"; +$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = "Friendica это проект сообщества, который был бы невозможен без помощи многих людей. Вот лист тех, кто писал код или помогал с переводом. Спасибо вам всем!"; +$a->strings["Contact settings applied."] = "Установки контакта приняты."; +$a->strings["Contact update failed."] = "Обновление контакта неудачное."; +$a->strings["Contact not found."] = "Контакт не найден."; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ВНИМАНИЕ: Это крайне важно! Если вы введете неверную информацию, ваша связь с этим контактом перестанет работать."; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Пожалуйста, нажмите клавишу вашего браузера 'Back' или 'Назад' сейчас, если вы не уверены, что делаете на этой странице."; +$a->strings["No mirroring"] = "Не зеркалировать"; +$a->strings["Mirror as forwarded posting"] = "Зеркалировать как переадресованные сообщения"; +$a->strings["Mirror as my own posting"] = "Зеркалировать как мои сообщения"; +$a->strings["Return to contact editor"] = "Возврат к редактору контакта"; +$a->strings["Refetch contact data"] = "Обновить данные контакта"; +$a->strings["Submit"] = "Добавить"; +$a->strings["Remote Self"] = "Remote Self"; +$a->strings["Mirror postings from this contact"] = "Зекралировать сообщения от этого контакта"; +$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Пометить этот контакт как remote_self, что заставит Friendica постить сообщения от этого контакта."; +$a->strings["Name"] = "Имя"; +$a->strings["Account Nickname"] = "Ник аккаунта"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - перезаписывает Имя/Ник"; +$a->strings["Account URL"] = "URL аккаунта"; +$a->strings["Friend Request URL"] = "URL запроса в друзья"; +$a->strings["Friend Confirm URL"] = "URL подтверждения друга"; +$a->strings["Notification Endpoint URL"] = "URL эндпоинта уведомления"; +$a->strings["Poll/Feed URL"] = "URL опроса/ленты"; +$a->strings["New photo from this URL"] = "Новое фото из этой URL"; +$a->strings["Photos"] = "Фото"; +$a->strings["Contact Photos"] = "Фотографии контакта"; +$a->strings["Upload"] = "Загрузить"; +$a->strings["Files"] = "Файлы"; +$a->strings["Not Found"] = "Не найдено"; +$a->strings["No profile"] = "Нет профиля"; +$a->strings["Help:"] = "Помощь:"; +$a->strings["Help"] = "Помощь"; +$a->strings["Page not found."] = "Страница не найдена."; +$a->strings["Welcome to %s"] = "Добро пожаловать на %s!"; +$a->strings["Remote privacy information not available."] = "Личная информация удаленно недоступна."; +$a->strings["Visible to:"] = "Кто может видеть:"; +$a->strings["System down for maintenance"] = "Система закрыта на техническое обслуживание"; +$a->strings["Welcome to Friendica"] = "Добро пожаловать в Friendica"; +$a->strings["New Member Checklist"] = "Новый контрольный список участников"; +$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = "Мы хотели бы предложить некоторые советы и ссылки, помогающие сделать вашу работу приятнее. Нажмите на любой элемент, чтобы посетить соответствующую страницу. Ссылка на эту страницу будет видна на вашей домашней странице в течение двух недель после первоначальной регистрации, а затем она исчезнет."; +$a->strings["Getting Started"] = "Начало работы"; +$a->strings["Friendica Walk-Through"] = "Friendica тур"; +$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = "На вашей странице Быстрый старт - можно найти краткое введение в ваш профиль и сетевые закладки, создать новые связи, и найти группы, чтобы присоединиться к ним."; +$a->strings["Settings"] = "Настройки"; +$a->strings["Go to Your Settings"] = "Перейти к вашим настройкам"; +$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = "На вашей странице Настройки - вы можете изменить свой первоначальный пароль. Также обратите внимание на ваш личный адрес. Он выглядит так же, как адрес электронной почты - и будет полезен для поиска друзей в свободной социальной сети."; +$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Просмотрите другие установки, в частности, параметры конфиденциальности. Неопубликованные пункты каталога с частными номерами телефона. В общем, вам, вероятно, следует опубликовать свою информацию - если все ваши друзья и потенциальные друзья точно знают, как вас найти."; +$a->strings["Profile"] = "Информация"; +$a->strings["Upload Profile Photo"] = "Загрузить фото профиля"; +$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Загрузите фотографию профиля, если вы еще не сделали это. Исследования показали, что люди с реальными фотографиями имеют в десять раз больше шансов подружиться, чем люди, которые этого не делают."; +$a->strings["Edit Your Profile"] = "Редактировать профиль"; +$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Отредактируйте профиль по умолчанию на свой ​​вкус. Просмотрите установки для сокрытия вашего списка друзей и сокрытия профиля от неизвестных посетителей."; +$a->strings["Profile Keywords"] = "Ключевые слова профиля"; +$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Установите некоторые публичные ключевые слова для вашего профиля по умолчанию, которые описывают ваши интересы. Мы можем быть в состоянии найти других людей со схожими интересами и предложить дружбу."; +$a->strings["Connecting"] = "Подключение"; +$a->strings["Importing Emails"] = "Импортирование Email-ов"; +$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = "Введите информацию о доступе к вашему email на странице настроек вашего коннектора, если вы хотите импортировать, и общаться с друзьями или получать рассылки на ваш ящик электронной почты"; +$a->strings["Go to Your Contacts Page"] = "Перейти на страницу ваших контактов"; +$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Ваша страница контактов - это ваш шлюз к управлению дружбой и общением с друзьями в других сетях. Обычно вы вводите свой ​​адрес или адрес сайта в диалог Добавить новый контакт."; +$a->strings["Go to Your Site's Directory"] = "Перейти в каталог вашего сайта"; +$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "На странице каталога вы можете найти других людей в этой сети или на других похожих сайтах. Ищите ссылки Подключить или Следовать на страницах их профилей. Укажите свой собственный адрес идентификации, если требуется."; +$a->strings["Finding New People"] = "Поиск людей"; +$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = "На боковой панели страницы Контакты есть несколько инструментов, чтобы найти новых друзей. Мы можем искать по соответствию интересам, посмотреть людей по имени или интересам, и внести предложения на основе сетевых отношений. На новом сайте, предложения дружбы, как правило, начинают заполняться в течение 24 часов."; +$a->strings["Groups"] = "Группы"; +$a->strings["Group Your Contacts"] = "Группа \"ваши контакты\""; +$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = "После того, как вы найдете несколько друзей, организуйте их в группы частных бесед в боковой панели на странице Контакты, а затем вы можете взаимодействовать с каждой группой приватно или на вашей странице Сеть."; +$a->strings["Why Aren't My Posts Public?"] = "Почему мои посты не публичные?"; +$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = "Friendica уважает вашу приватность. По умолчанию, ваши сообщения будут показываться только для людей, которых вы добавили в список друзей. Для получения дополнительной информации см. раздел справки по ссылке выше."; +$a->strings["Getting Help"] = "Получить помощь"; +$a->strings["Go to the Help Section"] = "Перейти в раздел справки"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Наши страницы помощи могут проконсультировать о подробностях и возможностях программы и ресурса."; +$a->strings["Visit %s's profile [%s]"] = "Посетить профиль %s [%s]"; +$a->strings["Edit contact"] = "Редактировать контакт"; +$a->strings["Contacts who are not members of a group"] = "Контакты, которые не являются членами группы"; +$a->strings["Not Extended"] = "Не расширенный"; +$a->strings["Resubscribing to OStatus contacts"] = "Переподписаться на OStatus-контакты."; +$a->strings["Error"] = "Ошибка"; +$a->strings["Done"] = "Готово"; +$a->strings["Keep this window open until done."] = "Держать окно открытым до завершения."; +$a->strings["Do you really want to delete this suggestion?"] = "Вы действительно хотите удалить это предложение?"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Нет предложений. Если это новый сайт, пожалуйста, попробуйте снова через 24 часа."; +$a->strings["Ignore/Hide"] = "Проигнорировать/Скрыть"; +$a->strings["Friend Suggestions"] = "Предложения друзей"; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Этот сайт превысил допустимое количество ежедневных регистраций. Пожалуйста, повторите попытку завтра."; +$a->strings["Import"] = "Импорт"; +$a->strings["Move account"] = "Удалить аккаунт"; +$a->strings["You can import an account from another Friendica server."] = "Вы можете импортировать учетную запись с другого сервера Friendica."; +$a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = "Вам нужно экспортировать свой ​​аккаунт со старого сервера и загрузить его сюда. Мы восстановим ваш ​​старый аккаунт здесь со всеми вашими контактами. Мы постараемся также сообщить друзьям, что вы переехали сюда."; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = "Это экспериментальная функция. Мы не можем импортировать контакты из сети OStatus (GNU Social/ StatusNet) или из Diaspora"; +$a->strings["Account file"] = "Файл аккаунта"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Для экспорта аккаунта, перейдите в \"Настройки->Экспортировать ваши данные\" и выберите \"Экспорт аккаунта\""; +$a->strings["[Embedded content - reload page to view]"] = "[Встроенное содержание - перезагрузите страницу для просмотра]"; +$a->strings["%1\$s welcomes %2\$s"] = "%1\$s добро пожаловать %2\$s"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Нет соответствующих ключевых слов. Пожалуйста, добавьте ключевые слова для вашего профиля по умолчанию."; +$a->strings["is interested in:"] = "интересуется:"; +$a->strings["Profile Match"] = "Похожие профили"; +$a->strings["No matches"] = "Нет соответствий"; +$a->strings["Invalid request identifier."] = "Неверный идентификатор запроса."; +$a->strings["Discard"] = "Отказаться"; +$a->strings["Ignore"] = "Игнорировать"; +$a->strings["Notifications"] = "Уведомления"; +$a->strings["Network Notifications"] = "Уведомления сети"; +$a->strings["System Notifications"] = "Уведомления системы"; +$a->strings["Personal Notifications"] = "Личные уведомления"; +$a->strings["Home Notifications"] = "Уведомления"; +$a->strings["Show Ignored Requests"] = "Показать проигнорированные запросы"; +$a->strings["Hide Ignored Requests"] = "Скрыть проигнорированные запросы"; +$a->strings["Notification type: "] = "Тип уведомления: "; +$a->strings["suggested by %s"] = "предложено юзером %s"; +$a->strings["Hide this contact from others"] = "Скрыть этот контакт от других"; +$a->strings["Post a new friend activity"] = "Настроение"; +$a->strings["if applicable"] = "если требуется"; +$a->strings["Approve"] = "Одобрить"; +$a->strings["Claims to be known to you: "] = "Утверждения, о которых должно быть вам известно: "; +$a->strings["yes"] = "да"; +$a->strings["no"] = "нет"; +$a->strings["Shall your connection be bidirectional or not?"] = "Должно ли ваше соединение быть двухсторонним или нет?"; +$a->strings["Accepting %s as a friend allows %s to subscribe to your posts, and you will also receive updates from them in your news feed."] = "Принимая %s как друга вы позволяете %s читать ему свои посты, а также будете получать оные от него."; +$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него."; +$a->strings["Accepting %s as a sharer allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него."; +$a->strings["Friend"] = "Друг"; +$a->strings["Sharer"] = "Участник"; +$a->strings["Subscriber"] = "Подписант"; +$a->strings["Location:"] = "Откуда:"; +$a->strings["About:"] = "О себе:"; +$a->strings["Tags:"] = "Ключевые слова: "; +$a->strings["Gender:"] = "Пол:"; +$a->strings["Profile URL"] = "URL профиля"; +$a->strings["Network:"] = "Сеть:"; +$a->strings["No introductions."] = "Запросов нет."; +$a->strings["Show unread"] = "Показать непрочитанные"; +$a->strings["Show all"] = "Показать все"; +$a->strings["No more %s notifications."] = "Больше нет уведомлений о %s."; +$a->strings["OpenID protocol error. No ID returned."] = "Ошибка протокола OpenID. Не возвращён ID."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Аккаунт не найден и OpenID регистрация не допускается на этом сайте."; +$a->strings["Login failed."] = "Войти не удалось."; +$a->strings["Profile not found."] = "Профиль не найден."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Это может иногда происходить, если контакт запрашивали двое людей, и он был уже одобрен."; +$a->strings["Response from remote site was not understood."] = "Ответ от удаленного сайта не был понят."; +$a->strings["Unexpected response from remote site: "] = "Неожиданный ответ от удаленного сайта: "; +$a->strings["Confirmation completed successfully."] = "Подтверждение успешно завершено."; +$a->strings["Temporary failure. Please wait and try again."] = "Временные неудачи. Подождите и попробуйте еще раз."; +$a->strings["Introduction failed or was revoked."] = "Запрос ошибочен или был отозван."; +$a->strings["Remote site reported: "] = "Удаленный сайт сообщил: "; +$a->strings["Unable to set contact photo."] = "Не удается установить фото контакта."; +$a->strings["No user record found for '%s' "] = "Не найдено записи пользователя для '%s' "; +$a->strings["Our site encryption key is apparently messed up."] = "Наш ключ шифрования сайта, по-видимому, перепутался."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Был предоставлен пустой URL сайта ​​или URL не может быть расшифрован нами."; +$a->strings["Contact record was not found for you on our site."] = "Запись контакта не найдена для вас на нашем сайте."; +$a->strings["Site public key not available in contact record for URL %s."] = "Публичный ключ недоступен в записи о контакте по ссылке %s"; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "ID, предложенный вашей системой, является дубликатом в нашей системе. Он должен работать, если вы повторите попытку."; +$a->strings["Unable to set your contact credentials on our system."] = "Не удалось установить ваши учетные данные контакта в нашей системе."; +$a->strings["Unable to update your contact profile details on our system"] = "Не удается обновить ваши контактные детали профиля в нашей системе"; +$a->strings["[Name Withheld]"] = "[Имя не разглашается]"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s присоединился %2\$s"; +$a->strings["Total invitation limit exceeded."] = "Превышен общий лимит приглашений."; +$a->strings["%s : Not a valid email address."] = "%s: Неверный адрес электронной почты."; +$a->strings["Please join us on Friendica"] = "Пожалуйста, присоединяйтесь к нам на Friendica"; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Лимит приглашений превышен. Пожалуйста, свяжитесь с администратором сайта."; +$a->strings["%s : Message delivery failed."] = "%s: Доставка сообщения не удалась."; +$a->strings["%d message sent."] = [ + 0 => "%d сообщение отправлено.", + 1 => "%d сообщений отправлено.", + 2 => "%d сообщений отправлено.", + 3 => "%d сообщений отправлено.", +]; +$a->strings["You have no more invitations available"] = "У вас нет больше приглашений"; +$a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = "Посетите %s со списком общедоступных сайтов, к которым вы можете присоединиться. Все участники Friendica на других сайтах могут соединиться друг с другом, а также с участниками многих других социальных сетей."; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Для одобрения этого приглашения, пожалуйста, посетите и зарегистрируйтесь на %s ,или любом другом публичном сервере Friendica"; +$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = "Сайты Friendica, подключившись между собой, могут создать сеть с повышенной безопасностью, которая принадлежит и управляется её членами. Они также могут подключаться ко многим традиционным социальным сетям. См. %s со списком альтернативных сайтов Friendica, к которым вы можете присоединиться."; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Извините. Эта система в настоящее время не сконфигурирована для соединения с другими общественными сайтами и для приглашения участников."; +$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks."] = ""; +$a->strings["To accept this invitation, please visit and register at %s."] = ""; +$a->strings["Send invitations"] = "Отправить приглашения"; +$a->strings["Enter email addresses, one per line:"] = "Введите адреса электронной почты, по одному в строке:"; +$a->strings["Your message:"] = "Ваше сообщение:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Приглашаем Вас присоединиться ко мне и другим близким друзьям на Friendica - помочь нам создать лучшую социальную сеть."; +$a->strings["You will need to supply this invitation code: \$invite_code"] = "Вам нужно будет предоставить этот код приглашения: \$invite_code"; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "После того как вы зарегистрировались, пожалуйста, свяжитесь со мной через мою страницу профиля по адресу:"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca"] = ""; +$a->strings["Invalid request."] = "Неверный запрос."; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Извините, похоже что загружаемый файл превышает лимиты, разрешенные конфигурацией PHP"; +$a->strings["Or - did you try to upload an empty file?"] = "Или вы пытались загрузить пустой файл?"; +$a->strings["File exceeds size limit of %s"] = "Файл превышает лимит размера в %s"; +$a->strings["File upload failed."] = "Загрузка файла не удалась."; +$a->strings["Manage Identities and/or Pages"] = "Управление идентификацией и / или страницами"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = ""; +$a->strings["Select an identity to manage: "] = "Выберите идентификацию для управления: "; +$a->strings["This introduction has already been accepted."] = "Этот запрос был уже принят."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Местоположение профиля является недопустимым или не содержит информацию о профиле."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Внимание: местоположение профиля не имеет идентифицируемого имени владельца."; +$a->strings["Warning: profile location has no profile photo."] = "Внимание: местоположение профиля не имеет еще фотографии профиля."; +$a->strings["%d required parameter was not found at the given location"] = [ + 0 => "%d требуемый параметр не был найден в заданном месте", + 1 => "%d требуемых параметров не были найдены в заданном месте", + 2 => "%d требуемых параметров не были найдены в заданном месте", + 3 => "%d требуемых параметров не были найдены в заданном месте", +]; +$a->strings["Introduction complete."] = "Запрос создан."; +$a->strings["Unrecoverable protocol error."] = "Неисправимая ошибка протокола."; +$a->strings["Profile unavailable."] = "Профиль недоступен."; +$a->strings["%s has received too many connection requests today."] = "К %s пришло сегодня слишком много запросов на подключение."; +$a->strings["Spam protection measures have been invoked."] = "Были применены меры защиты от спама."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Друзья советуют попробовать еще раз в ближайшие 24 часа."; +$a->strings["Invalid locator"] = "Недопустимый локатор"; +$a->strings["You have already introduced yourself here."] = "Вы уже ввели информацию о себе здесь."; +$a->strings["Apparently you are already friends with %s."] = "Похоже, что вы уже друзья с %s."; +$a->strings["Invalid profile URL."] = "Неверный URL профиля."; +$a->strings["Disallowed profile URL."] = "Запрещенный URL профиля."; +$a->strings["Blocked domain"] = ""; +$a->strings["Failed to update contact record."] = "Не удалось обновить запись контакта."; +$a->strings["Your introduction has been sent."] = "Ваш запрос отправлен."; +$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Удаленная подписка не может быть выполнена на вашей сети. Пожалуйста, подпишитесь на вашей системе."; +$a->strings["Please login to confirm introduction."] = "Для подтверждения запроса войдите пожалуйста с паролем."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Неверно идентифицирован вход. Пожалуйста, войдите в этот профиль."; +$a->strings["Confirm"] = "Подтвердить"; +$a->strings["Hide this contact"] = "Скрыть этот контакт"; +$a->strings["Welcome home %s."] = "Добро пожаловать домой, %s!"; +$a->strings["Please confirm your introduction/connection request to %s."] = "Пожалуйста, подтвердите краткую информацию / запрос на подключение к %s."; +$a->strings["Public access denied."] = "Свободный доступ закрыт."; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Пожалуйста, введите ваш 'идентификационный адрес' одной из следующих поддерживаемых социальных сетей:"; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = ""; +$a->strings["Friend/Connection Request"] = "Запрос в друзья / на подключение"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = ""; +$a->strings["Please answer the following:"] = "Пожалуйста, ответьте следующее:"; +$a->strings["Does %s know you?"] = "%s знает вас?"; +$a->strings["Add a personal note:"] = "Добавить личную заметку:"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["GNU Social (Pleroma, Mastodon)"] = ""; +$a->strings["Diaspora (Socialhome, Hubzilla)"] = ""; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = "Участники сети Diaspora: пожалуйста, не пользуйтесь этой формой. Вместо этого введите %s в строке поиска Diaspora"; +$a->strings["Your Identity Address:"] = "Ваш идентификационный адрес:"; +$a->strings["Submit Request"] = "Отправить запрос"; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["Time Conversion"] = "История общения"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica предоставляет этот сервис для обмена событиями с другими сетями и друзьями, находящимися в неопределённых часовых поясах."; +$a->strings["UTC time: %s"] = "UTC время: %s"; +$a->strings["Current timezone: %s"] = "Ваш часовой пояс: %s"; +$a->strings["Converted localtime: %s"] = "Ваше изменённое время: %s"; +$a->strings["Please select your timezone:"] = "Выберите пожалуйста ваш часовой пояс:"; +$a->strings["Only logged in users are permitted to perform a probing."] = ""; +$a->strings["Permission denied"] = "Доступ запрещен"; +$a->strings["Invalid profile identifier."] = "Недопустимый идентификатор профиля."; +$a->strings["Profile Visibility Editor"] = "Редактор видимости профиля"; +$a->strings["Click on a contact to add or remove."] = "Нажмите на контакт, чтобы добавить или удалить."; +$a->strings["Visible To"] = "Видимый для"; +$a->strings["All Contacts (with secure profile access)"] = "Все контакты (с безопасным доступом к профилю)"; +$a->strings["Account approved."] = "Аккаунт утвержден."; +$a->strings["Registration revoked for %s"] = "Регистрация отменена для %s"; +$a->strings["Please login."] = "Пожалуйста, войдите с паролем."; +$a->strings["Remove My Account"] = "Удалить мой аккаунт"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Это позволит полностью удалить ваш аккаунт. Как только это будет сделано, аккаунт восстановлению не подлежит."; +$a->strings["Please enter your password for verification:"] = "Пожалуйста, введите свой пароль для проверки:"; +$a->strings["No contacts."] = "Нет контактов."; +$a->strings["Access denied."] = "Доступ запрещен."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Количество ежедневных сообщений на стене %s превышено. Сообщение отменено.."; +$a->strings["No recipient selected."] = "Не выбран получатель."; +$a->strings["Unable to check your home location."] = "Невозможно проверить местоположение."; +$a->strings["Message could not be sent."] = "Сообщение не может быть отправлено."; +$a->strings["Message collection failure."] = "Неудача коллекции сообщения."; +$a->strings["Message sent."] = "Сообщение отправлено."; +$a->strings["No recipient."] = "Без адресата."; +$a->strings["Send Private Message"] = "Отправить личное сообщение"; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Если Вы хотите ответить %s, пожалуйста, проверьте, позволяют ли настройки конфиденциальности на Вашем сайте принимать личные сообщения от неизвестных отправителей."; +$a->strings["To:"] = "Кому:"; +$a->strings["Subject:"] = "Тема:"; +$a->strings["Export account"] = "Экспорт аккаунта"; +$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Экспорт ваших регистрационных данные и контактов. Используйте, чтобы создать резервную копию вашего аккаунта и/или переместить его на другой сервер."; +$a->strings["Export all"] = "Экспорт всего"; +$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Экспорт информации вашего аккаунта, контактов и всех ваших пунктов, как JSON. Может получиться очень большой файл и это может занять много времени. Используйте, чтобы создать полную резервную копию вашего аккаунта (фото не экспортируются)"; +$a->strings["Export personal data"] = "Экспорт личных данных"; +$a->strings["- select -"] = "- выбрать -"; +$a->strings["No more system notifications."] = "Системных уведомлений больше нет."; +$a->strings["{0} wants to be your friend"] = "{0} хочет стать Вашим другом"; +$a->strings["{0} sent you a message"] = "{0} отправил Вам сообщение"; +$a->strings["{0} requested registration"] = "{0} требуемая регистрация"; +$a->strings["Poke/Prod"] = "Потыкать/Потолкать"; +$a->strings["poke, prod or do other things to somebody"] = "Потыкать, потолкать или сделать что-то еще с кем-то"; +$a->strings["Recipient"] = "Получатель"; +$a->strings["Choose what you wish to do to recipient"] = "Выберите действия для получателя"; +$a->strings["Make this post private"] = "Сделать эту запись личной"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s подписан %2\$s's %3\$s"; +$a->strings["Tag removed"] = "Ключевое слово удалено"; +$a->strings["Remove Item Tag"] = "Удалить ключевое слово"; +$a->strings["Select a tag to remove: "] = "Выберите ключевое слово для удаления: "; +$a->strings["Remove"] = "Удалить"; +$a->strings["Image exceeds size limit of %s"] = "Изображение превышает лимит размера в %s"; +$a->strings["Unable to process image."] = "Невозможно обработать фото."; +$a->strings["Wall Photos"] = "Фото стены"; +$a->strings["Image upload failed."] = "Загрузка фото неудачная."; +$a->strings["Remove term"] = "Удалить элемент"; +$a->strings["Saved Searches"] = "запомненные поиски"; +$a->strings["Only logged in users are permitted to perform a search."] = "Только зарегистрированные пользователи могут использовать поиск."; +$a->strings["Too Many Requests"] = "Слишком много запросов"; +$a->strings["Only one search per minute is permitted for not logged in users."] = "Незарегистрированные пользователи могут выполнять поиск раз в минуту."; +$a->strings["No results."] = "Нет результатов."; +$a->strings["Items tagged with: %s"] = "Элементы с тегами: %s"; +$a->strings["Results for: %s"] = "Результаты для: %s"; +$a->strings["Login"] = "Вход"; +$a->strings["The post was created"] = "Пост был создан"; +$a->strings["Community option not available."] = ""; +$a->strings["Not available."] = "Недоступно."; +$a->strings["Local Community"] = ""; +$a->strings["Posts from local users on this server"] = ""; +$a->strings["Global Community"] = ""; +$a->strings["Posts from users of the whole federated network"] = ""; +$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = ""; +$a->strings["Item not found"] = "Элемент не найден"; +$a->strings["Edit post"] = "Редактировать сообщение"; +$a->strings["CC: email addresses"] = "Копии на email адреса"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Пример: bob@example.com, mary@example.com"; +$a->strings["You must be logged in to use this module"] = ""; +$a->strings["Source URL"] = ""; +$a->strings["Friend suggestion sent."] = "Приглашение в друзья отправлено."; +$a->strings["Suggest Friends"] = "Предложить друзей"; +$a->strings["Suggest a friend for %s"] = "Предложить друга для %s."; +$a->strings["Group created."] = "Группа создана."; +$a->strings["Could not create group."] = "Не удалось создать группу."; +$a->strings["Group not found."] = "Группа не найдена."; +$a->strings["Group name changed."] = "Название группы изменено."; +$a->strings["Save Group"] = "Сохранить группу"; +$a->strings["Create a group of contacts/friends."] = "Создать группу контактов / друзей."; +$a->strings["Group Name: "] = "Название группы: "; +$a->strings["Group removed."] = "Группа удалена."; +$a->strings["Unable to remove group."] = "Не удается удалить группу."; +$a->strings["Delete Group"] = ""; +$a->strings["Group Editor"] = "Редактор групп"; +$a->strings["Edit Group Name"] = ""; +$a->strings["Members"] = "Участники"; +$a->strings["All Contacts"] = "Все контакты"; +$a->strings["Group is empty"] = "Группа пуста"; +$a->strings["Remove Contact"] = ""; +$a->strings["Add Contact"] = ""; +$a->strings["Unable to locate original post."] = "Не удалось найти оригинальный пост."; +$a->strings["Empty post discarded."] = "Пустое сообщение отбрасывается."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Это сообщение было отправлено вам %s, участником социальной сети Friendica."; +$a->strings["You may visit them online at %s"] = "Вы можете посетить их в онлайне на %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Пожалуйста, свяжитесь с отправителем, ответив на это сообщение, если вы не хотите получать эти сообщения."; +$a->strings["%s posted an update."] = "%s отправил/а/ обновление."; +$a->strings["New Message"] = "Новое сообщение"; +$a->strings["Unable to locate contact information."] = "Не удалось найти контактную информацию."; +$a->strings["Messages"] = "Сообщения"; +$a->strings["Do you really want to delete this message?"] = "Вы действительно хотите удалить это сообщение?"; +$a->strings["Message deleted."] = "Сообщение удалено."; +$a->strings["Conversation removed."] = "Беседа удалена."; +$a->strings["No messages."] = "Нет сообщений."; +$a->strings["Message not available."] = "Сообщение не доступно."; +$a->strings["Delete message"] = "Удалить сообщение"; +$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; +$a->strings["Delete conversation"] = "Удалить историю общения"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Невозможно защищённое соединение. Вы имеете возможность ответить со страницы профиля отправителя."; +$a->strings["Send Reply"] = "Отправить ответ"; +$a->strings["Unknown sender - %s"] = "Неизвестный отправитель - %s"; +$a->strings["You and %s"] = "Вы и %s"; +$a->strings["%s and You"] = "%s и Вы"; +$a->strings["%d message"] = [ + 0 => "%d сообщение", + 1 => "%d сообщений", + 2 => "%d сообщений", + 3 => "%d сообщений", +]; +$a->strings["add"] = "добавить"; +$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ + 0 => "Внимание: в группе %s пользователь из сети, которая не поддерживает непубличные сообщения.", + 1 => "Внимание: в группе %s пользователя из сети, которая не поддерживает непубличные сообщения.", + 2 => "Внимание: в группе %s пользователей из сети, которая не поддерживает непубличные сообщения.", + 3 => "Внимание: в группе %s пользователей из сети, которая не поддерживает непубличные сообщения.", +]; +$a->strings["Messages in this group won't be send to these receivers."] = "Сообщения в этой группе не будут отправлены следующим получателям."; +$a->strings["No such group"] = "Нет такой группы"; +$a->strings["Group: %s"] = "Группа: %s"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Личные сообщения этому человеку находятся под угрозой обнародования."; +$a->strings["Invalid contact."] = "Недопустимый контакт."; +$a->strings["Commented Order"] = "Последние комментарии"; +$a->strings["Sort by Comment Date"] = "Сортировать по дате комментария"; +$a->strings["Posted Order"] = "Лента записей"; +$a->strings["Sort by Post Date"] = "Сортировать по дате отправки"; $a->strings["Personal"] = "Личные"; +$a->strings["Posts that mention or involve you"] = "Посты которые упоминают вас или в которых вы участвуете"; +$a->strings["New"] = "Новое"; +$a->strings["Activity Stream - by date"] = "Лента активности - по дате"; +$a->strings["Shared Links"] = "Ссылки, которыми поделились"; +$a->strings["Interesting Links"] = "Интересные ссылки"; +$a->strings["Starred"] = "Избранное"; +$a->strings["Favourite Posts"] = "Избранные посты"; +$a->strings["Personal Notes"] = "Личные заметки"; +$a->strings["Post successful."] = "Успешно добавлено."; +$a->strings["Photo Albums"] = "Фотоальбомы"; +$a->strings["Recent Photos"] = "Последние фото"; +$a->strings["Upload New Photos"] = "Загрузить новые фото"; +$a->strings["everybody"] = "каждый"; +$a->strings["Contact information unavailable"] = "Информация о контакте недоступна"; +$a->strings["Album not found."] = "Альбом не найден."; +$a->strings["Delete Album"] = "Удалить альбом"; +$a->strings["Do you really want to delete this photo album and all its photos?"] = "Вы действительно хотите удалить этот альбом и все его фотографии?"; +$a->strings["Delete Photo"] = "Удалить фото"; +$a->strings["Do you really want to delete this photo?"] = "Вы действительно хотите удалить эту фотографию?"; +$a->strings["a photo"] = "фото"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s отмечен/а/ в %2\$s by %3\$s"; +$a->strings["Image upload didn't complete, please try again"] = ""; +$a->strings["Image file is missing"] = ""; +$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = ""; +$a->strings["Image file is empty."] = "Файл изображения пуст."; +$a->strings["No photos selected"] = "Не выбрано фото."; +$a->strings["Access to this item is restricted."] = "Доступ к этому пункту ограничен."; +$a->strings["Upload Photos"] = "Загрузить фото"; +$a->strings["New album name: "] = "Название нового альбома: "; +$a->strings["or existing album name: "] = "или название существующего альбома: "; +$a->strings["Do not show a status post for this upload"] = "Не показывать статус-сообщение для этой закачки"; +$a->strings["Permissions"] = "Разрешения"; +$a->strings["Show to Groups"] = "Показать в группах"; +$a->strings["Show to Contacts"] = "Показывать контактам"; +$a->strings["Edit Album"] = "Редактировать альбом"; +$a->strings["Show Newest First"] = "Показать новые первыми"; +$a->strings["Show Oldest First"] = "Показать старые первыми"; +$a->strings["View Photo"] = "Просмотр фото"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Нет разрешения. Доступ к этому элементу ограничен."; +$a->strings["Photo not available"] = "Фото недоступно"; +$a->strings["View photo"] = "Просмотр фото"; +$a->strings["Edit photo"] = "Редактировать фото"; +$a->strings["Use as profile photo"] = "Использовать как фото профиля"; +$a->strings["Private Message"] = "Личное сообщение"; +$a->strings["View Full Size"] = "Просмотреть полный размер"; +$a->strings["Tags: "] = "Ключевые слова: "; +$a->strings["[Remove any tag]"] = "[Удалить любое ключевое слово]"; +$a->strings["New album name"] = "Название нового альбома"; +$a->strings["Caption"] = "Подпись"; +$a->strings["Add a Tag"] = "Добавить ключевое слово (тег)"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Пример: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; +$a->strings["Do not rotate"] = "Не поворачивать"; +$a->strings["Rotate CW (right)"] = "Поворот по часовой стрелке (направо)"; +$a->strings["Rotate CCW (left)"] = "Поворот против часовой стрелки (налево)"; +$a->strings["I like this (toggle)"] = "Нравится"; +$a->strings["I don't like this (toggle)"] = "Не нравится"; +$a->strings["This is you"] = "Это вы"; +$a->strings["Comment"] = "Оставить комментарий"; +$a->strings["Map"] = "Карта"; +$a->strings["View Album"] = "Просмотреть альбом"; +$a->strings["Requested profile is not available."] = "Запрашиваемый профиль недоступен."; +$a->strings["%s's posts"] = ""; +$a->strings["%s's comments"] = ""; +$a->strings["%s's timeline"] = ""; +$a->strings["Access to this profile has been restricted."] = "Доступ к этому профилю ограничен."; +$a->strings["Tips for New Members"] = "Советы для новых участников"; +$a->strings["Do you really want to delete this video?"] = "Вы действительно хотите удалить видео?"; +$a->strings["Delete Video"] = "Удалить видео"; +$a->strings["No videos selected"] = "Видео не выбрано"; +$a->strings["Recent Videos"] = "Последние видео"; +$a->strings["Upload New Videos"] = "Загрузить новые видео"; +$a->strings["Parent user not found."] = ""; +$a->strings["No parent user"] = ""; +$a->strings["Parent Password:"] = ""; +$a->strings["Please enter the password of the parent account to legitimize your request."] = ""; +$a->strings["Parent User"] = ""; +$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = ""; +$a->strings["Save Settings"] = "Сохранить настройки"; +$a->strings["Delegate Page Management"] = "Делегировать управление страницей"; +$a->strings["Delegates"] = ""; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Доверенные лица могут управлять всеми аспектами этого аккаунта/страницы, за исключением основных настроек аккаунта. Пожалуйста, не предоставляйте доступ в личный кабинет тому, кому вы не полностью доверяете."; +$a->strings["Existing Page Delegates"] = "Существующие уполномоченные страницы"; +$a->strings["Potential Delegates"] = "Возможные доверенные лица"; +$a->strings["Add"] = "Добавить"; +$a->strings["No entries."] = "Нет записей."; +$a->strings["People Search - %s"] = "Поиск по людям - %s"; +$a->strings["Forum Search - %s"] = "Поиск по форумам - %s"; +$a->strings["Friendica Communications Server - Setup"] = "Коммуникационный сервер Friendica - Доступ"; +$a->strings["Could not connect to database."] = "Не удалось подключиться к базе данных."; +$a->strings["Could not create table."] = "Не удалось создать таблицу."; +$a->strings["Your Friendica site database has been installed."] = "База данных сайта установлена."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Вам может понадобиться импортировать файл \"database.sql\" вручную с помощью PhpMyAdmin или MySQL."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Пожалуйста, смотрите файл \"INSTALL.txt\"."; +$a->strings["Database already in use."] = "База данных уже используется."; +$a->strings["System check"] = "Проверить систему"; +$a->strings["Next"] = "Далее"; +$a->strings["Check again"] = "Проверить еще раз"; +$a->strings["Database connection"] = "Подключение к базе данных"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Для того, чтобы установить Friendica, мы должны знать, как подключиться к базе данных."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Пожалуйста, свяжитесь с вашим хостинг-провайдером или администратором сайта, если у вас есть вопросы об этих параметрах."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Базы данных, указанная ниже, должна уже существовать. Если этого нет, пожалуйста, создайте ее перед продолжением."; +$a->strings["Database Server Name"] = "Имя сервера базы данных"; +$a->strings["Database Login Name"] = "Логин базы данных"; +$a->strings["Database Login Password"] = "Пароль базы данных"; +$a->strings["For security reasons the password must not be empty"] = "Для безопасности пароль не должен быть пустым"; +$a->strings["Database Name"] = "Имя базы данных"; +$a->strings["Site administrator email address"] = "Адрес электронной почты администратора сайта"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Ваш адрес электронной почты аккаунта должен соответствовать этому, чтобы использовать веб-панель администратора."; +$a->strings["Please select a default timezone for your website"] = "Пожалуйста, выберите часовой пояс по умолчанию для вашего сайта"; +$a->strings["Site settings"] = "Настройки сайта"; +$a->strings["System Language:"] = "Язык системы:"; +$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Язык по-умолчанию для интерфейса Friendica и для отправки писем."; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Не удалось найти PATH веб-сервера в установках PHP."; +$a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = ""; +$a->strings["PHP executable path"] = "PHP executable path"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Введите полный путь к исполняемому файлу PHP. Вы можете оставить это поле пустым, чтобы продолжить установку."; +$a->strings["Command line PHP"] = "Command line PHP"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "Бинарник PHP не является CLI версией (может быть это cgi-fcgi версия)"; +$a->strings["Found PHP version: "] = "Найденная PHP версия: "; +$a->strings["PHP cli binary"] = "PHP cli binary"; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Не включено \"register_argc_argv\" в установках PHP."; +$a->strings["This is required for message delivery to work."] = "Это необходимо для работы доставки сообщений."; +$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Ошибка: функция \"openssl_pkey_new\" в этой системе не в состоянии генерировать ключи шифрования"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Если вы работаете под Windows, см. \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Генерация шифрованых ключей"; +$a->strings["libCurl PHP module"] = "libCurl PHP модуль"; +$a->strings["GD graphics PHP module"] = "GD graphics PHP модуль"; +$a->strings["OpenSSL PHP module"] = "OpenSSL PHP модуль"; +$a->strings["PDO or MySQLi PHP module"] = ""; +$a->strings["mb_string PHP module"] = "mb_string PHP модуль"; +$a->strings["XML PHP module"] = "XML PHP модуль"; +$a->strings["iconv PHP module"] = ""; +$a->strings["POSIX PHP module"] = ""; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Ошибка: необходим модуль веб-сервера Apache mod-rewrite, но он не установлен."; +$a->strings["Error: libCURL PHP module required but not installed."] = "Ошибка: необходим libCURL PHP модуль, но он не установлен."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Ошибка: необходим PHP модуль GD графики с поддержкой JPEG, но он не установлен."; +$a->strings["Error: openssl PHP module required but not installed."] = "Ошибка: необходим PHP модуль OpenSSL, но он не установлен."; +$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = ""; +$a->strings["Error: The MySQL driver for PDO is not installed."] = ""; +$a->strings["Error: mb_string PHP module required but not installed."] = "Ошибка: необходим PHP модуль mb_string, но он не установлен."; +$a->strings["Error: iconv PHP module required but not installed."] = "Ошибка: необходим PHP модуль iconv, но он не установлен."; +$a->strings["Error: POSIX PHP module required but not installed."] = ""; +$a->strings["Error, XML PHP module required but not installed."] = "Ошибка, необходим PHP модуль XML, но он не установлен"; +$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Веб-инсталлятору требуется создать файл с именем \". htconfig.php\" в верхней папке веб-сервера, но он не в состоянии это сделать."; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Это наиболее частые параметры разрешений, когда веб-сервер не может записать файлы в папке - даже если вы можете."; +$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "В конце этой процедуры, мы дадим вам текст, для сохранения в файле с именем .htconfig.php в корневой папке, где установлена Friendica."; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "В качестве альтернативы вы можете пропустить эту процедуру и выполнить установку вручную. Пожалуйста, обратитесь к файлу \"INSTALL.txt\" для получения инструкций."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php is writable"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica использует механизм шаблонов Smarty3 для генерации веб-страниц. Smarty3 компилирует шаблоны в PHP для увеличения скорости загрузки."; +$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "Для того чтобы хранить эти скомпилированные шаблоны, веб-сервер должен иметь доступ на запись для папки view/smarty3 в директории, где установлена Friendica."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Пожалуйста, убедитесь, что пользователь, под которым работает ваш веб-сервер (например www-data), имеет доступ на запись в этой папке."; +$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Примечание: в качестве меры безопасности, вы должны дать вебсерверу доступ на запись только в view/smarty3 - но не на сами файлы шаблонов (.tpl)., Которые содержатся в этой папке."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 доступен для записи"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "Url rewrite в .htaccess не работает. Проверьте конфигурацию вашего сервера.."; +$a->strings["Url rewrite is working"] = "Url rewrite работает"; +$a->strings["ImageMagick PHP extension is not installed"] = "Модуль PHP ImageMagick не установлен"; +$a->strings["ImageMagick PHP extension is installed"] = "Модуль PHP ImageMagick установлен"; +$a->strings["ImageMagick supports GIF"] = "ImageMagick поддерживает GIF"; +$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Файл конфигурации базы данных \".htconfig.php\" не могла быть записан. Пожалуйста, используйте приложенный текст, чтобы создать конфигурационный файл в корневом каталоге веб-сервера."; +$a->strings["

What next

"] = "

Что далее

"; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = ""; +$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = ""; +$a->strings["Subscribing to OStatus contacts"] = "Подписка на OStatus-контакты"; +$a->strings["No contact provided."] = "Не указан контакт."; +$a->strings["Couldn't fetch information for contact."] = "Невозможно получить информацию о контакте."; +$a->strings["Couldn't fetch friends for contact."] = "Невозможно получить друзей для контакта."; +$a->strings["success"] = "удачно"; +$a->strings["failed"] = "неудача"; +$a->strings["ignored"] = ""; +$a->strings["Contact wasn't found or can't be unfollowed."] = ""; +$a->strings["Contact unfollowed"] = ""; +$a->strings["You aren't a friend of this contact."] = ""; +$a->strings["Unfollowing is currently not supported by your network."] = ""; +$a->strings["Disconnect/Unfollow"] = ""; +$a->strings["Status Messages and Posts"] = "Ваши посты"; +$a->strings["Events"] = "Мероприятия"; +$a->strings["View"] = "Смотреть"; +$a->strings["Previous"] = "Назад"; +$a->strings["today"] = "сегодня"; +$a->strings["month"] = "мес."; +$a->strings["week"] = "неделя"; +$a->strings["day"] = "день"; +$a->strings["list"] = "список"; +$a->strings["User not found"] = "Пользователь не найден"; +$a->strings["This calendar format is not supported"] = "Этот формат календарей не поддерживается"; +$a->strings["No exportable data found"] = "Нет данных для экспорта"; +$a->strings["calendar"] = "календарь"; +$a->strings["Event can not end before it has started."] = "Эвент не может закончится до старта."; +$a->strings["Event title and start time are required."] = "Название мероприятия и время начала обязательны для заполнения."; +$a->strings["Create New Event"] = "Создать новое мероприятие"; +$a->strings["Event details"] = "Сведения о мероприятии"; +$a->strings["Starting date and Title are required."] = "Необходима дата старта и заголовок."; +$a->strings["Event Starts:"] = "Начало мероприятия:"; +$a->strings["Required"] = "Требуется"; +$a->strings["Finish date/time is not known or not relevant"] = "Дата/время окончания не известны, или не указаны"; +$a->strings["Event Finishes:"] = "Окончание мероприятия:"; +$a->strings["Adjust for viewer timezone"] = "Настройка часового пояса"; +$a->strings["Description:"] = "Описание:"; +$a->strings["Title:"] = "Титул:"; +$a->strings["Share this event"] = "Поделитесь этим мероприятием"; +$a->strings["Basic"] = "Базовый"; +$a->strings["Advanced"] = "Расширенный"; +$a->strings["Failed to remove event"] = ""; +$a->strings["Event removed"] = ""; +$a->strings["Image uploaded but image cropping failed."] = "Изображение загружено, но обрезка изображения не удалась."; +$a->strings["Image size reduction [%s] failed."] = "Уменьшение размера изображения [%s] не удалось."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Перезагрузите страницу с зажатой клавишей \"Shift\" для того, чтобы увидеть свое новое фото немедленно."; +$a->strings["Unable to process image"] = "Не удается обработать изображение"; +$a->strings["Upload File:"] = "Загрузить файл:"; +$a->strings["Select a profile:"] = "Выбрать этот профиль:"; +$a->strings["or"] = "или"; +$a->strings["skip this step"] = "пропустить этот шаг"; +$a->strings["select a photo from your photo albums"] = "выберите фото из ваших фотоальбомов"; +$a->strings["Crop Image"] = "Обрезать изображение"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Пожалуйста, настройте обрезку изображения для оптимального просмотра."; +$a->strings["Done Editing"] = "Редактирование выполнено"; +$a->strings["Image uploaded successfully."] = "Изображение загружено успешно."; +$a->strings["Status:"] = "Статус:"; +$a->strings["Homepage:"] = "Домашняя страничка:"; +$a->strings["Global Directory"] = "Глобальный каталог"; +$a->strings["Find on this site"] = "Найти на этом сайте"; +$a->strings["Results for:"] = "Результаты для:"; +$a->strings["Site Directory"] = "Каталог сайта"; +$a->strings["Find"] = "Найти"; +$a->strings["No entries (some entries may be hidden)."] = "Нет записей (некоторые записи могут быть скрыты)."; +$a->strings["Source input"] = ""; +$a->strings["BBCode::convert (raw HTML)"] = ""; +$a->strings["BBCode::convert"] = ""; +$a->strings["BBCode::convert => HTML::toBBCode"] = ""; +$a->strings["BBCode::toMarkdown"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::convert"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = ""; +$a->strings["Source input \\x28Diaspora format\\x29"] = ""; +$a->strings["Markdown::toBBCode"] = ""; +$a->strings["Raw HTML input"] = ""; +$a->strings["HTML Input"] = ""; +$a->strings["HTML::toBBCode"] = ""; +$a->strings["HTML::toPlaintext"] = ""; +$a->strings["Source text"] = ""; +$a->strings["BBCode"] = ""; +$a->strings["Markdown"] = ""; +$a->strings["HTML"] = ""; +$a->strings["The contact could not be added."] = ""; +$a->strings["You already added this contact."] = "Вы уже добавили этот контакт."; +$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Поддержка Diaspora не включена. Контакт не может быть добавлен."; +$a->strings["OStatus support is disabled. Contact can't be added."] = "Поддержка OStatus выключена. Контакт не может быть добавлен."; +$a->strings["The network type couldn't be detected. Contact can't be added."] = "Тип сети не может быть определен. Контакт не может быть добавлен."; +$a->strings["Profile deleted."] = "Профиль удален."; +$a->strings["Profile-"] = "Профиль-"; +$a->strings["New profile created."] = "Новый профиль создан."; +$a->strings["Profile unavailable to clone."] = "Профиль недоступен для клонирования."; +$a->strings["Profile Name is required."] = "Необходимо имя профиля."; +$a->strings["Marital Status"] = "Семейное положение"; +$a->strings["Romantic Partner"] = "Любимый человек"; +$a->strings["Work/Employment"] = "Работа/Занятость"; +$a->strings["Religion"] = "Религия"; +$a->strings["Political Views"] = "Политические взгляды"; +$a->strings["Gender"] = "Пол"; +$a->strings["Sexual Preference"] = "Сексуальные предпочтения"; +$a->strings["XMPP"] = "XMPP"; +$a->strings["Homepage"] = "Домашняя страница"; +$a->strings["Interests"] = "Хобби / Интересы"; +$a->strings["Address"] = "Адрес"; +$a->strings["Location"] = "Местонахождение"; +$a->strings["Profile updated."] = "Профиль обновлен."; +$a->strings[" and "] = "и"; +$a->strings["public profile"] = "публичный профиль"; +$a->strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s изменились с %2\$s на “%3\$s”"; +$a->strings[" - Visit %1\$s's %2\$s"] = " - Посетить профиль %1\$s [%2\$s]"; +$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s обновил %2\$s, изменив %3\$s."; +$a->strings["Hide contacts and friends:"] = "Скрыть контакты и друзей:"; +$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Скрывать ваш список контактов / друзей от посетителей этого профиля?"; +$a->strings["Show more profile fields:"] = "Показать больше полей в профиле:"; +$a->strings["Profile Actions"] = "Действия профиля"; +$a->strings["Edit Profile Details"] = "Редактировать детали профиля"; +$a->strings["Change Profile Photo"] = "Изменить фото профиля"; +$a->strings["View this profile"] = "Просмотреть этот профиль"; +$a->strings["Edit visibility"] = "Редактировать видимость"; +$a->strings["Create a new profile using these settings"] = "Создать новый профиль, используя эти настройки"; +$a->strings["Clone this profile"] = "Клонировать этот профиль"; +$a->strings["Delete this profile"] = "Удалить этот профиль"; +$a->strings["Basic information"] = "Основная информация"; +$a->strings["Profile picture"] = "Картинка профиля"; +$a->strings["Preferences"] = "Настройки"; +$a->strings["Status information"] = "Статус"; +$a->strings["Additional information"] = "Дополнительная информация"; +$a->strings["Relation"] = "Отношения"; +$a->strings["Miscellaneous"] = "Разное"; +$a->strings["Your Gender:"] = "Ваш пол:"; +$a->strings[" Marital Status:"] = " Семейное положение:"; +$a->strings["Sexual Preference:"] = "Сексуальные предпочтения:"; +$a->strings["Example: fishing photography software"] = "Пример: рыбалка фотографии программное обеспечение"; +$a->strings["Profile Name:"] = "Имя профиля:"; +$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Это ваш публичный профиль.
Он может быть виден каждому через Интернет."; +$a->strings["Your Full Name:"] = "Ваше полное имя:"; +$a->strings["Title/Description:"] = "Заголовок / Описание:"; +$a->strings["Street Address:"] = "Адрес:"; +$a->strings["Locality/City:"] = "Город / Населенный пункт:"; +$a->strings["Region/State:"] = "Район / Область:"; +$a->strings["Postal/Zip Code:"] = "Почтовый индекс:"; +$a->strings["Country:"] = "Страна:"; +$a->strings["Age: "] = "Возраст: "; +$a->strings["Who: (if applicable)"] = "Кто: (если требуется)"; +$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Примеры: cathy123, Кэти Уильямс, cathy@example.com"; +$a->strings["Since [date]:"] = "С какого времени [дата]:"; +$a->strings["Tell us about yourself..."] = "Расскажите нам о себе ..."; +$a->strings["XMPP (Jabber) address:"] = "Адрес XMPP (Jabber):"; +$a->strings["The XMPP address will be propagated to your contacts so that they can follow you."] = "Адрес XMPP будет отправлен контактам, чтобы они могли вас добавить."; +$a->strings["Homepage URL:"] = "Адрес домашней странички:"; +$a->strings["Hometown:"] = "Родной город:"; +$a->strings["Political Views:"] = "Политические взгляды:"; +$a->strings["Religious Views:"] = "Религиозные взгляды:"; +$a->strings["Public Keywords:"] = "Общественные ключевые слова:"; +$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Используется для предложения потенциальным друзьям, могут увидеть другие)"; +$a->strings["Private Keywords:"] = "Личные ключевые слова:"; +$a->strings["(Used for searching profiles, never shown to others)"] = "(Используется для поиска профилей, никогда не показывается другим)"; +$a->strings["Likes:"] = "Нравится:"; +$a->strings["Dislikes:"] = "Не нравится:"; +$a->strings["Musical interests"] = "Музыкальные интересы"; +$a->strings["Books, literature"] = "Книги, литература"; +$a->strings["Television"] = "Телевидение"; +$a->strings["Film/dance/culture/entertainment"] = "Кино / танцы / культура / развлечения"; +$a->strings["Hobbies/Interests"] = "Хобби / Интересы"; +$a->strings["Love/romance"] = "Любовь / романтика"; +$a->strings["Work/employment"] = "Работа / занятость"; +$a->strings["School/education"] = "Школа / образование"; +$a->strings["Contact information and Social Networks"] = "Контактная информация и социальные сети"; +$a->strings["Profile Image"] = "Фото профиля"; +$a->strings["visible to everybody"] = "видимый всем"; +$a->strings["Edit/Manage Profiles"] = "Редактировать профиль"; +$a->strings["Change profile photo"] = "Изменить фото профиля"; +$a->strings["Create New Profile"] = "Создать новый профиль"; +$a->strings["%d contact edited."] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["Could not access contact record."] = "Не удалось получить доступ к записи контакта."; +$a->strings["Could not locate selected profile."] = "Не удалось найти выбранный профиль."; +$a->strings["Contact updated."] = "Контакт обновлен."; +$a->strings["Contact has been blocked"] = "Контакт заблокирован"; +$a->strings["Contact has been unblocked"] = "Контакт разблокирован"; +$a->strings["Contact has been ignored"] = "Контакт проигнорирован"; +$a->strings["Contact has been unignored"] = "У контакта отменено игнорирование"; +$a->strings["Contact has been archived"] = "Контакт заархивирован"; +$a->strings["Contact has been unarchived"] = "Контакт разархивирован"; +$a->strings["Drop contact"] = "Удалить контакт"; +$a->strings["Do you really want to delete this contact?"] = "Вы действительно хотите удалить этот контакт?"; +$a->strings["Contact has been removed."] = "Контакт удален."; +$a->strings["You are mutual friends with %s"] = "У Вас взаимная дружба с %s"; +$a->strings["You are sharing with %s"] = "Вы делитесь с %s"; +$a->strings["%s is sharing with you"] = "%s делится с Вами"; +$a->strings["Private communications are not available for this contact."] = "Приватные коммуникации недоступны для этого контакта."; +$a->strings["Never"] = "Никогда"; +$a->strings["(Update was successful)"] = "(Обновление было успешно)"; +$a->strings["(Update was not successful)"] = "(Обновление не удалось)"; +$a->strings["Suggest friends"] = "Предложить друзей"; +$a->strings["Network type: %s"] = "Сеть: %s"; +$a->strings["Communications lost with this contact!"] = "Связь с контактом утеряна!"; +$a->strings["Fetch further information for feeds"] = "Получить подробную информацию о фидах"; +$a->strings["Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags."] = ""; +$a->strings["Disabled"] = "Отключенный"; +$a->strings["Fetch information"] = "Получить информацию"; +$a->strings["Fetch keywords"] = ""; +$a->strings["Fetch information and keywords"] = "Получить информацию и ключевые слова"; +$a->strings["Contact"] = "Контакт"; +$a->strings["Profile Visibility"] = "Видимость профиля"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Пожалуйста, выберите профиль, который вы хотите отображать %s, когда просмотр вашего профиля безопасен."; +$a->strings["Contact Information / Notes"] = "Информация о контакте / Заметки"; +$a->strings["Their personal note"] = ""; +$a->strings["Edit contact notes"] = "Редактировать заметки контакта"; +$a->strings["Block/Unblock contact"] = "Блокировать / Разблокировать контакт"; +$a->strings["Ignore contact"] = "Игнорировать контакт"; +$a->strings["Repair URL settings"] = "Восстановить настройки URL"; +$a->strings["View conversations"] = "Просмотр бесед"; +$a->strings["Last update:"] = "Последнее обновление: "; +$a->strings["Update public posts"] = "Обновить публичные сообщения"; +$a->strings["Update now"] = "Обновить сейчас"; +$a->strings["Unblock"] = "Разблокировать"; +$a->strings["Block"] = "Заблокировать"; +$a->strings["Unignore"] = "Не игнорировать"; +$a->strings["Currently blocked"] = "В настоящее время заблокирован"; +$a->strings["Currently ignored"] = "В настоящее время игнорируется"; +$a->strings["Currently archived"] = "В данный момент архивирован"; +$a->strings["Awaiting connection acknowledge"] = ""; +$a->strings["Replies/likes to your public posts may still be visible"] = "Ответы/лайки ваших публичных сообщений будут видимы."; +$a->strings["Notification for new posts"] = "Уведомление о новых постах"; +$a->strings["Send a notification of every new post of this contact"] = "Отправлять уведомление о каждом новом посте контакта"; +$a->strings["Blacklisted keywords"] = "Черный список ключевых слов"; +$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = ""; +$a->strings["XMPP:"] = "XMPP:"; +$a->strings["Actions"] = "Действия"; +$a->strings["Status"] = "Посты"; +$a->strings["Contact Settings"] = "Настройки контакта"; +$a->strings["Suggestions"] = "Предложения"; +$a->strings["Suggest potential friends"] = "Предложить потенциального знакомого"; +$a->strings["Show all contacts"] = "Показать все контакты"; +$a->strings["Unblocked"] = "Не блокирован"; +$a->strings["Only show unblocked contacts"] = "Показать только не блокированные контакты"; +$a->strings["Blocked"] = "Заблокирован"; +$a->strings["Only show blocked contacts"] = "Показать только блокированные контакты"; +$a->strings["Ignored"] = "Игнорирован"; +$a->strings["Only show ignored contacts"] = "Показать только игнорируемые контакты"; +$a->strings["Archived"] = "Архивированные"; +$a->strings["Only show archived contacts"] = "Показывать только архивные контакты"; +$a->strings["Hidden"] = "Скрытые"; +$a->strings["Only show hidden contacts"] = "Показывать только скрытые контакты"; +$a->strings["Search your contacts"] = "Поиск ваших контактов"; +$a->strings["Update"] = "Обновление"; +$a->strings["Archive"] = "Архивировать"; +$a->strings["Unarchive"] = "Разархивировать"; +$a->strings["Batch Actions"] = "Пакетные действия"; +$a->strings["Profile Details"] = "Информация о вас"; +$a->strings["View all contacts"] = "Показать все контакты"; +$a->strings["View all common friends"] = "Показать все общие поля"; +$a->strings["Advanced Contact Settings"] = "Дополнительные Настройки Контакта"; +$a->strings["Mutual Friendship"] = "Взаимная дружба"; +$a->strings["is a fan of yours"] = "является вашим поклонником"; +$a->strings["you are a fan of"] = "Вы - поклонник"; +$a->strings["Toggle Blocked status"] = "Изменить статус блокированности (заблокировать/разблокировать)"; +$a->strings["Toggle Ignored status"] = "Изменить статус игнорирования"; +$a->strings["Toggle Archive status"] = "Сменить статус архивации (архивирова/не архивировать)"; +$a->strings["Delete contact"] = "Удалить контакт"; +$a->strings["Terms of Service"] = ""; +$a->strings["Privacy Statement"] = ""; +$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = ""; +$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = ""; +$a->strings["This is Friendica, version"] = "Это Friendica, версия"; +$a->strings["running at web location"] = "работает на веб-узле"; +$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = ""; +$a->strings["Bug reports and issues: please visit"] = "Отчет об ошибках и проблемах: пожалуйста, посетите"; +$a->strings["the bugtracker at github"] = "багтрекер на github"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Предложения, похвала, пожертвования? Пишите на \"info\" на Friendica - точка com"; +$a->strings["Installed addons/apps:"] = ""; +$a->strings["No installed addons/apps"] = ""; +$a->strings["Read about the Terms of Service of this node."] = ""; +$a->strings["On this server the following remote servers are blocked."] = ""; +$a->strings["Reason for the block"] = ""; +$a->strings["No valid account found."] = "Не найдено действительного аккаунта."; +$a->strings["Password reset request issued. Check your email."] = "Запрос на сброс пароля принят. Проверьте вашу электронную почту."; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = ""; +$a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = ""; +$a->strings["Password reset requested at %s"] = "Запрос на сброс пароля получен %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Запрос не может быть проверен. (Вы, возможно, ранее представляли его.) Попытка сброса пароля неудачная."; +$a->strings["Request has expired, please make a new one."] = ""; +$a->strings["Forgot your Password?"] = "Забыли пароль?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Введите адрес электронной почты и подтвердите, что вы хотите сбросить ваш пароль. Затем проверьте свою электронную почту для получения дальнейших инструкций."; +$a->strings["Nickname or Email: "] = "Ник или E-mail: "; +$a->strings["Reset"] = "Сброс"; +$a->strings["Password Reset"] = "Сброс пароля"; +$a->strings["Your password has been reset as requested."] = "Ваш пароль был сброшен по требованию."; +$a->strings["Your new password is"] = "Ваш новый пароль"; +$a->strings["Save or copy your new password - and then"] = "Сохраните или скопируйте новый пароль - и затем"; +$a->strings["click here to login"] = "нажмите здесь для входа"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Ваш пароль может быть изменен на странице Настройки после успешного входа."; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = ""; +$a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = ""; +$a->strings["Your password has been changed at %s"] = "Ваш пароль был изменен %s"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Регистрация успешна. Пожалуйста, проверьте свою электронную почту для получения дальнейших инструкций."; +$a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = "Ошибка отправки письма. Вот ваши учетные данные:
логин: %s
пароль: %s

Вы сможете изменить пароль после входа."; +$a->strings["Registration successful."] = "Регистрация успешна."; +$a->strings["Your registration can not be processed."] = "Ваша регистрация не может быть обработана."; +$a->strings["Your registration is pending approval by the site owner."] = "Ваша регистрация в ожидании одобрения владельцем сайта."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Вы можете (по желанию), заполнить эту форму с помощью OpenID, поддерживая ваш OpenID и нажав клавишу \"Регистрация\"."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Если вы не знакомы с OpenID, пожалуйста, оставьте это поле пустым и заполните остальные элементы."; +$a->strings["Your OpenID (optional): "] = "Ваш OpenID (необязательно):"; +$a->strings["Include your profile in member directory?"] = "Включить ваш профиль в каталог участников?"; +$a->strings["Note for the admin"] = "Сообщение для администратора"; +$a->strings["Leave a message for the admin, why you want to join this node"] = "Сообщения для администратора сайта на тему \"почему я хочу присоединиться к вам\""; +$a->strings["Membership on this site is by invitation only."] = "Членство на сайте только по приглашению."; +$a->strings["Your invitation code: "] = ""; +$a->strings["Registration"] = "Регистрация"; +$a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = "Ваше полное имя (например, Иван Иванов):"; +$a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = ""; +$a->strings["New Password:"] = "Новый пароль:"; +$a->strings["Leave empty for an auto generated password."] = "Оставьте пустым для автоматической генерации пароля."; +$a->strings["Confirm:"] = "Подтвердите:"; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@%s'."] = ""; +$a->strings["Choose a nickname: "] = "Выберите псевдоним: "; +$a->strings["Register"] = "Регистрация"; +$a->strings["Import your profile to this friendica instance"] = "Импорт своего профиля в этот экземпляр friendica"; +$a->strings["Theme settings updated."] = "Настройки темы обновлены."; +$a->strings["Information"] = "Информация"; +$a->strings["Overview"] = ""; +$a->strings["Federation Statistics"] = ""; +$a->strings["Configuration"] = ""; +$a->strings["Site"] = "Сайт"; +$a->strings["Users"] = "Пользователи"; +$a->strings["Addons"] = ""; +$a->strings["Themes"] = "Темы"; +$a->strings["Additional features"] = "Дополнительные возможности"; +$a->strings["Database"] = ""; +$a->strings["DB updates"] = "Обновление БД"; +$a->strings["Inspect Queue"] = ""; +$a->strings["Tools"] = ""; +$a->strings["Contact Blocklist"] = ""; +$a->strings["Server Blocklist"] = ""; +$a->strings["Delete Item"] = ""; +$a->strings["Logs"] = "Журналы"; +$a->strings["View Logs"] = "Просмотр логов"; +$a->strings["Diagnostics"] = ""; +$a->strings["PHP Info"] = ""; +$a->strings["probe address"] = ""; +$a->strings["check webfinger"] = ""; +$a->strings["Admin"] = "Администратор"; +$a->strings["Addon Features"] = ""; +$a->strings["User registrations waiting for confirmation"] = "Регистрации пользователей, ожидающие подтверждения"; +$a->strings["Administration"] = "Администрация"; +$a->strings["Display Terms of Service"] = ""; +$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = ""; +$a->strings["Display Privacy Statement"] = ""; +$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = ""; +$a->strings["The Terms of Service"] = ""; +$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = ""; +$a->strings["The blocked domain"] = ""; +$a->strings["The reason why you blocked this domain."] = ""; +$a->strings["Delete domain"] = ""; +$a->strings["Check to delete this entry from the blocklist"] = ""; +$a->strings["This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."] = ""; +$a->strings["The list of blocked servers will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = ""; +$a->strings["Add new entry to block list"] = ""; +$a->strings["Server Domain"] = ""; +$a->strings["The domain of the new server to add to the block list. Do not include the protocol."] = ""; +$a->strings["Block reason"] = ""; +$a->strings["Add Entry"] = ""; +$a->strings["Save changes to the blocklist"] = ""; +$a->strings["Current Entries in the Blocklist"] = ""; +$a->strings["Delete entry from blocklist"] = ""; +$a->strings["Delete entry from blocklist?"] = ""; +$a->strings["Server added to blocklist."] = ""; +$a->strings["Site blocklist updated."] = ""; +$a->strings["The contact has been blocked from the node"] = ""; +$a->strings["Could not find any contact entry for this URL (%s)"] = ""; +$a->strings["%s contact unblocked"] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["Remote Contact Blocklist"] = ""; +$a->strings["This page allows you to prevent any message from a remote contact to reach your node."] = ""; +$a->strings["Block Remote Contact"] = ""; +$a->strings["select all"] = "выбрать все"; +$a->strings["select none"] = ""; +$a->strings["No remote contact is blocked from this node."] = ""; +$a->strings["Blocked Remote Contacts"] = ""; +$a->strings["Block New Remote Contact"] = ""; +$a->strings["Photo"] = ""; +$a->strings["%s total blocked contact"] = [ + 0 => "", + 1 => "", + 2 => "", + 3 => "", +]; +$a->strings["URL of the remote contact to block."] = ""; +$a->strings["Delete this Item"] = ""; +$a->strings["On this page you can delete an item from your node. If the item is a top level posting, the entire thread will be deleted."] = ""; +$a->strings["You need to know the GUID of the item. You can find it e.g. by looking at the display URL. The last part of http://example.com/display/123456 is the GUID, here 123456."] = ""; +$a->strings["GUID"] = ""; +$a->strings["The GUID of the item you want to delete."] = ""; +$a->strings["Item marked for deletion."] = ""; +$a->strings["unknown"] = ""; +$a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = ""; +$a->strings["The Auto Discovered Contact Directory feature is not enabled, it will improve the data displayed here."] = ""; +$a->strings["Currently this node is aware of %d nodes with %d registered users from the following platforms:"] = ""; +$a->strings["ID"] = ""; +$a->strings["Recipient Name"] = ""; +$a->strings["Recipient Profile"] = ""; +$a->strings["Network"] = "Новости"; +$a->strings["Created"] = ""; +$a->strings["Last Tried"] = ""; +$a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = ""; +$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = ""; +$a->strings["There is a new version of Friendica available for download. Your current version is %1\$s, upstream version is %2\$s"] = ""; +$a->strings["The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and have a look at the errors that might appear."] = ""; +$a->strings["The worker was never executed. Please check your database structure!"] = ""; +$a->strings["The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings."] = ""; +$a->strings["Normal Account"] = "Обычный аккаунт"; +$a->strings["Automatic Follower Account"] = ""; +$a->strings["Public Forum Account"] = ""; +$a->strings["Automatic Friend Account"] = "\"Автоматический друг\" Аккаунт"; +$a->strings["Blog Account"] = "Аккаунт блога"; +$a->strings["Private Forum Account"] = ""; +$a->strings["Message queues"] = "Очереди сообщений"; +$a->strings["Summary"] = "Резюме"; +$a->strings["Registered users"] = "Зарегистрированные пользователи"; +$a->strings["Pending registrations"] = "Ожидающие регистрации"; +$a->strings["Version"] = "Версия"; +$a->strings["Active addons"] = ""; +$a->strings["Can not parse base url. Must have at least ://"] = "Невозможно определить базовый URL. Он должен иметь следующий вид - ://"; +$a->strings["Site settings updated."] = "Установки сайта обновлены."; +$a->strings["No special theme for mobile devices"] = "Нет специальной темы для мобильных устройств"; +$a->strings["No community page"] = ""; +$a->strings["Public postings from users of this site"] = ""; +$a->strings["Public postings from the federated network"] = ""; +$a->strings["Public postings from local users and the federated network"] = ""; +$a->strings["Users, Global Contacts"] = ""; +$a->strings["Users, Global Contacts/fallback"] = ""; +$a->strings["One month"] = "Один месяц"; +$a->strings["Three months"] = "Три месяца"; +$a->strings["Half a year"] = "Пол года"; +$a->strings["One year"] = "Один год"; +$a->strings["Multi user instance"] = "Многопользовательский вид"; +$a->strings["Closed"] = "Закрыто"; +$a->strings["Requires approval"] = "Требуется подтверждение"; +$a->strings["Open"] = "Открыто"; +$a->strings["No SSL policy, links will track page SSL state"] = "Нет режима SSL, состояние SSL не будет отслеживаться"; +$a->strings["Force all links to use SSL"] = "Заставить все ссылки использовать SSL"; +$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Само-подписанный сертификат, использовать SSL только локально (не рекомендуется)"; +$a->strings["Don't check"] = ""; +$a->strings["check the stable version"] = ""; +$a->strings["check the development version"] = ""; +$a->strings["Republish users to directory"] = ""; +$a->strings["File upload"] = "Загрузка файлов"; +$a->strings["Policies"] = "Политики"; +$a->strings["Auto Discovered Contact Directory"] = ""; +$a->strings["Performance"] = "Производительность"; +$a->strings["Worker"] = ""; +$a->strings["Message Relay"] = ""; +$a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Переместить - ПРЕДУПРЕЖДЕНИЕ: расширеная функция. Может сделать этот сервер недоступным."; +$a->strings["Site name"] = "Название сайта"; +$a->strings["Host name"] = "Имя хоста"; +$a->strings["Sender Email"] = "Системный Email"; +$a->strings["The email address your server shall use to send notification emails from."] = "Адрес с которого будут приходить письма пользователям."; +$a->strings["Banner/Logo"] = "Баннер/Логотип"; +$a->strings["Shortcut icon"] = ""; +$a->strings["Link to an icon that will be used for browsers."] = ""; +$a->strings["Touch icon"] = ""; +$a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; +$a->strings["Additional Info"] = "Дополнительная информация"; +$a->strings["For public servers: you can add additional information here that will be listed at %s/servers."] = ""; +$a->strings["System language"] = "Системный язык"; +$a->strings["System theme"] = "Системная тема"; +$a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = "Тема системы по умолчанию - может быть переопределена пользователем - изменить настройки темы"; +$a->strings["Mobile system theme"] = "Мобильная тема системы"; +$a->strings["Theme for mobile devices"] = "Тема для мобильных устройств"; +$a->strings["SSL link policy"] = "Политика SSL"; +$a->strings["Determines whether generated links should be forced to use SSL"] = "Ссылки должны быть вынуждены использовать SSL"; +$a->strings["Force SSL"] = "SSL принудительно"; +$a->strings["Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops."] = ""; +$a->strings["Hide help entry from navigation menu"] = "Скрыть пункт \"помощь\" в меню навигации"; +$a->strings["Hides the menu entry for the Help pages from the navigation menu. You can still access it calling /help directly."] = "Скрывает элемент меню для страницы справки из меню навигации. Вы все еще можете получить доступ к нему через вызов/помощь напрямую."; +$a->strings["Single user instance"] = "Однопользовательский режим"; +$a->strings["Make this instance multi-user or single-user for the named user"] = "Сделать этот экземпляр многопользовательским, или однопользовательским для названного пользователя"; +$a->strings["Maximum image size"] = "Максимальный размер изображения"; +$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = "Максимальный размер в байтах для загружаемых изображений. По умолчанию 0, что означает отсутствие ограничений."; +$a->strings["Maximum image length"] = "Максимальная длина картинки"; +$a->strings["Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits."] = "Максимальная длина в пикселях для длинной стороны загруженных изображений. По умолчанию равно -1, что означает отсутствие ограничений."; +$a->strings["JPEG image quality"] = "Качество JPEG изображения"; +$a->strings["Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is full quality."] = "Загруженные изображения JPEG будут сохранены в этом качестве [0-100]. По умолчанию 100, что означает полное качество."; +$a->strings["Register policy"] = "Политика регистрация"; +$a->strings["Maximum Daily Registrations"] = "Максимальное число регистраций в день"; +$a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = "Если регистрация разрешена, этот параметр устанавливает максимальное количество новых регистраций пользователей в день. Если регистрация закрыта, эта опция не имеет никакого эффекта."; +$a->strings["Register text"] = "Текст регистрации"; +$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = ""; +$a->strings["Accounts abandoned after x days"] = "Аккаунт считается после x дней не воспользованным"; +$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Не будет тратить ресурсы для опроса сайтов для бесхозных контактов. Введите 0 для отключения лимита времени."; +$a->strings["Allowed friend domains"] = "Разрешенные домены друзей"; +$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = "Разделенный запятыми список доменов, которые разрешены для установления связей. Групповые символы принимаются. Оставьте пустым для разрешения связи со всеми доменами."; +$a->strings["Allowed email domains"] = "Разрешенные почтовые домены"; +$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = "Разделенный запятыми список доменов, которые разрешены для установления связей. Групповые символы принимаются. Оставьте пустым для разрешения связи со всеми доменами."; +$a->strings["No OEmbed rich content"] = ""; +$a->strings["Don't show the rich content (e.g. embedded PDF), except from the domains listed below."] = ""; +$a->strings["Allowed OEmbed domains"] = ""; +$a->strings["Comma separated list of domains which oembed content is allowed to be displayed. Wildcards are accepted."] = ""; +$a->strings["Block public"] = "Блокировать общественный доступ"; +$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = "Отметьте, чтобы заблокировать публичный доступ ко всем иным публичным личным страницам на этом сайте, если вы не вошли на сайт."; +$a->strings["Force publish"] = "Принудительная публикация"; +$a->strings["Check to force all profiles on this site to be listed in the site directory."] = "Отметьте, чтобы принудительно заставить все профили на этом сайте, быть перечислеными в каталоге сайта."; +$a->strings["Global directory URL"] = ""; +$a->strings["URL to the global directory. If this is not set, the global directory is completely unavailable to the application."] = ""; +$a->strings["Private posts by default for new users"] = "Частные сообщения по умолчанию для новых пользователей"; +$a->strings["Set default post permissions for all new members to the default privacy group rather than public."] = "Установить права на создание постов по умолчанию для всех участников в дефолтной приватной группе, а не для публичных участников."; +$a->strings["Don't include post content in email notifications"] = "Не включать текст сообщения в email-оповещение."; +$a->strings["Don't include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure."] = "Не включать содержание сообщения/комментария/личного сообщения и т.д.. в уведомления электронной почты, отправленных с сайта, в качестве меры конфиденциальности."; +$a->strings["Disallow public access to addons listed in the apps menu."] = "Запретить публичный доступ к аддонам, перечисленным в меню приложений."; +$a->strings["Checking this box will restrict addons listed in the apps menu to members only."] = "При установке этого флажка, будут ограничены аддоны, перечисленные в меню приложений, только для участников."; +$a->strings["Don't embed private images in posts"] = "Не вставлять личные картинки в постах"; +$a->strings["Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while."] = "Не заменяйте локально расположенные фотографии в постах на внедрённые копии изображений. Это означает, что контакты, которые получают сообщения, содержащие личные фотографии, будут вынуждены идентефицироваться и грузить каждое изображение, что может занять некоторое время."; +$a->strings["Allow Users to set remote_self"] = "Разрешить пользователям установить remote_self"; +$a->strings["With checking this, every user is allowed to mark every contact as a remote_self in the repair contact dialog. Setting this flag on a contact causes mirroring every posting of that contact in the users stream."] = ""; +$a->strings["Block multiple registrations"] = "Блокировать множественные регистрации"; +$a->strings["Disallow users to register additional accounts for use as pages."] = "Запретить пользователям регистрировать дополнительные аккаунты для использования в качестве страниц."; +$a->strings["OpenID support"] = "Поддержка OpenID"; +$a->strings["OpenID support for registration and logins."] = "OpenID поддержка для регистрации и входа в систему."; +$a->strings["Fullname check"] = "Проверка полного имени"; +$a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = "Принудить пользователей регистрироваться с пробелом между именем и фамилией в строке \"полное имя\". Антиспам мера."; +$a->strings["Community pages for visitors"] = ""; +$a->strings["Which community pages should be available for visitors. Local users always see both pages."] = ""; +$a->strings["Posts per user on community page"] = ""; +$a->strings["The maximum number of posts per user on the community page. (Not valid for 'Global Community')"] = ""; +$a->strings["Enable OStatus support"] = "Включить поддержку OStatus"; +$a->strings["Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = ""; +$a->strings["Only import OStatus threads from our contacts"] = ""; +$a->strings["Normally we import every content from our OStatus contacts. With this option we only store threads that are started by a contact that is known on our system."] = ""; +$a->strings["OStatus support can only be enabled if threading is enabled."] = ""; +$a->strings["Diaspora support can't be enabled because Friendica was installed into a sub directory."] = ""; +$a->strings["Enable Diaspora support"] = "Включить поддержку Diaspora"; +$a->strings["Provide built-in Diaspora network compatibility."] = "Обеспечить встроенную поддержку сети Diaspora."; +$a->strings["Only allow Friendica contacts"] = "Позвольть только Friendica контакты"; +$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = "Все контакты должны использовать только Friendica протоколы. Все другие встроенные коммуникационные протоколы отключены."; +$a->strings["Verify SSL"] = "Проверка SSL"; +$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = "Если хотите, вы можете включить строгую проверку сертификатов. Это будет означать, что вы не сможете соединиться (вообще) с сайтами, имеющими само-подписанный SSL сертификат."; +$a->strings["Proxy user"] = "Прокси пользователь"; +$a->strings["Proxy URL"] = "Прокси URL"; +$a->strings["Network timeout"] = "Тайм-аут сети"; +$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = "Значение указывается в секундах. Установите 0 для снятия ограничений (не рекомендуется)."; +$a->strings["Maximum Load Average"] = "Средняя максимальная нагрузка"; +$a->strings["Maximum system load before delivery and poll processes are deferred - default 50."] = "Максимальная нагрузка на систему перед приостановкой процессов доставки и опросов - по умолчанию 50."; +$a->strings["Maximum Load Average (Frontend)"] = ""; +$a->strings["Maximum system load before the frontend quits service - default 50."] = ""; +$a->strings["Minimal Memory"] = ""; +$a->strings["Minimal free memory in MB for the worker. Needs access to /proc/meminfo - default 0 (deactivated)."] = ""; +$a->strings["Maximum table size for optimization"] = ""; +$a->strings["Maximum table size (in MB) for the automatic optimization - default 100 MB. Enter -1 to disable it."] = ""; +$a->strings["Minimum level of fragmentation"] = ""; +$a->strings["Minimum fragmenation level to start the automatic optimization - default value is 30%."] = ""; +$a->strings["Periodical check of global contacts"] = ""; +$a->strings["If enabled, the global contacts are checked periodically for missing or outdated data and the vitality of the contacts and servers."] = ""; +$a->strings["Days between requery"] = ""; +$a->strings["Number of days after which a server is requeried for his contacts."] = ""; +$a->strings["Discover contacts from other servers"] = ""; +$a->strings["Periodically query other servers for contacts. You can choose between 'users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommened setting is 'Users, Global Contacts'."] = ""; +$a->strings["Timeframe for fetching global contacts"] = ""; +$a->strings["When the discovery is activated, this value defines the timeframe for the activity of the global contacts that are fetched from other servers."] = ""; +$a->strings["Search the local directory"] = ""; +$a->strings["Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated."] = ""; +$a->strings["Publish server information"] = ""; +$a->strings["If enabled, general server and usage data will be published. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details."] = ""; +$a->strings["Check upstream version"] = ""; +$a->strings["Enables checking for new Friendica versions at github. If there is a new version, you will be informed in the admin panel overview."] = ""; +$a->strings["Suppress Tags"] = ""; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; +$a->strings["Path to item cache"] = "Путь к элементам кэша"; +$a->strings["The item caches buffers generated bbcode and external images."] = ""; +$a->strings["Cache duration in seconds"] = "Время жизни кэша в секундах"; +$a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = ""; +$a->strings["Maximum numbers of comments per post"] = ""; +$a->strings["How much comments should be shown for each post? Default value is 100."] = ""; +$a->strings["Temp path"] = "Временная папка"; +$a->strings["If you have a restricted system where the webserver can't access the system temp path, enter another path here."] = ""; +$a->strings["Base path to installation"] = "Путь для установки"; +$a->strings["If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot."] = ""; +$a->strings["Disable picture proxy"] = "Отключить проксирование картинок"; +$a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Прокси картинок увеличивает производительность и приватность. Он не должен использоваться на системах с очень маленькой мощностью."; +$a->strings["Only search in tags"] = "Искать только в тегах"; +$a->strings["On large systems the text search can slow down the system extremely."] = "На больших системах текстовый поиск может сильно замедлить систему."; +$a->strings["New base url"] = "Новый базовый url"; +$a->strings["Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."] = ""; +$a->strings["RINO Encryption"] = "RINO шифрование"; +$a->strings["Encryption layer between nodes."] = "Слой шифрования между узлами."; +$a->strings["Enabled"] = ""; +$a->strings["Maximum number of parallel workers"] = "Максимальное число параллельно работающих worker'ов"; +$a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = "Он shared-хостингах установите параметр в 2. На больших системах можно установить 10 или более. По-умолчанию 4."; +$a->strings["Don't use 'proc_open' with the worker"] = "Не использовать 'proc_open' с worker'ом"; +$a->strings["Enable this if your system doesn't allow the use of 'proc_open'. This can happen on shared hosters. If this is enabled you should increase the frequency of worker calls in your crontab."] = ""; +$a->strings["Enable fastlane"] = "Включить fastlane"; +$a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = ""; +$a->strings["Enable frontend worker"] = "Включить frontend worker"; +$a->strings["When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = ""; +$a->strings["Subscribe to relay"] = ""; +$a->strings["Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page."] = ""; +$a->strings["Relay server"] = ""; +$a->strings["Address of the relay server where public posts should be send to. For example https://relay.diasp.org"] = ""; +$a->strings["Direct relay transfer"] = ""; +$a->strings["Enables the direct transfer to other servers without using the relay servers"] = ""; +$a->strings["Relay scope"] = ""; +$a->strings["Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."] = ""; +$a->strings["all"] = ""; +$a->strings["tags"] = ""; +$a->strings["Server tags"] = ""; +$a->strings["Comma separated list of tags for the 'tags' subscription."] = ""; +$a->strings["Allow user tags"] = ""; +$a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = ""; +$a->strings["Update has been marked successful"] = "Обновление было успешно отмечено"; +$a->strings["Database structure update %s was successfully applied."] = "Обновление базы данных %s успешно применено."; +$a->strings["Executing of database structure update %s failed with error: %s"] = "Выполнение обновления базы данных %s завершено с ошибкой: %s"; +$a->strings["Executing %s failed with error: %s"] = "Выполнение %s завершено с ошибкой: %s"; +$a->strings["Update %s was successfully applied."] = "Обновление %s успешно применено."; +$a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Процесс обновления %s не вернул статус. Не известно, выполнено, или нет."; +$a->strings["There was no additional update function %s that needed to be called."] = ""; +$a->strings["No failed updates."] = "Неудавшихся обновлений нет."; +$a->strings["Check database structure"] = "Проверить структуру базы данных"; +$a->strings["Failed Updates"] = "Неудавшиеся обновления"; +$a->strings["This does not include updates prior to 1139, which did not return a status."] = "Эта цифра не включает обновления до 1139, которое не возвращает статус."; +$a->strings["Mark success (if update was manually applied)"] = "Отмечено успешно (если обновление было применено вручную)"; +$a->strings["Attempt to execute this update step automatically"] = "Попытаться выполнить этот шаг обновления автоматически"; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = ""; +$a->strings["Registration details for %s"] = "Подробности регистрации для %s"; +$a->strings["%s user blocked/unblocked"] = [ + 0 => "%s пользователь заблокирован/разблокирован", + 1 => "%s пользователей заблокировано/разблокировано", + 2 => "%s пользователей заблокировано/разблокировано", + 3 => "%s пользователей заблокировано/разблокировано", +]; +$a->strings["%s user deleted"] = [ + 0 => "%s человек удален", + 1 => "%s чел. удалено", + 2 => "%s чел. удалено", + 3 => "%s чел. удалено", +]; +$a->strings["User '%s' deleted"] = "Пользователь '%s' удален"; +$a->strings["User '%s' unblocked"] = "Пользователь '%s' разблокирован"; +$a->strings["User '%s' blocked"] = "Пользователь '%s' блокирован"; +$a->strings["Email"] = "Эл. почта"; +$a->strings["Register date"] = "Дата регистрации"; +$a->strings["Last login"] = "Последний вход"; +$a->strings["Last item"] = "Последний пункт"; +$a->strings["Account"] = "Аккаунт"; +$a->strings["Add User"] = "Добавить пользователя"; +$a->strings["User registrations waiting for confirm"] = "Регистрации пользователей, ожидающие подтверждения"; +$a->strings["User waiting for permanent deletion"] = "Пользователь ожидает окончательного удаления"; +$a->strings["Request date"] = "Запрос даты"; +$a->strings["No registrations."] = "Нет регистраций."; +$a->strings["Note from the user"] = "Сообщение от пользователя"; +$a->strings["Deny"] = "Отклонить"; +$a->strings["Site admin"] = "Админ сайта"; +$a->strings["Account expired"] = "Аккаунт просрочен"; +$a->strings["New User"] = "Новый пользователь"; +$a->strings["Deleted since"] = "Удалён с"; +$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Выбранные пользователи будут удалены!\\n\\nВсе, что эти пользователи написали на этом сайте, будет удалено!\\n\\nВы уверены в вашем действии?"; +$a->strings["The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Пользователь {0} будет удален!\\n\\nВсе, что этот пользователь написал на этом сайте, будет удалено!\\n\\nВы уверены в вашем действии?"; +$a->strings["Name of the new user."] = "Имя нового пользователя."; +$a->strings["Nickname"] = "Ник"; +$a->strings["Nickname of the new user."] = "Ник нового пользователя."; +$a->strings["Email address of the new user."] = "Email адрес нового пользователя."; +$a->strings["Addon %s disabled."] = ""; +$a->strings["Addon %s enabled."] = ""; +$a->strings["Disable"] = "Отключить"; +$a->strings["Enable"] = "Включить"; +$a->strings["Toggle"] = "Переключить"; +$a->strings["Author: "] = "Автор:"; +$a->strings["Maintainer: "] = "Программа обслуживания: "; +$a->strings["Reload active addons"] = ""; +$a->strings["There are currently no addons available on your node. You can find the official addon repository at %1\$s and might find other interesting addons in the open addon registry at %2\$s"] = ""; +$a->strings["No themes found."] = "Темы не найдены."; +$a->strings["Screenshot"] = "Скриншот"; +$a->strings["Reload active themes"] = "Перезагрузить активные темы"; +$a->strings["No themes found on the system. They should be placed in %1\$s"] = ""; +$a->strings["[Experimental]"] = "[экспериментально]"; +$a->strings["[Unsupported]"] = "[Неподдерживаемое]"; +$a->strings["Log settings updated."] = "Настройки журнала обновлены."; +$a->strings["PHP log currently enabled."] = "Лог PHP включен."; +$a->strings["PHP log currently disabled."] = "Лог PHP выключен."; +$a->strings["Clear"] = "Очистить"; +$a->strings["Enable Debugging"] = "Включить отладку"; +$a->strings["Log file"] = "Лог-файл"; +$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Должно быть доступно для записи в веб-сервере. Относительно вашего Friendica каталога верхнего уровня."; +$a->strings["Log level"] = "Уровень лога"; +$a->strings["PHP logging"] = "PHP логирование"; +$a->strings["To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = ""; +$a->strings["Error trying to open %1\$s log file.\\r\\n
Check to see if file %1\$s exist and is readable."] = ""; +$a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = ""; +$a->strings["Off"] = "Выкл."; +$a->strings["On"] = "Вкл."; +$a->strings["Lock feature %s"] = "Заблокировать %s"; +$a->strings["Manage Additional Features"] = "Управление дополнительными возможностями"; +$a->strings["Display"] = "Внешний вид"; +$a->strings["Social Networks"] = "Социальные сети"; +$a->strings["Delegations"] = "Делегирование"; +$a->strings["Connected apps"] = "Подключенные приложения"; +$a->strings["Remove account"] = "Удалить аккаунт"; +$a->strings["Missing some important data!"] = "Не хватает важных данных!"; +$a->strings["Failed to connect with email account using the settings provided."] = "Не удалось подключиться к аккаунту e-mail, используя указанные настройки."; +$a->strings["Email settings updated."] = "Настройки эл. почты обновлены."; +$a->strings["Features updated"] = "Настройки обновлены"; +$a->strings["Relocate message has been send to your contacts"] = "Перемещённое сообщение было отправлено списку контактов"; +$a->strings["Passwords do not match. Password unchanged."] = "Пароли не совпадают. Пароль не изменен."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Пустые пароли не допускаются. Пароль не изменен."; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; +$a->strings["Wrong password."] = "Неверный пароль."; +$a->strings["Password changed."] = "Пароль изменен."; +$a->strings["Password update failed. Please try again."] = "Обновление пароля не удалось. Пожалуйста, попробуйте еще раз."; +$a->strings[" Please use a shorter name."] = " Пожалуйста, используйте более короткое имя."; +$a->strings[" Name too short."] = " Имя слишком короткое."; +$a->strings["Wrong Password"] = "Неверный пароль."; +$a->strings["Invalid email."] = ""; +$a->strings["Cannot change to that email."] = ""; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Частный форум не имеет настроек приватности. Используется группа конфиденциальности по умолчанию."; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Частный форум не имеет настроек приватности и не имеет групп приватности по умолчанию."; +$a->strings["Settings updated."] = "Настройки обновлены."; +$a->strings["Add application"] = "Добавить приложения"; +$a->strings["Consumer Key"] = "Consumer Key"; +$a->strings["Consumer Secret"] = "Consumer Secret"; +$a->strings["Redirect"] = "Перенаправление"; +$a->strings["Icon url"] = "URL символа"; +$a->strings["You can't edit this application."] = "Вы не можете изменить это приложение."; +$a->strings["Connected Apps"] = "Подключенные приложения"; +$a->strings["Edit"] = "Редактировать"; +$a->strings["Client key starts with"] = "Ключ клиента начинается с"; +$a->strings["No name"] = "Нет имени"; +$a->strings["Remove authorization"] = "Удалить авторизацию"; +$a->strings["No Addon settings configured"] = ""; +$a->strings["Addon Settings"] = ""; +$a->strings["Additional Features"] = "Дополнительные возможности"; +$a->strings["Diaspora"] = "Diaspora"; +$a->strings["enabled"] = "подключено"; +$a->strings["disabled"] = "отключено"; +$a->strings["Built-in support for %s connectivity is %s"] = "Встроенная поддержка для %s подключение %s"; +$a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; +$a->strings["Email access is disabled on this site."] = "Доступ эл. почты отключен на этом сайте."; +$a->strings["General Social Media Settings"] = "Общие настройки социальных медиа"; +$a->strings["Disable Content Warning"] = ""; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = ""; +$a->strings["Disable intelligent shortening"] = "Отключить умное сокращение"; +$a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = "Обычно система пытается найти лучшую ссылку для добавления к сокращенному посту. Если эта настройка включена, то каждый сокращенный пост будет указывать на оригинальный пост в Friendica."; +$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = "Автоматически подписываться на любого пользователя GNU Social (OStatus), который вас упомянул или который на вас подписался"; +$a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = "Если вы получите сообщение от неизвестной учетной записи OStatus, эта настройка решает, что делать. Если включена, то новый контакт будет создан для каждого неизвестного пользователя."; +$a->strings["Default group for OStatus contacts"] = "Группа по-умолчанию для OStatus-контактов"; +$a->strings["Your legacy GNU Social account"] = "Ваша старая учетная запись GNU Social"; +$a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = "Если вы введете тут вашу старую учетную запись GNU Social/Statusnet (в виде пользователь@домен), ваши контакты оттуда будут автоматически добавлены. Поле будет очищено когда все контакты будут добавлены."; +$a->strings["Repair OStatus subscriptions"] = "Починить подписки OStatus"; +$a->strings["Email/Mailbox Setup"] = "Настройка эл. почты / почтового ящика"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Если вы хотите общаться с Email контактами, используя этот сервис (по желанию), пожалуйста, уточните, как подключиться к вашему почтовому ящику."; +$a->strings["Last successful email check:"] = "Последняя успешная проверка электронной почты:"; +$a->strings["IMAP server name:"] = "Имя IMAP сервера:"; +$a->strings["IMAP port:"] = "Порт IMAP:"; +$a->strings["Security:"] = "Безопасность:"; +$a->strings["None"] = "Ничего"; +$a->strings["Email login name:"] = "Логин эл. почты:"; +$a->strings["Email password:"] = "Пароль эл. почты:"; +$a->strings["Reply-to address:"] = "Адрес для ответа:"; +$a->strings["Send public posts to all email contacts:"] = "Отправлять открытые сообщения на все контакты электронной почты:"; +$a->strings["Action after import:"] = "Действие после импорта:"; +$a->strings["Mark as seen"] = "Отметить, как прочитанное"; +$a->strings["Move to folder"] = "Переместить в папку"; +$a->strings["Move to folder:"] = "Переместить в папку:"; +$a->strings["%s - (Unsupported)"] = ""; +$a->strings["%s - (Experimental)"] = ""; +$a->strings["Display Settings"] = "Параметры дисплея"; +$a->strings["Display Theme:"] = "Показать тему:"; +$a->strings["Mobile Theme:"] = "Мобильная тема:"; +$a->strings["Suppress warning of insecure networks"] = "Не отображать уведомление о небезопасных сетях"; +$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = "Должна ли система подавлять уведомления о том, что текущая группа содержить пользователей из сетей, которые не могут получать непубличные сообщения или сообщения с ограниченной видимостью."; +$a->strings["Update browser every xx seconds"] = "Обновление браузера каждые хх секунд"; +$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = "Минимум 10 секунд. Введите -1 для отключения."; +$a->strings["Number of items to display per page:"] = "Количество элементов, отображаемых на одной странице:"; +$a->strings["Maximum of 100 items"] = "Максимум 100 элементов"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = "Количество элементов на странице, когда просмотр осуществляется с мобильных устройств:"; +$a->strings["Don't show emoticons"] = "не показывать emoticons"; +$a->strings["Calendar"] = "Календарь"; +$a->strings["Beginning of week:"] = "Начало недели:"; +$a->strings["Don't show notices"] = "Не показывать уведомления"; +$a->strings["Infinite scroll"] = "Бесконечная прокрутка"; +$a->strings["Automatic updates only at the top of the network page"] = "Автоматически обновлять только при нахождении вверху страницы \"Сеть\""; +$a->strings["When disabled, the network page is updated all the time, which could be confusing while reading."] = ""; +$a->strings["Bandwith Saver Mode"] = "Режим экономии трафика"; +$a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = "Если включено, то включенный контент не отображается при автоматическом обновлении, он будет показан только при перезагрузке страницы."; +$a->strings["Smart Threading"] = ""; +$a->strings["When enabled, suppress extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled."] = ""; +$a->strings["General Theme Settings"] = "Общие настройки тем"; +$a->strings["Custom Theme Settings"] = "Личные настройки тем"; +$a->strings["Content Settings"] = "Настройки контента"; +$a->strings["Theme settings"] = "Настройки темы"; +$a->strings["Unable to find your profile. Please contact your admin."] = ""; +$a->strings["Account Types"] = "Тип учетной записи"; +$a->strings["Personal Page Subtypes"] = "Подтипы личной страницы"; +$a->strings["Community Forum Subtypes"] = "Подтипы форума сообщества"; +$a->strings["Personal Page"] = "Личная страница"; +$a->strings["Account for a personal profile."] = ""; +$a->strings["Organisation Page"] = "Организационная страница"; +$a->strings["Account for an organisation that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["News Page"] = "Новостная страница"; +$a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["Community Forum"] = "Форум сообщества"; +$a->strings["Account for community discussions."] = ""; +$a->strings["Normal Account Page"] = "Стандартная страница аккаунта"; +$a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; +$a->strings["Soapbox Page"] = "Песочница"; +$a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["Public Forum"] = "Публичный форум"; +$a->strings["Automatically approves all contact requests."] = ""; +$a->strings["Automatic Friend Page"] = "\"Автоматический друг\" страница"; +$a->strings["Account for a popular profile that automatically approves contact requests as \"Friends\"."] = ""; +$a->strings["Private Forum [Experimental]"] = "Личный форум [экспериментально]"; +$a->strings["Requires manual approval of contact requests."] = ""; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Необязательно) Разрешить этому OpenID входить в этот аккаунт"; +$a->strings["Publish your default profile in your local site directory?"] = "Публиковать ваш профиль по умолчанию в вашем локальном каталоге на сайте?"; +$a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; +$a->strings["Publish your default profile in the global social directory?"] = "Публиковать ваш профиль по умолчанию в глобальном социальном каталоге?"; +$a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Скрывать ваш список контактов/друзей от посетителей вашего профиля по умолчанию?"; +$a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; +$a->strings["Hide your profile details from anonymous viewers?"] = ""; +$a->strings["Anonymous visitors will only see your profile picture, your display name and the nickname you are using on your profile page. Disables posting public messages to Diaspora and other networks."] = ""; +$a->strings["Allow friends to post to your profile page?"] = "Разрешить друзьям оставлять сообщения на страницу вашего профиля?"; +$a->strings["Your contacts may write posts on your profile wall. These posts will be distributed to your contacts"] = ""; +$a->strings["Allow friends to tag your posts?"] = "Разрешить друзьям отмечять ваши сообщения?"; +$a->strings["Your contacts can add additional tags to your posts."] = ""; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Позвольть предлогать Вам потенциальных друзей?"; +$a->strings["If you like, Friendica may suggest new members to add you as a contact."] = ""; +$a->strings["Permit unknown people to send you private mail?"] = "Разрешить незнакомым людям отправлять вам личные сообщения?"; +$a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; +$a->strings["Profile is not published."] = "Профиль не публикуется."; +$a->strings["Your Identity Address is '%s' or '%s'."] = "Ваш адрес: '%s' или '%s'."; +$a->strings["Automatically expire posts after this many days:"] = "Автоматическое истекание срока действия сообщения после стольких дней:"; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Если пусто, срок действия сообщений не будет ограничен. Сообщения с истекшим сроком действия будут удалены"; +$a->strings["Advanced expiration settings"] = "Настройки расширенного окончания срока действия"; +$a->strings["Advanced Expiration"] = "Расширенное окончание срока действия"; +$a->strings["Expire posts:"] = "Срок хранения сообщений:"; +$a->strings["Expire personal notes:"] = "Срок хранения личных заметок:"; +$a->strings["Expire starred posts:"] = "Срок хранения усеянных сообщений:"; +$a->strings["Expire photos:"] = "Срок хранения фотографий:"; +$a->strings["Only expire posts by others:"] = "Только устаревшие посты других:"; +$a->strings["Account Settings"] = "Настройки аккаунта"; +$a->strings["Password Settings"] = "Смена пароля"; +$a->strings["Leave password fields blank unless changing"] = "Оставьте поля пароля пустыми, если он не изменяется"; +$a->strings["Current Password:"] = "Текущий пароль:"; +$a->strings["Your current password to confirm the changes"] = "Ваш текущий пароль, для подтверждения изменений"; +$a->strings["Password:"] = "Пароль:"; +$a->strings["Basic Settings"] = "Основные параметры"; +$a->strings["Full Name:"] = "Полное имя:"; +$a->strings["Email Address:"] = "Адрес электронной почты:"; +$a->strings["Your Timezone:"] = "Ваш часовой пояс:"; +$a->strings["Your Language:"] = "Ваш язык:"; +$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Выберите язык, на котором вы будете видеть интерфейс Friendica и на котором вы будете получать письма"; +$a->strings["Default Post Location:"] = "Местонахождение по умолчанию:"; +$a->strings["Use Browser Location:"] = "Использовать определение местоположения браузером:"; +$a->strings["Security and Privacy Settings"] = "Параметры безопасности и конфиденциальности"; +$a->strings["Maximum Friend Requests/Day:"] = "Максимум запросов в друзья в день:"; +$a->strings["(to prevent spam abuse)"] = "(для предотвращения спама)"; +$a->strings["Default Post Permissions"] = "Разрешение на сообщения по умолчанию"; +$a->strings["(click to open/close)"] = "(нажмите, чтобы открыть / закрыть)"; +$a->strings["Default Private Post"] = "Личное сообщение по умолчанию"; +$a->strings["Default Public Post"] = "Публичное сообщение по умолчанию"; +$a->strings["Default Permissions for New Posts"] = "Права для новых записей по умолчанию"; +$a->strings["Maximum private messages per day from unknown people:"] = "Максимальное количество личных сообщений от незнакомых людей в день:"; +$a->strings["Notification Settings"] = "Настройка уведомлений"; +$a->strings["By default post a status message when:"] = "Отправить состояние о статусе по умолчанию, если:"; +$a->strings["accepting a friend request"] = "принятие запроса на добавление в друзья"; +$a->strings["joining a forum/community"] = "вступление в сообщество/форум"; +$a->strings["making an interesting profile change"] = "сделать изменения в настройках интересов профиля"; +$a->strings["Send a notification email when:"] = "Отправлять уведомление по электронной почте, когда:"; +$a->strings["You receive an introduction"] = "Вы получили запрос"; +$a->strings["Your introductions are confirmed"] = "Ваши запросы подтверждены"; +$a->strings["Someone writes on your profile wall"] = "Кто-то пишет на стене вашего профиля"; +$a->strings["Someone writes a followup comment"] = "Кто-то пишет последующий комментарий"; +$a->strings["You receive a private message"] = "Вы получаете личное сообщение"; +$a->strings["You receive a friend suggestion"] = "Вы полулили предложение о добавлении в друзья"; +$a->strings["You are tagged in a post"] = "Вы отмечены в посте"; +$a->strings["You are poked/prodded/etc. in a post"] = "Вас потыкали/подтолкнули/и т.д. в посте"; +$a->strings["Activate desktop notifications"] = "Активировать уведомления на рабочем столе"; +$a->strings["Show desktop popup on new notifications"] = "Показывать уведомления на рабочем столе"; +$a->strings["Text-only notification emails"] = "Только текстовые письма"; +$a->strings["Send text only notification emails, without the html part"] = "Отправлять только текстовые уведомления, без HTML"; +$a->strings["Show detailled notifications"] = ""; +$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; +$a->strings["Advanced Account/Page Type Settings"] = "Расширенные настройки учётной записи"; +$a->strings["Change the behaviour of this account for special situations"] = "Измените поведение этого аккаунта в специальных ситуациях"; +$a->strings["Relocate"] = "Перемещение"; +$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = "Если вы переместили эту анкету с другого сервера, и некоторые из ваших контактов не получили ваши обновления, попробуйте нажать эту кнопку."; +$a->strings["Resend relocate message to contacts"] = "Отправить перемещённые сообщения контактам"; +$a->strings["Error decoding account file"] = "Ошибка расшифровки файла аккаунта"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Ошибка! Неправильная версия данных в файле! Это не файл аккаунта Friendica?"; +$a->strings["User '%s' already exists on this server!"] = "Пользователь '%s' уже существует на этом сервере!"; +$a->strings["User creation error"] = "Ошибка создания пользователя"; +$a->strings["User profile creation error"] = "Ошибка создания профиля пользователя"; +$a->strings["%d contact not imported"] = [ + 0 => "%d контакт не импортирован", + 1 => "%d контакты не импортированы", + 2 => "%d контакты не импортированы", + 3 => "%d контакты не импортированы", +]; +$a->strings["Done. You can now login with your username and password"] = "Завершено. Теперь вы можете войти с вашим логином и паролем"; +$a->strings["System"] = "Система"; $a->strings["Home"] = "Мой профиль"; $a->strings["Introductions"] = "Запросы"; $a->strings["%s commented on %s's post"] = "%s прокомментировал %s сообщение"; @@ -24,105 +1774,196 @@ $a->strings["%s is now friends with %s"] = "%s теперь друзья с %s"; $a->strings["Friend Suggestion"] = "Предложение в друзья"; $a->strings["Friend/Connect Request"] = "Запрос в друзья / на подключение"; $a->strings["New Follower"] = "Новый фолловер"; -$a->strings["Wall Photos"] = "Фото стены"; -$a->strings["(no subject)"] = "(без темы)"; -$a->strings["noreply"] = "без ответа"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s нравится %3\$s от %2\$s "; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s не нравится %3\$s от %2\$s "; -$a->strings["%1\$s is attending %2\$s's %3\$s"] = ""; -$a->strings["%1\$s is not attending %2\$s's %3\$s"] = ""; -$a->strings["%1\$s may attend %2\$s's %3\$s"] = ""; -$a->strings["photo"] = "фото"; -$a->strings["status"] = "статус"; -$a->strings["event"] = "мероприятие"; -$a->strings["[no subject]"] = "[без темы]"; +$a->strings["Post to Email"] = "Отправить на Email"; +$a->strings["Hide your profile details from unknown viewers?"] = "Скрыть данные профиля из неизвестных зрителей?"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Коннекторы отключены так как \"%s\" включен."; +$a->strings["Visible to everybody"] = "Видимо всем"; +$a->strings["show"] = "показывать"; +$a->strings["don't show"] = "не показывать"; +$a->strings["Close"] = "Закрыть"; +$a->strings["Birthday:"] = "День рождения:"; +$a->strings["YYYY-MM-DD or MM-DD"] = "YYYY-MM-DD или MM-DD"; +$a->strings["never"] = "никогда"; +$a->strings["less than a second ago"] = "менее сек. назад"; +$a->strings["year"] = "год"; +$a->strings["years"] = "лет"; +$a->strings["months"] = "мес."; +$a->strings["weeks"] = "недель"; +$a->strings["days"] = "дней"; +$a->strings["hour"] = "час"; +$a->strings["hours"] = "час."; +$a->strings["minute"] = "минута"; +$a->strings["minutes"] = "мин."; +$a->strings["second"] = "секунда"; +$a->strings["seconds"] = "сек."; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s назад"; +$a->strings["view full size"] = "посмотреть в полный размер"; +$a->strings["Image/photo"] = "Изображение / Фото"; +$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; +$a->strings["$1 wrote:"] = "$1 написал:"; +$a->strings["Encrypted content"] = "Зашифрованный контент"; +$a->strings["Invalid source protocol"] = "Неправильный протокол источника"; +$a->strings["Invalid link protocol"] = "Неправильная протокольная ссылка"; +$a->strings["External link to forum"] = "Внешняя ссылка на форум"; $a->strings["Nothing new here"] = "Ничего нового здесь"; $a->strings["Clear notifications"] = "Стереть уведомления"; -$a->strings["@name, !forum, #tags, content"] = "@имя, !форум, #тег, контент"; $a->strings["Logout"] = "Выход"; $a->strings["End this session"] = "Завершить эту сессию"; -$a->strings["Status"] = "Посты"; $a->strings["Your posts and conversations"] = "Данные вашей учётной записи"; -$a->strings["Profile"] = "Информация"; $a->strings["Your profile page"] = "Информация о вас"; -$a->strings["Photos"] = "Фото"; $a->strings["Your photos"] = "Ваши фотографии"; $a->strings["Videos"] = "Видео"; $a->strings["Your videos"] = "Ваши видео"; -$a->strings["Events"] = "Мероприятия"; $a->strings["Your events"] = "Ваши события"; $a->strings["Personal notes"] = "Личные заметки"; $a->strings["Your personal notes"] = "Ваши личные заметки"; -$a->strings["Login"] = "Вход"; $a->strings["Sign in"] = "Вход"; $a->strings["Home Page"] = "Главная страница"; -$a->strings["Register"] = "Регистрация"; $a->strings["Create an account"] = "Создать аккаунт"; -$a->strings["Help"] = "Помощь"; $a->strings["Help and documentation"] = "Помощь и документация"; $a->strings["Apps"] = "Приложения"; $a->strings["Addon applications, utilities, games"] = "Дополнительные приложения, утилиты, игры"; -$a->strings["Search"] = "Поиск"; $a->strings["Search site content"] = "Поиск по сайту"; -$a->strings["Full Text"] = "Контент"; -$a->strings["Tags"] = "Тэги"; -$a->strings["Contacts"] = "Контакты"; $a->strings["Community"] = "Сообщество"; -$a->strings["Conversations on this site"] = "Беседы на этом сайте"; -$a->strings["Conversations on the network"] = "Беседы в сети"; +$a->strings["Conversations on this and other servers"] = ""; $a->strings["Events and Calendar"] = "Календарь и события"; $a->strings["Directory"] = "Каталог"; $a->strings["People directory"] = "Каталог участников"; -$a->strings["Information"] = "Информация"; $a->strings["Information about this friendica instance"] = "Информация об этом экземпляре Friendica"; $a->strings["Conversations from your friends"] = "Сообщения ваших друзей"; $a->strings["Network Reset"] = "Перезагрузка сети"; $a->strings["Load Network page with no filters"] = "Загрузить страницу сети без фильтров"; $a->strings["Friend Requests"] = "Запросы на добавление в список друзей"; -$a->strings["Notifications"] = "Уведомления"; $a->strings["See all notifications"] = "Посмотреть все уведомления"; -$a->strings["Mark as seen"] = "Отметить, как прочитанное"; $a->strings["Mark all system notifications seen"] = "Отметить все системные уведомления, как прочитанные"; -$a->strings["Messages"] = "Сообщения"; $a->strings["Private mail"] = "Личная почта"; $a->strings["Inbox"] = "Входящие"; $a->strings["Outbox"] = "Исходящие"; -$a->strings["New Message"] = "Новое сообщение"; $a->strings["Manage"] = "Управлять"; $a->strings["Manage other pages"] = "Управление другими страницами"; -$a->strings["Delegations"] = "Делегирование"; -$a->strings["Delegate Page Management"] = "Делегировать управление страницей"; -$a->strings["Settings"] = "Настройки"; $a->strings["Account settings"] = "Настройки аккаунта"; $a->strings["Profiles"] = "Профили"; $a->strings["Manage/Edit Profiles"] = "Управление/редактирование профилей"; $a->strings["Manage/edit friends and contacts"] = "Управление / редактирование друзей и контактов"; -$a->strings["Admin"] = "Администратор"; $a->strings["Site setup and configuration"] = "Конфигурация сайта"; $a->strings["Navigation"] = "Навигация"; $a->strings["Site map"] = "Карта сайта"; -$a->strings["Click here to upgrade."] = "Нажмите для обновления."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Это действие превышает лимиты, установленные вашим тарифным планом."; -$a->strings["This action is not available under your subscription plan."] = "Это действие не доступно в соответствии с вашим планом подписки."; -$a->strings["Male"] = "Мужчина"; -$a->strings["Female"] = "Женщина"; -$a->strings["Currently Male"] = "В данный момент мужчина"; -$a->strings["Currently Female"] = "В настоящее время женщина"; -$a->strings["Mostly Male"] = "В основном мужчина"; -$a->strings["Mostly Female"] = "В основном женщина"; -$a->strings["Transgender"] = "Транссексуал"; -$a->strings["Intersex"] = "Интерсексуал"; -$a->strings["Transsexual"] = "Транссексуал"; -$a->strings["Hermaphrodite"] = "Гермафродит"; -$a->strings["Neuter"] = "Средний род"; +$a->strings["Embedding disabled"] = "Встраивание отключено"; +$a->strings["Embedded content"] = "Встроенное содержание"; +$a->strings["Export"] = "Экспорт"; +$a->strings["Export calendar as ical"] = "Экспортировать календарь в формат ical"; +$a->strings["Export calendar as csv"] = "Экспортировать календарь в формат csv"; +$a->strings["General Features"] = "Основные возможности"; +$a->strings["Multiple Profiles"] = "Несколько профилей"; +$a->strings["Ability to create multiple profiles"] = "Возможность создания нескольких профилей"; +$a->strings["Photo Location"] = "Место фотографирования"; +$a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = "Метаданные фотографий обычно вырезаются. Эта настройка получает местоположение (если есть) до вырезки метаданных и связывает с координатами на карте."; +$a->strings["Export Public Calendar"] = "Экспортировать публичный календарь"; +$a->strings["Ability for visitors to download the public calendar"] = "Возможность скачивать публичный календарь посетителями"; +$a->strings["Post Composition Features"] = "Составление сообщений"; +$a->strings["Post Preview"] = "Предварительный просмотр"; +$a->strings["Allow previewing posts and comments before publishing them"] = "Разрешить предпросмотр сообщения и комментария перед их публикацией"; +$a->strings["Auto-mention Forums"] = ""; +$a->strings["Add/remove mention when a forum page is selected/deselected in ACL window."] = ""; +$a->strings["Network Sidebar Widgets"] = "Виджет боковой панели \"Сеть\""; +$a->strings["Search by Date"] = "Поиск по датам"; +$a->strings["Ability to select posts by date ranges"] = "Возможность выбора постов по диапазону дат"; +$a->strings["List Forums"] = "Список форумов"; +$a->strings["Enable widget to display the forums your are connected with"] = ""; +$a->strings["Group Filter"] = "Фильтр групп"; +$a->strings["Enable widget to display Network posts only from selected group"] = "Включить виджет для отображения сообщений сети только от выбранной группы"; +$a->strings["Network Filter"] = "Фильтр сети"; +$a->strings["Enable widget to display Network posts only from selected network"] = "Включить виджет для отображения сообщений сети только от выбранной сети"; +$a->strings["Save search terms for re-use"] = "Сохранить условия поиска для повторного использования"; +$a->strings["Network Tabs"] = "Сетевые вкладки"; +$a->strings["Network Personal Tab"] = "Персональные сетевые вкладки"; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Включить вкладку для отображения только сообщений сети, с которой вы взаимодействовали"; +$a->strings["Network New Tab"] = "Новая вкладка сеть"; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Включить вкладку для отображения только новых сообщений сети (за последние 12 часов)"; +$a->strings["Network Shared Links Tab"] = "Вкладка shared ссылок сети"; +$a->strings["Enable tab to display only Network posts with links in them"] = "Включить вкладку для отображения только сообщений сети со ссылками на них"; +$a->strings["Post/Comment Tools"] = "Инструменты пост/комментарий"; +$a->strings["Multiple Deletion"] = "Множественное удаление"; +$a->strings["Select and delete multiple posts/comments at once"] = "Выбрать и удалить несколько постов/комментариев одновременно."; +$a->strings["Edit Sent Posts"] = "Редактировать отправленные посты"; +$a->strings["Edit and correct posts and comments after sending"] = "Редактировать и править посты и комментарии после отправления"; +$a->strings["Tagging"] = "Отмеченное"; +$a->strings["Ability to tag existing posts"] = "Возможность отмечать существующие посты"; +$a->strings["Post Categories"] = "Категории постов"; +$a->strings["Add categories to your posts"] = "Добавить категории вашего поста"; +$a->strings["Saved Folders"] = "Сохранённые папки"; +$a->strings["Ability to file posts under folders"] = ""; +$a->strings["Dislike Posts"] = "Посты, которые не нравятся"; +$a->strings["Ability to dislike posts/comments"] = "Возможность поставить \"Не нравится\" посту или комментарию"; +$a->strings["Star Posts"] = "Популярные посты"; +$a->strings["Ability to mark special posts with a star indicator"] = "Возможность отметить специальные сообщения индикатором популярности"; +$a->strings["Mute Post Notifications"] = "Отключить уведомления для поста"; +$a->strings["Ability to mute notifications for a thread"] = "Возможность отключить уведомления для отдельно взятого обсуждения"; +$a->strings["Advanced Profile Settings"] = "Расширенные настройки профиля"; +$a->strings["Show visitors public community forums at the Advanced Profile Page"] = ""; +$a->strings["Tag Cloud"] = ""; +$a->strings["Provide a personal tag cloud on your profile page"] = ""; +$a->strings["Display Membership Date"] = ""; +$a->strings["Display membership date in profile"] = ""; +$a->strings["Add New Contact"] = "Добавить контакт"; +$a->strings["Enter address or web location"] = "Введите адрес или веб-местонахождение"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Пример: bob@example.com, http://example.com/barbara"; +$a->strings["%d invitation available"] = [ + 0 => "%d приглашение доступно", + 1 => "%d приглашений доступно", + 2 => "%d приглашений доступно", + 3 => "%d приглашений доступно", +]; +$a->strings["Find People"] = "Поиск людей"; +$a->strings["Enter name or interest"] = "Введите имя или интерес"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Примеры: Роберт Morgenstein, Рыбалка"; +$a->strings["Similar Interests"] = "Похожие интересы"; +$a->strings["Random Profile"] = "Случайный профиль"; +$a->strings["Invite Friends"] = "Пригласить друзей"; +$a->strings["View Global Directory"] = ""; +$a->strings["Networks"] = "Сети"; +$a->strings["All Networks"] = "Все сети"; +$a->strings["Everything"] = "Всё"; +$a->strings["Categories"] = "Категории"; +$a->strings["%d contact in common"] = [ + 0 => "%d Контакт", + 1 => "%d Контактов", + 2 => "%d Контактов", + 3 => "%d Контактов", +]; +$a->strings["Frequently"] = ""; +$a->strings["Hourly"] = ""; +$a->strings["Twice daily"] = ""; +$a->strings["Daily"] = ""; +$a->strings["Weekly"] = ""; +$a->strings["Monthly"] = ""; +$a->strings["OStatus"] = ""; +$a->strings["RSS/Atom"] = ""; +$a->strings["Facebook"] = ""; +$a->strings["Zot!"] = ""; +$a->strings["LinkedIn"] = ""; +$a->strings["XMPP/IM"] = ""; +$a->strings["MySpace"] = ""; +$a->strings["Google+"] = ""; +$a->strings["pump.io"] = ""; +$a->strings["Twitter"] = ""; +$a->strings["Diaspora Connector"] = ""; +$a->strings["GNU Social Connector"] = ""; +$a->strings["pnut"] = ""; +$a->strings["App.net"] = ""; +$a->strings["Male"] = ""; +$a->strings["Female"] = ""; +$a->strings["Currently Male"] = ""; +$a->strings["Currently Female"] = ""; +$a->strings["Mostly Male"] = ""; +$a->strings["Mostly Female"] = ""; +$a->strings["Transgender"] = ""; +$a->strings["Intersex"] = ""; +$a->strings["Transsexual"] = ""; +$a->strings["Hermaphrodite"] = ""; +$a->strings["Neuter"] = ""; $a->strings["Non-specific"] = "Не определен"; $a->strings["Other"] = "Другой"; -$a->strings["Undecided"] = [ - 0 => "", - 1 => "", - 2 => "", - 3 => "", -]; $a->strings["Males"] = "Мужчины"; $a->strings["Females"] = "Женщины"; $a->strings["Gay"] = "Гей"; @@ -167,402 +2008,60 @@ $a->strings["Uncertain"] = "Неопределенный"; $a->strings["It's complicated"] = "влишком сложно"; $a->strings["Don't care"] = "Не беспокоить"; $a->strings["Ask me"] = "Спросите меня"; -$a->strings["Welcome "] = "Добро пожаловать, "; -$a->strings["Please upload a profile photo."] = "Пожалуйста, загрузите фотографию профиля."; -$a->strings["Welcome back "] = "Добро пожаловать обратно, "; -$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "Ключ формы безопасности неправильный. Вероятно, это произошло потому, что форма была открыта слишком долго (более 3 часов) до её отправки."; -$a->strings["Error decoding account file"] = "Ошибка расшифровки файла аккаунта"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Ошибка! Неправильная версия данных в файле! Это не файл аккаунта Friendica?"; -$a->strings["Error! Cannot check nickname"] = "Ошибка! Невозможно проверить никнейм"; -$a->strings["User '%s' already exists on this server!"] = "Пользователь '%s' уже существует на этом сервере!"; -$a->strings["User creation error"] = "Ошибка создания пользователя"; -$a->strings["User profile creation error"] = "Ошибка создания профиля пользователя"; -$a->strings["%d contact not imported"] = [ - 0 => "%d контакт не импортирован", - 1 => "%d контакты не импортированы", - 2 => "%d контакты не импортированы", - 3 => "%d контакты не импортированы", -]; -$a->strings["Done. You can now login with your username and password"] = "Завершено. Теперь вы можете войти с вашим логином и паролем"; -$a->strings["View Profile"] = "Просмотреть профиль"; -$a->strings["Connect/Follow"] = "Подключиться/Следовать"; -$a->strings["View Status"] = "Просмотреть статус"; -$a->strings["View Photos"] = "Просмотреть фото"; -$a->strings["Network Posts"] = "Посты сети"; -$a->strings["View Contact"] = "Просмотреть контакт"; +$a->strings["There are no tables on MyISAM."] = ""; +$a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Сообщение об ошибке:\n[pre]%s[/pre]"; +$a->strings["\nError %d occurred during database update:\n%s\n"] = ""; +$a->strings["Errors encountered performing database changes: "] = ""; +$a->strings[": Database update"] = ""; +$a->strings["%s: updating %s table."] = ""; +$a->strings["[no subject]"] = "[без темы]"; +$a->strings["Requested account is not available."] = "Запрашиваемый профиль недоступен."; +$a->strings["Edit profile"] = "Редактировать профиль"; +$a->strings["Atom feed"] = "Фид Atom"; +$a->strings["Manage/edit profiles"] = "Управление / редактирование профилей"; +$a->strings["g A l F d"] = "g A l F d"; +$a->strings["F d"] = "F d"; +$a->strings["[today]"] = "[сегодня]"; +$a->strings["Birthday Reminders"] = "Напоминания о днях рождения"; +$a->strings["Birthdays this week:"] = "Дни рождения на этой неделе:"; +$a->strings["[No description]"] = "[без описания]"; +$a->strings["Event Reminders"] = "Напоминания о мероприятиях"; +$a->strings["Events this week:"] = "Мероприятия на этой неделе:"; +$a->strings["Member since:"] = ""; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Age:"] = "Возраст:"; +$a->strings["for %1\$d %2\$s"] = "для %1\$d %2\$s"; +$a->strings["Religion:"] = "Религия:"; +$a->strings["Hobbies/Interests:"] = "Хобби / Интересы:"; +$a->strings["Contact information and Social Networks:"] = "Информация о контакте и социальных сетях:"; +$a->strings["Musical interests:"] = "Музыкальные интересы:"; +$a->strings["Books, literature:"] = "Книги, литература:"; +$a->strings["Television:"] = "Телевидение:"; +$a->strings["Film/dance/culture/entertainment:"] = "Кино / Танцы / Культура / Развлечения:"; +$a->strings["Love/Romance:"] = "Любовь / Романтика:"; +$a->strings["Work/employment:"] = "Работа / Занятость:"; +$a->strings["School/education:"] = "Школа / Образование:"; +$a->strings["Forums:"] = "Форумы:"; +$a->strings["Only You Can See This"] = "Только вы можете это видеть"; +$a->strings["%1\$s is attending %2\$s's %3\$s"] = ""; +$a->strings["%1\$s is not attending %2\$s's %3\$s"] = ""; +$a->strings["%1\$s may attend %2\$s's %3\$s"] = ""; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Удаленная группа с таким названием была восстановлена. Существующие права доступа могут применяться к этой группе и любым будущим участникам. Если это не то, что вы хотели, пожалуйста, создайте еще ​​одну группу с другим названием."; +$a->strings["Default privacy group for new contacts"] = "Группа доступа по умолчанию для новых контактов"; +$a->strings["Everybody"] = "Каждый"; +$a->strings["edit"] = "редактировать"; +$a->strings["Edit group"] = "Редактировать группу"; +$a->strings["Contacts not in any group"] = "Контакты не состоят в группе"; +$a->strings["Create a new group"] = "Создать новую группу"; +$a->strings["Edit groups"] = "Редактировать группы"; $a->strings["Drop Contact"] = "Удалить контакт"; -$a->strings["Send PM"] = "Отправить ЛС"; -$a->strings["Poke"] = "потыкать"; $a->strings["Organisation"] = "Организация"; $a->strings["News"] = "Новости"; $a->strings["Forum"] = "Форум"; -$a->strings["Post to Email"] = "Отправить на Email"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Коннекторы отключены так как \"%s\" включен."; -$a->strings["Hide your profile details from unknown viewers?"] = "Скрыть данные профиля из неизвестных зрителей?"; -$a->strings["Visible to everybody"] = "Видимо всем"; -$a->strings["show"] = "показывать"; -$a->strings["don't show"] = "не показывать"; -$a->strings["CC: email addresses"] = "Копии на email адреса"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Пример: bob@example.com, mary@example.com"; -$a->strings["Permissions"] = "Разрешения"; -$a->strings["Close"] = "Закрыть"; -$a->strings["Daily posting limit of %d posts reached. The post was rejected."] = "Дневной лимит в %d постов достигнут. Пост отклонен."; -$a->strings["Weekly posting limit of %d posts reached. The post was rejected."] = "Недельный лимит в %d постов достигнут. Пост отклонен."; -$a->strings["Monthly posting limit of %d posts reached. The post was rejected."] = "Месячный лимит в %d постов достигнут. Пост отклонен."; -$a->strings["Logged out."] = "Выход из системы."; -$a->strings["Login failed."] = "Войти не удалось."; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Мы столкнулись с проблемой при входе с OpenID, который вы указали. Пожалуйста, проверьте правильность написания ID."; -$a->strings["The error message was:"] = "Сообщение об ошибке было:"; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; -$a->strings["Starts:"] = "Начало:"; -$a->strings["Finishes:"] = "Окончание:"; -$a->strings["Location:"] = "Откуда:"; -$a->strings["Image/photo"] = "Изображение / Фото"; -$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; -$a->strings["$1 wrote:"] = "$1 написал:"; -$a->strings["Encrypted content"] = "Зашифрованный контент"; -$a->strings["Invalid source protocol"] = "Неправильный протокол источника"; -$a->strings["Invalid link protocol"] = "Неправильная протокольная ссылка"; -$a->strings["Unknown | Not categorised"] = "Неизвестно | Не определено"; -$a->strings["Block immediately"] = "Блокировать немедленно"; -$a->strings["Shady, spammer, self-marketer"] = "Тролль, спаммер, рассылает рекламу"; -$a->strings["Known to me, but no opinion"] = "Известные мне, но нет определенного мнения"; -$a->strings["OK, probably harmless"] = "Хорошо, наверное, безвредные"; -$a->strings["Reputable, has my trust"] = "Уважаемые, есть мое доверие"; -$a->strings["Frequently"] = "Часто"; -$a->strings["Hourly"] = "Раз в час"; -$a->strings["Twice daily"] = "Два раза в день"; -$a->strings["Daily"] = "Ежедневно"; -$a->strings["Weekly"] = "Еженедельно"; -$a->strings["Monthly"] = "Ежемесячно"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Email"] = "Эл. почта"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "LinkedIn"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "MySpace"; -$a->strings["Google+"] = "Google+"; -$a->strings["pump.io"] = "pump.io"; -$a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = "Коннектор Diaspora"; -$a->strings["GNU Social Connector"] = ""; -$a->strings["pnut"] = "pnut"; -$a->strings["App.net"] = "App.net"; -$a->strings["Add New Contact"] = "Добавить контакт"; -$a->strings["Enter address or web location"] = "Введите адрес или веб-местонахождение"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Пример: bob@example.com, http://example.com/barbara"; -$a->strings["Connect"] = "Подключить"; -$a->strings["%d invitation available"] = [ - 0 => "%d приглашение доступно", - 1 => "%d приглашений доступно", - 2 => "%d приглашений доступно", - 3 => "%d приглашений доступно", -]; -$a->strings["Find People"] = "Поиск людей"; -$a->strings["Enter name or interest"] = "Введите имя или интерес"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Примеры: Роберт Morgenstein, Рыбалка"; -$a->strings["Find"] = "Найти"; -$a->strings["Friend Suggestions"] = "Предложения друзей"; -$a->strings["Similar Interests"] = "Похожие интересы"; -$a->strings["Random Profile"] = "Случайный профиль"; -$a->strings["Invite Friends"] = "Пригласить друзей"; -$a->strings["Networks"] = "Сети"; -$a->strings["All Networks"] = "Все сети"; -$a->strings["Saved Folders"] = "Сохранённые папки"; -$a->strings["Everything"] = "Всё"; -$a->strings["Categories"] = "Категории"; -$a->strings["%d contact in common"] = [ - 0 => "%d Контакт", - 1 => "%d Контактов", - 2 => "%d Контактов", - 3 => "%d Контактов", -]; -$a->strings["%1\$s attends %2\$s's %3\$s"] = "%1\$s уделил внимание %2\$s's %3\$s"; -$a->strings["%1\$s doesn't attend %2\$s's %3\$s"] = ""; -$a->strings["%1\$s attends maybe %2\$s's %3\$s"] = ""; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s и %2\$s теперь друзья"; -$a->strings["%1\$s poked %2\$s"] = ""; -$a->strings["%1\$s is currently %2\$s"] = ""; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s tagged %2\$s's %3\$s в %4\$s"; -$a->strings["post/item"] = "пост/элемент"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s пометил %2\$s %3\$s как Фаворит"; -$a->strings["Likes"] = "Лайки"; -$a->strings["Dislikes"] = "Не нравится"; -$a->strings["Attending"] = [ - 0 => "", - 1 => "", - 2 => "", - 3 => "", -]; -$a->strings["Not attending"] = ""; -$a->strings["Might attend"] = ""; -$a->strings["Select"] = "Выберите"; -$a->strings["Delete"] = "Удалить"; -$a->strings["View %s's profile @ %s"] = "Просмотреть профиль %s [@ %s]"; -$a->strings["Categories:"] = "Категории:"; -$a->strings["Filed under:"] = "В рубрике:"; -$a->strings["%s from %s"] = "%s с %s"; -$a->strings["View in context"] = "Смотреть в контексте"; -$a->strings["Please wait"] = "Пожалуйста, подождите"; -$a->strings["remove"] = "удалить"; -$a->strings["Delete Selected Items"] = "Удалить выбранные позиции"; -$a->strings["Follow Thread"] = "Подписаться на тему"; -$a->strings["%s likes this."] = "%s нравится это."; -$a->strings["%s doesn't like this."] = "%s не нравится это."; -$a->strings["%s attends."] = ""; -$a->strings["%s doesn't attend."] = ""; -$a->strings["%s attends maybe."] = ""; -$a->strings["and"] = "и"; -$a->strings[", and %d other people"] = ", и %d других чел."; -$a->strings["%2\$d people like this"] = "%2\$d людям нравится это"; -$a->strings["%s like this."] = "%s нравится это."; -$a->strings["%2\$d people don't like this"] = "%2\$d людям не нравится это"; -$a->strings["%s don't like this."] = "%s не нравится это"; -$a->strings["%2\$d people attend"] = ""; -$a->strings["%s attend."] = ""; -$a->strings["%2\$d people don't attend"] = ""; -$a->strings["%s don't attend."] = ""; -$a->strings["%2\$d people attend maybe"] = ""; -$a->strings["%s anttend maybe."] = ""; -$a->strings["Visible to everybody"] = "Видимое всем"; -$a->strings["Please enter a link URL:"] = "Пожалуйста, введите URL ссылки:"; -$a->strings["Please enter a video link/URL:"] = "Введите ссылку на видео link/URL:"; -$a->strings["Please enter an audio link/URL:"] = "Введите ссылку на аудио link/URL:"; -$a->strings["Tag term:"] = "Тег:"; -$a->strings["Save to Folder:"] = "Сохранить в папку:"; -$a->strings["Where are you right now?"] = "И где вы сейчас?"; -$a->strings["Delete item(s)?"] = "Удалить елемент(ты)?"; -$a->strings["Share"] = "Поделиться"; -$a->strings["Upload photo"] = "Загрузить фото"; -$a->strings["upload photo"] = "загрузить фото"; -$a->strings["Attach file"] = "Прикрепить файл"; -$a->strings["attach file"] = "приложить файл"; -$a->strings["Insert web link"] = "Вставить веб-ссылку"; -$a->strings["web link"] = "веб-ссылка"; -$a->strings["Insert video link"] = "Вставить ссылку видео"; -$a->strings["video link"] = "видео-ссылка"; -$a->strings["Insert audio link"] = "Вставить ссылку аудио"; -$a->strings["audio link"] = "аудио-ссылка"; -$a->strings["Set your location"] = "Задать ваше местоположение"; -$a->strings["set location"] = "установить местонахождение"; -$a->strings["Clear browser location"] = "Очистить местонахождение браузера"; -$a->strings["clear location"] = "убрать местонахождение"; -$a->strings["Set title"] = "Установить заголовок"; -$a->strings["Categories (comma-separated list)"] = "Категории (список через запятую)"; -$a->strings["Permission settings"] = "Настройки разрешений"; -$a->strings["permissions"] = "разрешения"; -$a->strings["Public post"] = "Публичное сообщение"; -$a->strings["Preview"] = "Предварительный просмотр"; -$a->strings["Cancel"] = "Отмена"; -$a->strings["Post to Groups"] = "Пост для групп"; -$a->strings["Post to Contacts"] = "Пост для контактов"; -$a->strings["Private post"] = "Личное сообщение"; -$a->strings["Message"] = "Сообщение"; -$a->strings["Browser"] = "Браузер"; -$a->strings["View all"] = "Посмотреть все"; -$a->strings["Like"] = [ - 0 => "Нравится", - 1 => "Нравится", - 2 => "Нравится", - 3 => "Нравится", -]; -$a->strings["Dislike"] = [ - 0 => "Не нравится", - 1 => "Не нравится", - 2 => "Не нравится", - 3 => "Не нравится", -]; -$a->strings["Not Attending"] = [ - 0 => "", - 1 => "", - 2 => "", - 3 => "", -]; -$a->strings["Miscellaneous"] = "Разное"; -$a->strings["Birthday:"] = "День рождения:"; -$a->strings["Age: "] = "Возраст: "; -$a->strings["YYYY-MM-DD or MM-DD"] = "YYYY-MM-DD или MM-DD"; -$a->strings["never"] = "никогда"; -$a->strings["less than a second ago"] = "менее сек. назад"; -$a->strings["year"] = "год"; -$a->strings["years"] = "лет"; -$a->strings["month"] = "мес."; -$a->strings["months"] = "мес."; -$a->strings["week"] = "неделя"; -$a->strings["weeks"] = "недель"; -$a->strings["day"] = "день"; -$a->strings["days"] = "дней"; -$a->strings["hour"] = "час"; -$a->strings["hours"] = "час."; -$a->strings["minute"] = "минута"; -$a->strings["minutes"] = "мин."; -$a->strings["second"] = "секунда"; -$a->strings["seconds"] = "сек."; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s назад"; -$a->strings["%s's birthday"] = "день рождения %s"; -$a->strings["Happy Birthday %s"] = "С днём рождения %s"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Не могу найти информацию для DNS-сервера базы данных '%s'"; -$a->strings["Friendica Notification"] = "Уведомления Friendica"; -$a->strings["Thank You,"] = "Спасибо,"; -$a->strings["%s Administrator"] = "%s администратор"; -$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, администратор %2\$s"; -$a->strings["%s "] = "%s "; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica: Оповещение] Новое сообщение, пришедшее на %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s отправил вам новое личное сообщение на %2\$s."; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s послал вам %2\$s."; -$a->strings["a private message"] = "личное сообщение"; -$a->strings["Please visit %s to view and/or reply to your private messages."] = "Пожалуйста, посетите %s для просмотра и/или ответа на личные сообщения."; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s прокомментировал [url=%2\$s]a %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s прокомментировал [url=%2\$s]%3\$s's %4\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s прокомментировал [url=%2\$s]your %3\$s[/url]"; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notify] Комментарий к #%1\$d от %2\$s"; -$a->strings["%s commented on an item/conversation you have been following."] = "%s оставил комментарий к элементу/беседе, за которой вы следите."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Пожалуйста посетите %s для просмотра и/или ответа в беседу."; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Оповещение] %s написал на стене вашего профиля"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s написал на вашей стене на %2\$s"; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s написал на [url=%2\$s]вашей стене[/url]"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notify] %s отметил вас"; -$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s отметил вас в %2\$s"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]отметил вас[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notify] %s поделился новым постом"; -$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s поделился новым постом на %2\$s"; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]поделился постом[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s потыкал вас"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s потыкал вас на %2\$s"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]потыкал вас[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notify] %s поставил тег вашему посту"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s поставил тег вашему посту на %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s поставил тег [url=%2\$s]вашему посту[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Сообщение] получен запрос"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Вы получили запрос от '%1\$s' на %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Вы получили [url=%1\$s]запрос[/url] от %2\$s."; -$a->strings["You may visit their profile at %s"] = "Вы можете посмотреть его профиль здесь %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Посетите %s для подтверждения или отказа запроса."; -$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Notify] Новый человек делится с вами"; -$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s делится с вами на %2\$s"; -$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notify] У вас новый подписчик"; -$a->strings["You have a new follower at %2\$s : %1\$s"] = "У вас новый подписчик на %2\$s : %1\$s"; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica: Оповещение] получено предложение дружбы"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Вы получили предложение дружбы от '%1\$s' на %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "У вас [url=%1\$s]новое предложение дружбы[/url] для %2\$s от %3\$s."; -$a->strings["Name:"] = "Имя:"; -$a->strings["Photo:"] = "Фото:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Пожалуйста, посетите %s для подтверждения, или отказа запроса."; -$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Notify] Соединение принято"; -$a->strings["'%1\$s' has accepted your connection request at %2\$s"] = "'%1\$s' принял соединение с вами на %2\$s"; -$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s принял ваше [url=%1\$s]предложение о соединении[/url]."; -$a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = "Вы теперь взаимные друзья и можете обмениваться статусами, фотографиями и письмами без ограничений."; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Посетите %s если вы хотите сделать изменения в этом отношении."; -$a->strings["'%1\$s' has chosen to accept you a \"fan\", which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = ""; -$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = ""; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Посетите %s если вы хотите сделать изменения в этом отношении."; -$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Notify] Запрос на регистрацию"; -$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Вы получили запрос на регистрацию от '%1\$s' на %2\$s"; -$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Вы получили [url=%1\$s]запрос регистрации[/url] от %2\$s."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Полное имя:⇥%1\$s\\nСайт:⇥%2\$s\\nЛогин:⇥%3\$s (%4\$s)"; -$a->strings["Please visit %s to approve or reject the request."] = "Пожалуйста, посетите %s чтобы подтвердить или отвергнуть запрос."; -$a->strings["all-day"] = ""; -$a->strings["Sun"] = "Вс"; -$a->strings["Mon"] = "Пн"; -$a->strings["Tue"] = "Вт"; -$a->strings["Wed"] = "Ср"; -$a->strings["Thu"] = "Чт"; -$a->strings["Fri"] = "Пт"; -$a->strings["Sat"] = "Сб"; -$a->strings["Sunday"] = "Воскресенье"; -$a->strings["Monday"] = "Понедельник"; -$a->strings["Tuesday"] = "Вторник"; -$a->strings["Wednesday"] = "Среда"; -$a->strings["Thursday"] = "Четверг"; -$a->strings["Friday"] = "Пятница"; -$a->strings["Saturday"] = "Суббота"; -$a->strings["Jan"] = "Янв"; -$a->strings["Feb"] = "Фев"; -$a->strings["Mar"] = "Мрт"; -$a->strings["Apr"] = "Апр"; -$a->strings["May"] = "Май"; -$a->strings["Jun"] = "Июн"; -$a->strings["Jul"] = "Июл"; -$a->strings["Aug"] = "Авг"; -$a->strings["Sept"] = "Сен"; -$a->strings["Oct"] = "Окт"; -$a->strings["Nov"] = "Нбр"; -$a->strings["Dec"] = "Дек"; -$a->strings["January"] = "Январь"; -$a->strings["February"] = "Февраль"; -$a->strings["March"] = "Март"; -$a->strings["April"] = "Апрель"; -$a->strings["June"] = "Июнь"; -$a->strings["July"] = "Июль"; -$a->strings["August"] = "Август"; -$a->strings["September"] = "Сентябрь"; -$a->strings["October"] = "Октябрь"; -$a->strings["November"] = "Ноябрь"; -$a->strings["December"] = "Декабрь"; -$a->strings["today"] = "сегодня"; -$a->strings["No events to display"] = "Нет событий для показа"; -$a->strings["l, F j"] = "l, j F"; -$a->strings["Edit event"] = "Редактировать мероприятие"; -$a->strings["Delete event"] = ""; -$a->strings["link to source"] = "ссылка на сообщение"; -$a->strings["Export"] = "Экспорт"; -$a->strings["Export calendar as ical"] = "Экспортировать календарь в формат ical"; -$a->strings["Export calendar as csv"] = "Экспортировать календарь в формат csv"; -$a->strings["General Features"] = "Основные возможности"; -$a->strings["Multiple Profiles"] = "Несколько профилей"; -$a->strings["Ability to create multiple profiles"] = "Возможность создания нескольких профилей"; -$a->strings["Photo Location"] = "Место фотографирования"; -$a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = "Метаданные фотографий обычно вырезаются. Эта настройка получает местоположение (если есть) до вырезки метаданных и связывает с координатами на карте."; -$a->strings["Export Public Calendar"] = "Экспортировать публичный календарь"; -$a->strings["Ability for visitors to download the public calendar"] = "Возможность скачивать публичный календарь посетителями"; -$a->strings["Post Composition Features"] = "Составление сообщений"; -$a->strings["Post Preview"] = "Предварительный просмотр"; -$a->strings["Allow previewing posts and comments before publishing them"] = "Разрешить предпросмотр сообщения и комментария перед их публикацией"; -$a->strings["Auto-mention Forums"] = ""; -$a->strings["Add/remove mention when a forum page is selected/deselected in ACL window."] = ""; -$a->strings["Network Sidebar Widgets"] = "Виджет боковой панели \"Сеть\""; -$a->strings["Search by Date"] = "Поиск по датам"; -$a->strings["Ability to select posts by date ranges"] = "Возможность выбора постов по диапазону дат"; -$a->strings["List Forums"] = "Список форумов"; -$a->strings["Enable widget to display the forums your are connected with"] = ""; -$a->strings["Group Filter"] = "Фильтр групп"; -$a->strings["Enable widget to display Network posts only from selected group"] = "Включить виджет для отображения сообщений сети только от выбранной группы"; -$a->strings["Network Filter"] = "Фильтр сети"; -$a->strings["Enable widget to display Network posts only from selected network"] = "Включить виджет для отображения сообщений сети только от выбранной сети"; -$a->strings["Saved Searches"] = "запомненные поиски"; -$a->strings["Save search terms for re-use"] = "Сохранить условия поиска для повторного использования"; -$a->strings["Network Tabs"] = "Сетевые вкладки"; -$a->strings["Network Personal Tab"] = "Персональные сетевые вкладки"; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Включить вкладку для отображения только сообщений сети, с которой вы взаимодействовали"; -$a->strings["Network New Tab"] = "Новая вкладка сеть"; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Включить вкладку для отображения только новых сообщений сети (за последние 12 часов)"; -$a->strings["Network Shared Links Tab"] = "Вкладка shared ссылок сети"; -$a->strings["Enable tab to display only Network posts with links in them"] = "Включить вкладку для отображения только сообщений сети со ссылками на них"; -$a->strings["Post/Comment Tools"] = "Инструменты пост/комментарий"; -$a->strings["Multiple Deletion"] = "Множественное удаление"; -$a->strings["Select and delete multiple posts/comments at once"] = "Выбрать и удалить несколько постов/комментариев одновременно."; -$a->strings["Edit Sent Posts"] = "Редактировать отправленные посты"; -$a->strings["Edit and correct posts and comments after sending"] = "Редактировать и править посты и комментарии после отправления"; -$a->strings["Tagging"] = "Отмеченное"; -$a->strings["Ability to tag existing posts"] = "Возможность отмечать существующие посты"; -$a->strings["Post Categories"] = "Категории постов"; -$a->strings["Add categories to your posts"] = "Добавить категории вашего поста"; -$a->strings["Ability to file posts under folders"] = ""; -$a->strings["Dislike Posts"] = "Посты, которые не нравятся"; -$a->strings["Ability to dislike posts/comments"] = "Возможность поставить \"Не нравится\" посту или комментарию"; -$a->strings["Star Posts"] = "Популярные посты"; -$a->strings["Ability to mark special posts with a star indicator"] = "Возможность отметить специальные сообщения индикатором популярности"; -$a->strings["Mute Post Notifications"] = "Отключить уведомления для поста"; -$a->strings["Ability to mute notifications for a thread"] = "Возможность отключить уведомления для отдельно взятого обсуждения"; -$a->strings["Advanced Profile Settings"] = "Расширенные настройки профиля"; -$a->strings["Show visitors public community forums at the Advanced Profile Page"] = ""; -$a->strings["Disallowed profile URL."] = "Запрещенный URL профиля."; -$a->strings["Blocked domain"] = ""; $a->strings["Connect URL missing."] = "Connect-URL отсутствует."; +$a->strings["The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page."] = ""; $a->strings["This site is not configured to allow communications with other networks."] = "Данный сайт не настроен так, чтобы держать связь с другими сетями."; $a->strings["No compatible communication protocols or feeds were discovered."] = "Обнаружены несовместимые протоколы связи или каналы."; $a->strings["The profile address specified does not provide adequate information."] = "Указанный адрес профиля не дает адекватной информации."; @@ -573,78 +2072,29 @@ $a->strings["Use mailto: in front of address to force email check."] = "Bcgjkmpe $a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Указанный адрес профиля принадлежит сети, недоступной на этом сайта."; $a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Ограниченный профиль. Этот человек не сможет получить прямые / личные уведомления от вас."; $a->strings["Unable to retrieve contact information."] = "Невозможно получить контактную информацию."; -$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Удаленная группа с таким названием была восстановлена. Существующие права доступа могут применяться к этой группе и любым будущим участникам. Если это не то, что вы хотели, пожалуйста, создайте еще ​​одну группу с другим названием."; -$a->strings["Default privacy group for new contacts"] = "Группа доступа по умолчанию для новых контактов"; -$a->strings["Everybody"] = "Каждый"; -$a->strings["edit"] = "редактировать"; -$a->strings["Groups"] = "Группы"; -$a->strings["Edit groups"] = "Редактировать группы"; -$a->strings["Edit group"] = "Редактировать группу"; -$a->strings["Create a new group"] = "Создать новую группу"; -$a->strings["Group Name: "] = "Название группы: "; -$a->strings["Contacts not in any group"] = "Контакты не состоят в группе"; -$a->strings["add"] = "добавить"; -$a->strings["Requested account is not available."] = "Запрашиваемый профиль недоступен."; -$a->strings["Requested profile is not available."] = "Запрашиваемый профиль недоступен."; -$a->strings["Edit profile"] = "Редактировать профиль"; -$a->strings["Atom feed"] = "Фид Atom"; -$a->strings["Manage/edit profiles"] = "Управление / редактирование профилей"; -$a->strings["Change profile photo"] = "Изменить фото профиля"; -$a->strings["Create New Profile"] = "Создать новый профиль"; -$a->strings["Profile Image"] = "Фото профиля"; -$a->strings["visible to everybody"] = "видимый всем"; -$a->strings["Edit visibility"] = "Редактировать видимость"; -$a->strings["Gender:"] = "Пол:"; -$a->strings["Status:"] = "Статус:"; -$a->strings["Homepage:"] = "Домашняя страничка:"; -$a->strings["About:"] = "О себе:"; -$a->strings["XMPP:"] = "XMPP:"; -$a->strings["Network:"] = "Сеть:"; -$a->strings["g A l F d"] = "g A l F d"; -$a->strings["F d"] = "F d"; -$a->strings["[today]"] = "[сегодня]"; -$a->strings["Birthday Reminders"] = "Напоминания о днях рождения"; -$a->strings["Birthdays this week:"] = "Дни рождения на этой неделе:"; -$a->strings["[No description]"] = "[без описания]"; -$a->strings["Event Reminders"] = "Напоминания о мероприятиях"; -$a->strings["Events this week:"] = "Мероприятия на этой неделе:"; -$a->strings["Full Name:"] = "Полное имя:"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Age:"] = "Возраст:"; -$a->strings["for %1\$d %2\$s"] = "для %1\$d %2\$s"; -$a->strings["Sexual Preference:"] = "Сексуальные предпочтения:"; -$a->strings["Hometown:"] = "Родной город:"; -$a->strings["Tags:"] = "Ключевые слова: "; -$a->strings["Political Views:"] = "Политические взгляды:"; -$a->strings["Religion:"] = "Религия:"; -$a->strings["Hobbies/Interests:"] = "Хобби / Интересы:"; -$a->strings["Likes:"] = "Нравится:"; -$a->strings["Dislikes:"] = "Не нравится:"; -$a->strings["Contact information and Social Networks:"] = "Информация о контакте и социальных сетях:"; -$a->strings["Musical interests:"] = "Музыкальные интересы:"; -$a->strings["Books, literature:"] = "Книги, литература:"; -$a->strings["Television:"] = "Телевидение:"; -$a->strings["Film/dance/culture/entertainment:"] = "Кино / Танцы / Культура / Развлечения:"; -$a->strings["Love/Romance:"] = "Любовь / Романтика:"; -$a->strings["Work/employment:"] = "Работа / Занятость:"; -$a->strings["School/education:"] = "Школа / Образование:"; -$a->strings["Forums:"] = "Форумы:"; -$a->strings["Basic"] = "Базовый"; -$a->strings["Advanced"] = "Расширенный"; -$a->strings["Status Messages and Posts"] = "Ваши посты"; -$a->strings["Profile Details"] = "Информация о вас"; -$a->strings["Photo Albums"] = "Фотоальбомы"; -$a->strings["Personal Notes"] = "Личные заметки"; -$a->strings["Only You Can See This"] = "Только вы можете это видеть"; -$a->strings["view full size"] = "посмотреть в полный размер"; -$a->strings["Embedded content"] = "Встроенное содержание"; -$a->strings["Embedding disabled"] = "Встраивание отключено"; -$a->strings["Contact Photos"] = "Фотографии контакта"; -$a->strings["Passwords do not match. Password unchanged."] = "Пароли не совпадают. Пароль не изменен."; +$a->strings["%s's birthday"] = "день рождения %s"; +$a->strings["Happy Birthday %s"] = "С днём рождения %s"; +$a->strings["Starts:"] = "Начало:"; +$a->strings["Finishes:"] = "Окончание:"; +$a->strings["all-day"] = ""; +$a->strings["Jun"] = "Июн"; +$a->strings["Sept"] = "Сен"; +$a->strings["No events to display"] = "Нет событий для показа"; +$a->strings["l, F j"] = "l, j F"; +$a->strings["Edit event"] = "Редактировать мероприятие"; +$a->strings["Duplicate event"] = ""; +$a->strings["Delete event"] = ""; +$a->strings["D g:i A"] = ""; +$a->strings["g:i A"] = ""; +$a->strings["Show map"] = ""; +$a->strings["Hide map"] = ""; +$a->strings["Login failed"] = ""; +$a->strings["Not enough information to authenticate"] = ""; $a->strings["An invitation is required."] = "Требуется приглашение."; $a->strings["Invitation could not be verified."] = "Приглашение не может быть проверено."; $a->strings["Invalid OpenID url"] = "Неверный URL OpenID"; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Мы столкнулись с проблемой при входе с OpenID, который вы указали. Пожалуйста, проверьте правильность написания ID."; +$a->strings["The error message was:"] = "Сообщение об ошибке было:"; $a->strings["Please enter the required information."] = "Пожалуйста, введите необходимую информацию."; $a->strings["Please use a shorter name."] = "Пожалуйста, используйте более короткое имя."; $a->strings["Name too short."] = "Имя слишком короткое."; @@ -652,229 +2102,53 @@ $a->strings["That doesn't appear to be your full (First Last) name."] = "Каж $a->strings["Your email domain is not among those allowed on this site."] = "Домен вашего адреса электронной почты не относится к числу разрешенных на этом сайте."; $a->strings["Not a valid email address."] = "Неверный адрес электронной почты."; $a->strings["Cannot use that email."] = "Нельзя использовать этот Email."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\" and \"_\"."] = ""; +$a->strings["Your nickname can only contain a-z, 0-9 and _."] = ""; $a->strings["Nickname is already registered. Please choose another."] = "Такой ник уже зарегистрирован. Пожалуйста, выберите другой."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Ник уже зарегистрирован на этом сайте и не может быть изменён. Пожалуйста, выберите другой ник."; $a->strings["SERIOUS ERROR: Generation of security keys failed."] = "СЕРЬЕЗНАЯ ОШИБКА: генерация ключей безопасности не удалась."; $a->strings["An error occurred during registration. Please try again."] = "Ошибка при регистрации. Пожалуйста, попробуйте еще раз."; $a->strings["default"] = "значение по умолчанию"; $a->strings["An error occurred creating your default profile. Please try again."] = "Ошибка создания вашего профиля. Пожалуйста, попробуйте еще раз."; -$a->strings["Profile Photos"] = "Фотографии профиля"; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t"] = ""; +$a->strings["An error occurred creating your self contact. Please try again."] = ""; +$a->strings["An error occurred creating your default contact group. Please try again."] = ""; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = ""; $a->strings["Registration at %s"] = ""; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = ""; -$a->strings["\n\t\tThe login details are as follows:\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t%1\$s\n\t\t\tPassword:\t%5\$s\n\n\t\tYou may change your password from your account \"Settings\" page after logging\n\t\tin.\n\n\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\tYou may also wish to add some basic information to your default profile\n\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\tWe recommend setting your full name, adding a profile photo,\n\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\tthan that.\n\n\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\tIf you are new and do not know anybody here, they may help\n\t\tyou to make some new and interesting friends.\n\n\n\t\tThank you and welcome to %2\$s."] = ""; -$a->strings["Registration details for %s"] = "Подробности регистрации для %s"; -$a->strings["There are no tables on MyISAM."] = ""; -$a->strings["\n\t\t\tThe friendica developers released update %s recently,\n\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; -$a->strings["The error message is\n[pre]%s[/pre]"] = "Сообщение об ошибке:\n[pre]%s[/pre]"; -$a->strings["\nError %d occurred during database update:\n%s\n"] = ""; -$a->strings["Errors encountered performing database changes: "] = ""; -$a->strings[": Database update"] = ""; -$a->strings["%s: updating %s table."] = ""; -$a->strings["%s\\'s birthday"] = "День рождения %s"; -$a->strings["Sharing notification from Diaspora network"] = "Уведомление о шаре из сети Diaspora"; -$a->strings["Attachments:"] = "Вложения:"; -$a->strings["[Name Withheld]"] = "[Имя не разглашается]"; -$a->strings["Item not found."] = "Пункт не найден."; -$a->strings["Do you really want to delete this item?"] = "Вы действительно хотите удалить этот элемент?"; -$a->strings["Yes"] = "Да"; -$a->strings["Permission denied."] = "Нет разрешения."; -$a->strings["Archives"] = "Архивы"; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; $a->strings["%s is now following %s."] = "%s теперь подписан на %s."; $a->strings["following"] = "следует"; $a->strings["%s stopped following %s."] = "%s отписался от %s."; $a->strings["stopped following"] = "остановлено следование"; -$a->strings["newer"] = "новее"; -$a->strings["older"] = "старее"; -$a->strings["first"] = "первый"; -$a->strings["prev"] = "пред."; -$a->strings["next"] = "след."; -$a->strings["last"] = "последний"; -$a->strings["Loading more entries..."] = "Загружаю больше сообщений..."; -$a->strings["The end"] = "Конец"; -$a->strings["No contacts"] = "Нет контактов"; -$a->strings["%d Contact"] = [ - 0 => "%d контакт", - 1 => "%d контактов", - 2 => "%d контактов", - 3 => "%d контактов", -]; -$a->strings["View Contacts"] = "Просмотр контактов"; -$a->strings["Save"] = "Сохранить"; -$a->strings["poke"] = "poke"; -$a->strings["poked"] = "ткнут"; -$a->strings["ping"] = "пинг"; -$a->strings["pinged"] = "пингуется"; -$a->strings["prod"] = "толкать"; -$a->strings["prodded"] = "толкнут"; -$a->strings["slap"] = "шлепнуть"; -$a->strings["slapped"] = "шлепнут"; -$a->strings["finger"] = ""; -$a->strings["fingered"] = ""; -$a->strings["rebuff"] = ""; -$a->strings["rebuffed"] = ""; -$a->strings["happy"] = ""; -$a->strings["sad"] = ""; -$a->strings["mellow"] = ""; -$a->strings["tired"] = ""; -$a->strings["perky"] = ""; -$a->strings["angry"] = ""; -$a->strings["stupified"] = ""; -$a->strings["puzzled"] = ""; -$a->strings["interested"] = ""; -$a->strings["bitter"] = ""; -$a->strings["cheerful"] = ""; -$a->strings["alive"] = ""; -$a->strings["annoyed"] = ""; -$a->strings["anxious"] = ""; -$a->strings["cranky"] = ""; -$a->strings["disturbed"] = ""; -$a->strings["frustrated"] = ""; -$a->strings["motivated"] = ""; -$a->strings["relaxed"] = ""; -$a->strings["surprised"] = ""; -$a->strings["View Video"] = "Просмотреть видео"; -$a->strings["bytes"] = "байт"; -$a->strings["Click to open/close"] = "Нажмите, чтобы открыть / закрыть"; -$a->strings["View on separate page"] = ""; -$a->strings["view on separate page"] = ""; -$a->strings["activity"] = "активность"; -$a->strings["comment"] = [ - 0 => "", - 1 => "", - 2 => "комментарий", - 3 => "комментарий", -]; -$a->strings["post"] = "сообщение"; -$a->strings["Item filed"] = ""; -$a->strings["No friends to display."] = "Нет друзей."; -$a->strings["Authorize application connection"] = "Разрешить связь с приложением"; -$a->strings["Return to your app and insert this Securty Code:"] = "Вернитесь в ваше приложение и задайте этот код:"; -$a->strings["Please login to continue."] = "Пожалуйста, войдите для продолжения."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Вы действительно хотите разрешить этому приложению доступ к своим постам и контактам, а также создавать новые записи от вашего имени?"; -$a->strings["No"] = "Нет"; -$a->strings["You must be logged in to use addons. "] = "Вы должны войти в систему, чтобы использовать аддоны."; -$a->strings["Applications"] = "Приложения"; -$a->strings["No installed applications."] = "Нет установленных приложений."; -$a->strings["Item not available."] = "Пункт не доступен."; -$a->strings["Item was not found."] = "Пункт не был найден."; -$a->strings["The post was created"] = "Пост был создан"; -$a->strings["No contacts in common."] = "Нет общих контактов."; -$a->strings["Common Friends"] = "Общие друзья"; -$a->strings["%d contact edited."] = [ - 0 => "", - 1 => "", - 2 => "", - 3 => "", -]; -$a->strings["Could not access contact record."] = "Не удалось получить доступ к записи контакта."; -$a->strings["Could not locate selected profile."] = "Не удалось найти выбранный профиль."; -$a->strings["Contact updated."] = "Контакт обновлен."; -$a->strings["Failed to update contact record."] = "Не удалось обновить запись контакта."; -$a->strings["Contact has been blocked"] = "Контакт заблокирован"; -$a->strings["Contact has been unblocked"] = "Контакт разблокирован"; -$a->strings["Contact has been ignored"] = "Контакт проигнорирован"; -$a->strings["Contact has been unignored"] = "У контакта отменено игнорирование"; -$a->strings["Contact has been archived"] = "Контакт заархивирован"; -$a->strings["Contact has been unarchived"] = "Контакт разархивирован"; -$a->strings["Drop contact"] = "Удалить контакт"; -$a->strings["Do you really want to delete this contact?"] = "Вы действительно хотите удалить этот контакт?"; -$a->strings["Contact has been removed."] = "Контакт удален."; -$a->strings["You are mutual friends with %s"] = "У Вас взаимная дружба с %s"; -$a->strings["You are sharing with %s"] = "Вы делитесь с %s"; -$a->strings["%s is sharing with you"] = "%s делится с Вами"; -$a->strings["Private communications are not available for this contact."] = "Приватные коммуникации недоступны для этого контакта."; -$a->strings["Never"] = "Никогда"; -$a->strings["(Update was successful)"] = "(Обновление было успешно)"; -$a->strings["(Update was not successful)"] = "(Обновление не удалось)"; -$a->strings["Suggest friends"] = "Предложить друзей"; -$a->strings["Network type: %s"] = "Сеть: %s"; -$a->strings["Communications lost with this contact!"] = "Связь с контактом утеряна!"; -$a->strings["Fetch further information for feeds"] = "Получить подробную информацию о фидах"; -$a->strings["Disabled"] = "Отключенный"; -$a->strings["Fetch information"] = "Получить информацию"; -$a->strings["Fetch information and keywords"] = "Получить информацию и ключевые слова"; -$a->strings["Contact"] = "Контакт"; -$a->strings["Submit"] = "Добавить"; -$a->strings["Profile Visibility"] = "Видимость профиля"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Пожалуйста, выберите профиль, который вы хотите отображать %s, когда просмотр вашего профиля безопасен."; -$a->strings["Contact Information / Notes"] = "Информация о контакте / Заметки"; -$a->strings["Edit contact notes"] = "Редактировать заметки контакта"; -$a->strings["Visit %s's profile [%s]"] = "Посетить профиль %s [%s]"; -$a->strings["Block/Unblock contact"] = "Блокировать / Разблокировать контакт"; -$a->strings["Ignore contact"] = "Игнорировать контакт"; -$a->strings["Repair URL settings"] = "Восстановить настройки URL"; -$a->strings["View conversations"] = "Просмотр бесед"; -$a->strings["Last update:"] = "Последнее обновление: "; -$a->strings["Update public posts"] = "Обновить публичные сообщения"; -$a->strings["Update now"] = "Обновить сейчас"; -$a->strings["Unblock"] = "Разблокировать"; -$a->strings["Block"] = "Заблокировать"; -$a->strings["Unignore"] = "Не игнорировать"; -$a->strings["Ignore"] = "Игнорировать"; -$a->strings["Currently blocked"] = "В настоящее время заблокирован"; -$a->strings["Currently ignored"] = "В настоящее время игнорируется"; -$a->strings["Currently archived"] = "В данный момент архивирован"; -$a->strings["Hide this contact from others"] = "Скрыть этот контакт от других"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Ответы/лайки ваших публичных сообщений будут видимы."; -$a->strings["Notification for new posts"] = "Уведомление о новых постах"; -$a->strings["Send a notification of every new post of this contact"] = "Отправлять уведомление о каждом новом посте контакта"; -$a->strings["Blacklisted keywords"] = "Черный список ключевых слов"; -$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = ""; -$a->strings["Profile URL"] = "URL профиля"; -$a->strings["Actions"] = "Действия"; -$a->strings["Contact Settings"] = "Настройки контакта"; -$a->strings["Suggestions"] = "Предложения"; -$a->strings["Suggest potential friends"] = "Предложить потенциального знакомого"; -$a->strings["All Contacts"] = "Все контакты"; -$a->strings["Show all contacts"] = "Показать все контакты"; -$a->strings["Unblocked"] = "Не блокирован"; -$a->strings["Only show unblocked contacts"] = "Показать только не блокированные контакты"; -$a->strings["Blocked"] = "Заблокирован"; -$a->strings["Only show blocked contacts"] = "Показать только блокированные контакты"; -$a->strings["Ignored"] = "Игнорирован"; -$a->strings["Only show ignored contacts"] = "Показать только игнорируемые контакты"; -$a->strings["Archived"] = "Архивированные"; -$a->strings["Only show archived contacts"] = "Показывать только архивные контакты"; -$a->strings["Hidden"] = "Скрытые"; -$a->strings["Only show hidden contacts"] = "Показывать только скрытые контакты"; -$a->strings["Search your contacts"] = "Поиск ваших контактов"; -$a->strings["Results for: %s"] = "Результаты для: %s"; -$a->strings["Update"] = "Обновление"; -$a->strings["Archive"] = "Архивировать"; -$a->strings["Unarchive"] = "Разархивировать"; -$a->strings["Batch Actions"] = "Пакетные действия"; -$a->strings["View all contacts"] = "Показать все контакты"; -$a->strings["View all common friends"] = "Показать все общие поля"; -$a->strings["Advanced Contact Settings"] = "Дополнительные Настройки Контакта"; -$a->strings["Mutual Friendship"] = "Взаимная дружба"; -$a->strings["is a fan of yours"] = "является вашим поклонником"; -$a->strings["you are a fan of"] = "Вы - поклонник"; -$a->strings["Edit contact"] = "Редактировать контакт"; -$a->strings["Toggle Blocked status"] = "Изменить статус блокированности (заблокировать/разблокировать)"; -$a->strings["Toggle Ignored status"] = "Изменить статус игнорирования"; -$a->strings["Toggle Archive status"] = "Сменить статус архивации (архивирова/не архивировать)"; -$a->strings["Delete contact"] = "Удалить контакт"; -$a->strings["No such group"] = "Нет такой группы"; -$a->strings["Group is empty"] = "Группа пуста"; -$a->strings["Group: %s"] = "Группа: %s"; +$a->strings["%s\\'s birthday"] = "День рождения %s"; +$a->strings["Sharing notification from Diaspora network"] = "Уведомление о шаре из сети Diaspora"; +$a->strings["Attachments:"] = "Вложения:"; +$a->strings["(no subject)"] = "(без темы)"; $a->strings["This entry was edited"] = "Эта запись была отредактирована"; +$a->strings["save to folder"] = "сохранить в папке"; +$a->strings["I will attend"] = ""; +$a->strings["I will not attend"] = ""; +$a->strings["I might attend"] = ""; +$a->strings["add star"] = "пометить"; +$a->strings["remove star"] = "убрать метку"; +$a->strings["toggle star status"] = "переключить статус"; +$a->strings["starred"] = "помечено"; +$a->strings["ignore thread"] = "игнорировать тему"; +$a->strings["unignore thread"] = "не игнорировать тему"; +$a->strings["toggle ignore status"] = "изменить статус игнорирования"; +$a->strings["add tag"] = "добавить ключевое слово (тег)"; +$a->strings["like"] = "нравится"; +$a->strings["dislike"] = "не нравится"; +$a->strings["Share this"] = "Поделитесь этим"; +$a->strings["share"] = "поделиться"; +$a->strings["to"] = "к"; +$a->strings["via"] = "через"; +$a->strings["Wall-to-Wall"] = "Стена-на-Стену"; +$a->strings["via Wall-To-Wall:"] = "через Стена-на-Стену:"; $a->strings["%d comment"] = [ 0 => "%d комментарий", 1 => "%d комментариев", 2 => "%d комментариев", 3 => "%d комментариев", ]; -$a->strings["Private Message"] = "Личное сообщение"; -$a->strings["I like this (toggle)"] = "Нравится"; -$a->strings["like"] = "нравится"; -$a->strings["I don't like this (toggle)"] = "Не нравится"; -$a->strings["dislike"] = "не нравится"; -$a->strings["Share this"] = "Поделитесь этим"; -$a->strings["share"] = "поделиться"; -$a->strings["This is you"] = "Это вы"; -$a->strings["Comment"] = "Оставить комментарий"; $a->strings["Bold"] = "Жирный"; $a->strings["Italic"] = "Kурсивный"; $a->strings["Underline"] = "Подчеркнутый"; @@ -883,1163 +2157,18 @@ $a->strings["Code"] = "Код"; $a->strings["Image"] = "Изображение / Фото"; $a->strings["Link"] = "Ссылка"; $a->strings["Video"] = "Видео"; -$a->strings["Edit"] = "Редактировать"; -$a->strings["add star"] = "пометить"; -$a->strings["remove star"] = "убрать метку"; -$a->strings["toggle star status"] = "переключить статус"; -$a->strings["starred"] = "помечено"; -$a->strings["add tag"] = "добавить ключевое слово (тег)"; -$a->strings["ignore thread"] = "игнорировать тему"; -$a->strings["unignore thread"] = "не игнорировать тему"; -$a->strings["toggle ignore status"] = "изменить статус игнорирования"; -$a->strings["ignored"] = ""; -$a->strings["save to folder"] = "сохранить в папке"; -$a->strings["I will attend"] = ""; -$a->strings["I will not attend"] = ""; -$a->strings["I might attend"] = ""; -$a->strings["to"] = "к"; -$a->strings["Wall-to-Wall"] = "Стена-на-Стену"; -$a->strings["via Wall-To-Wall:"] = "через Стена-на-Стену:"; -$a->strings["Credits"] = "Признательность"; -$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = "Friendica это проект сообщества, который был бы невозможен без помощи многих людей. Вот лист тех, кто писал код или помогал с переводом. Спасибо вам всем!"; -$a->strings["Contact settings applied."] = "Установки контакта приняты."; -$a->strings["Contact update failed."] = "Обновление контакта неудачное."; -$a->strings["Contact not found."] = "Контакт не найден."; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ВНИМАНИЕ: Это крайне важно! Если вы введете неверную информацию, ваша связь с этим контактом перестанет работать."; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Пожалуйста, нажмите клавишу вашего браузера 'Back' или 'Назад' сейчас, если вы не уверены, что делаете на этой странице."; -$a->strings["No mirroring"] = "Не зеркалировать"; -$a->strings["Mirror as forwarded posting"] = "Зеркалировать как переадресованные сообщения"; -$a->strings["Mirror as my own posting"] = "Зеркалировать как мои сообщения"; -$a->strings["Return to contact editor"] = "Возврат к редактору контакта"; -$a->strings["Refetch contact data"] = "Обновить данные контакта"; -$a->strings["Remote Self"] = "Remote Self"; -$a->strings["Mirror postings from this contact"] = "Зекралировать сообщения от этого контакта"; -$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Пометить этот контакт как remote_self, что заставит Friendica постить сообщения от этого контакта."; -$a->strings["Name"] = "Имя"; -$a->strings["Account Nickname"] = "Ник аккаунта"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - перезаписывает Имя/Ник"; -$a->strings["Account URL"] = "URL аккаунта"; -$a->strings["Friend Request URL"] = "URL запроса в друзья"; -$a->strings["Friend Confirm URL"] = "URL подтверждения друга"; -$a->strings["Notification Endpoint URL"] = "URL эндпоинта уведомления"; -$a->strings["Poll/Feed URL"] = "URL опроса/ленты"; -$a->strings["New photo from this URL"] = "Новое фото из этой URL"; -$a->strings["No potential page delegates located."] = "Не найдено возможных доверенных лиц."; -$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Доверенные лица могут управлять всеми аспектами этого аккаунта/страницы, за исключением основных настроек аккаунта. Пожалуйста, не предоставляйте доступ в личный кабинет тому, кому вы не полностью доверяете."; -$a->strings["Existing Page Managers"] = "Существующие менеджеры страницы"; -$a->strings["Existing Page Delegates"] = "Существующие уполномоченные страницы"; -$a->strings["Potential Delegates"] = "Возможные доверенные лица"; -$a->strings["Remove"] = "Удалить"; -$a->strings["Add"] = "Добавить"; -$a->strings["No entries."] = "Нет записей."; -$a->strings["%1\$s welcomes %2\$s"] = "%1\$s добро пожаловать %2\$s"; -$a->strings["Public access denied."] = "Свободный доступ закрыт."; -$a->strings["Global Directory"] = "Глобальный каталог"; -$a->strings["Find on this site"] = "Найти на этом сайте"; -$a->strings["Results for:"] = "Результаты для:"; -$a->strings["Site Directory"] = "Каталог сайта"; -$a->strings["No entries (some entries may be hidden)."] = "Нет записей (некоторые записи могут быть скрыты)."; -$a->strings["Access to this profile has been restricted."] = "Доступ к этому профилю ограничен."; -$a->strings["Item has been removed."] = "Пункт был удален."; -$a->strings["Item not found"] = "Элемент не найден"; -$a->strings["Edit post"] = "Редактировать сообщение"; -$a->strings["Files"] = "Файлы"; -$a->strings["Not Found"] = "Не найдено"; -$a->strings["- select -"] = "- выбрать -"; -$a->strings["Friend suggestion sent."] = "Приглашение в друзья отправлено."; -$a->strings["Suggest Friends"] = "Предложить друзей"; -$a->strings["Suggest a friend for %s"] = "Предложить друга для %s."; -$a->strings["No profile"] = "Нет профиля"; -$a->strings["Help:"] = "Помощь:"; -$a->strings["Page not found."] = "Страница не найдена."; -$a->strings["Welcome to %s"] = "Добро пожаловать на %s!"; -$a->strings["Total invitation limit exceeded."] = "Превышен общий лимит приглашений."; -$a->strings["%s : Not a valid email address."] = "%s: Неверный адрес электронной почты."; -$a->strings["Please join us on Friendica"] = "Пожалуйста, присоединяйтесь к нам на Friendica"; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Лимит приглашений превышен. Пожалуйста, свяжитесь с администратором сайта."; -$a->strings["%s : Message delivery failed."] = "%s: Доставка сообщения не удалась."; -$a->strings["%d message sent."] = [ - 0 => "%d сообщение отправлено.", - 1 => "%d сообщений отправлено.", - 2 => "%d сообщений отправлено.", - 3 => "%d сообщений отправлено.", -]; -$a->strings["You have no more invitations available"] = "У вас нет больше приглашений"; -$a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = "Посетите %s со списком общедоступных сайтов, к которым вы можете присоединиться. Все участники Friendica на других сайтах могут соединиться друг с другом, а также с участниками многих других социальных сетей."; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Для одобрения этого приглашения, пожалуйста, посетите и зарегистрируйтесь на %s ,или любом другом публичном сервере Friendica"; -$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = "Сайты Friendica, подключившись между собой, могут создать сеть с повышенной безопасностью, которая принадлежит и управляется её членами. Они также могут подключаться ко многим традиционным социальным сетям. См. %s со списком альтернативных сайтов Friendica, к которым вы можете присоединиться."; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Извините. Эта система в настоящее время не сконфигурирована для соединения с другими общественными сайтами и для приглашения участников."; -$a->strings["Send invitations"] = "Отправить приглашения"; -$a->strings["Enter email addresses, one per line:"] = "Введите адреса электронной почты, по одному в строке:"; -$a->strings["Your message:"] = "Ваше сообщение:"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Приглашаем Вас присоединиться ко мне и другим близким друзьям на Friendica - помочь нам создать лучшую социальную сеть."; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Вам нужно будет предоставить этот код приглашения: \$invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "После того как вы зарегистрировались, пожалуйста, свяжитесь со мной через мою страницу профиля по адресу:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Для получения более подробной информации о проекте Friendica, пожалуйста, посетите http://friendica.com"; -$a->strings["Time Conversion"] = "История общения"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica предоставляет этот сервис для обмена событиями с другими сетями и друзьями, находящимися в неопределённых часовых поясах."; -$a->strings["UTC time: %s"] = "UTC время: %s"; -$a->strings["Current timezone: %s"] = "Ваш часовой пояс: %s"; -$a->strings["Converted localtime: %s"] = "Ваше изменённое время: %s"; -$a->strings["Please select your timezone:"] = "Выберите пожалуйста ваш часовой пояс:"; -$a->strings["Remote privacy information not available."] = "Личная информация удаленно недоступна."; -$a->strings["Visible to:"] = "Кто может видеть:"; -$a->strings["No valid account found."] = "Не найдено действительного аккаунта."; -$a->strings["Password reset request issued. Check your email."] = "Запрос на сброс пароля принят. Проверьте вашу электронную почту."; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = ""; -$a->strings["\n\t\tFollow this link to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = ""; -$a->strings["Password reset requested at %s"] = "Запрос на сброс пароля получен %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Запрос не может быть проверен. (Вы, возможно, ранее представляли его.) Попытка сброса пароля неудачная."; -$a->strings["Password Reset"] = "Сброс пароля"; -$a->strings["Your password has been reset as requested."] = "Ваш пароль был сброшен по требованию."; -$a->strings["Your new password is"] = "Ваш новый пароль"; -$a->strings["Save or copy your new password - and then"] = "Сохраните или скопируйте новый пароль - и затем"; -$a->strings["click here to login"] = "нажмите здесь для входа"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Ваш пароль может быть изменен на странице Настройки после успешного входа."; -$a->strings["\n\t\t\t\tDear %1\$s,\n\t\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\t\tinformation for your records (or change your password immediately to\n\t\t\t\tsomething that you will remember).\n\t\t\t"] = ""; -$a->strings["\n\t\t\t\tYour login details are as follows:\n\n\t\t\t\tSite Location:\t%1\$s\n\t\t\t\tLogin Name:\t%2\$s\n\t\t\t\tPassword:\t%3\$s\n\n\t\t\t\tYou may change that password from your account settings page after logging in.\n\t\t\t"] = ""; -$a->strings["Your password has been changed at %s"] = "Ваш пароль был изменен %s"; -$a->strings["Forgot your Password?"] = "Забыли пароль?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Введите адрес электронной почты и подтвердите, что вы хотите сбросить ваш пароль. Затем проверьте свою электронную почту для получения дальнейших инструкций."; -$a->strings["Nickname or Email: "] = "Ник или E-mail: "; -$a->strings["Reset"] = "Сброс"; -$a->strings["System down for maintenance"] = "Система закрыта на техническое обслуживание"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Нет соответствующих ключевых слов. Пожалуйста, добавьте ключевые слова для вашего профиля по умолчанию."; -$a->strings["is interested in:"] = "интересуется:"; -$a->strings["Profile Match"] = "Похожие профили"; -$a->strings["No matches"] = "Нет соответствий"; -$a->strings["Mood"] = "Настроение"; -$a->strings["Set your current mood and tell your friends"] = "Напишите о вашем настроении и расскажите своим друзьям"; -$a->strings["Welcome to Friendica"] = "Добро пожаловать в Friendica"; -$a->strings["New Member Checklist"] = "Новый контрольный список участников"; -$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = "Мы хотели бы предложить некоторые советы и ссылки, помогающие сделать вашу работу приятнее. Нажмите на любой элемент, чтобы посетить соответствующую страницу. Ссылка на эту страницу будет видна на вашей домашней странице в течение двух недель после первоначальной регистрации, а затем она исчезнет."; -$a->strings["Getting Started"] = "Начало работы"; -$a->strings["Friendica Walk-Through"] = "Friendica тур"; -$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = "На вашей странице Быстрый старт - можно найти краткое введение в ваш профиль и сетевые закладки, создать новые связи, и найти группы, чтобы присоединиться к ним."; -$a->strings["Go to Your Settings"] = "Перейти к вашим настройкам"; -$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = "На вашей странице Настройки - вы можете изменить свой первоначальный пароль. Также обратите внимание на ваш личный адрес. Он выглядит так же, как адрес электронной почты - и будет полезен для поиска друзей в свободной социальной сети."; -$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Просмотрите другие установки, в частности, параметры конфиденциальности. Неопубликованные пункты каталога с частными номерами телефона. В общем, вам, вероятно, следует опубликовать свою информацию - если все ваши друзья и потенциальные друзья точно знают, как вас найти."; -$a->strings["Upload Profile Photo"] = "Загрузить фото профиля"; -$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Загрузите фотографию профиля, если вы еще не сделали это. Исследования показали, что люди с реальными фотографиями имеют в десять раз больше шансов подружиться, чем люди, которые этого не делают."; -$a->strings["Edit Your Profile"] = "Редактировать профиль"; -$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Отредактируйте профиль по умолчанию на свой ​​вкус. Просмотрите установки для сокрытия вашего списка друзей и сокрытия профиля от неизвестных посетителей."; -$a->strings["Profile Keywords"] = "Ключевые слова профиля"; -$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Установите некоторые публичные ключевые слова для вашего профиля по умолчанию, которые описывают ваши интересы. Мы можем быть в состоянии найти других людей со схожими интересами и предложить дружбу."; -$a->strings["Connecting"] = "Подключение"; -$a->strings["Importing Emails"] = "Импортирование Email-ов"; -$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = "Введите информацию о доступе к вашему email на странице настроек вашего коннектора, если вы хотите импортировать, и общаться с друзьями или получать рассылки на ваш ящик электронной почты"; -$a->strings["Go to Your Contacts Page"] = "Перейти на страницу ваших контактов"; -$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Ваша страница контактов - это ваш шлюз к управлению дружбой и общением с друзьями в других сетях. Обычно вы вводите свой ​​адрес или адрес сайта в диалог Добавить новый контакт."; -$a->strings["Go to Your Site's Directory"] = "Перейти в каталог вашего сайта"; -$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "На странице каталога вы можете найти других людей в этой сети или на других похожих сайтах. Ищите ссылки Подключить или Следовать на страницах их профилей. Укажите свой собственный адрес идентификации, если требуется."; -$a->strings["Finding New People"] = "Поиск людей"; -$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = "На боковой панели страницы Контакты есть несколько инструментов, чтобы найти новых друзей. Мы можем искать по соответствию интересам, посмотреть людей по имени или интересам, и внести предложения на основе сетевых отношений. На новом сайте, предложения дружбы, как правило, начинают заполняться в течение 24 часов."; -$a->strings["Group Your Contacts"] = "Группа \"ваши контакты\""; -$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = "После того, как вы найдете несколько друзей, организуйте их в группы частных бесед в боковой панели на странице Контакты, а затем вы можете взаимодействовать с каждой группой приватно или на вашей странице Сеть."; -$a->strings["Why Aren't My Posts Public?"] = "Почему мои посты не публичные?"; -$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = "Friendica уважает вашу приватность. По умолчанию, ваши сообщения будут показываться только для людей, которых вы добавили в список друзей. Для получения дополнительной информации см. раздел справки по ссылке выше."; -$a->strings["Getting Help"] = "Получить помощь"; -$a->strings["Go to the Help Section"] = "Перейти в раздел справки"; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Наши страницы помощи могут проконсультировать о подробностях и возможностях программы и ресурса."; -$a->strings["Contacts who are not members of a group"] = "Контакты, которые не являются членами группы"; -$a->strings["No more system notifications."] = "Системных уведомлений больше нет."; -$a->strings["System Notifications"] = "Уведомления системы"; -$a->strings["Post successful."] = "Успешно добавлено."; -$a->strings["Subscribing to OStatus contacts"] = "Подписка на OStatus-контакты"; -$a->strings["No contact provided."] = "Не указан контакт."; -$a->strings["Couldn't fetch information for contact."] = "Невозможно получить информацию о контакте."; -$a->strings["Couldn't fetch friends for contact."] = "Невозможно получить друзей для контакта."; -$a->strings["Done"] = "Готово"; -$a->strings["success"] = "удачно"; -$a->strings["failed"] = "неудача"; -$a->strings["Keep this window open until done."] = "Держать окно открытым до завершения."; -$a->strings["Not Extended"] = "Не расширенный"; -$a->strings["Poke/Prod"] = "Потыкать/Потолкать"; -$a->strings["poke, prod or do other things to somebody"] = "Потыкать, потолкать или сделать что-то еще с кем-то"; -$a->strings["Recipient"] = "Получатель"; -$a->strings["Choose what you wish to do to recipient"] = "Выберите действия для получателя"; -$a->strings["Make this post private"] = "Сделать эту запись личной"; -$a->strings["Image uploaded but image cropping failed."] = "Изображение загружено, но обрезка изображения не удалась."; -$a->strings["Image size reduction [%s] failed."] = "Уменьшение размера изображения [%s] не удалось."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Перезагрузите страницу с зажатой клавишей \"Shift\" для того, чтобы увидеть свое новое фото немедленно."; -$a->strings["Unable to process image"] = "Не удается обработать изображение"; -$a->strings["Image exceeds size limit of %s"] = "Изображение превышает лимит размера в %s"; -$a->strings["Unable to process image."] = "Невозможно обработать фото."; -$a->strings["Upload File:"] = "Загрузить файл:"; -$a->strings["Select a profile:"] = "Выбрать этот профиль:"; -$a->strings["Upload"] = "Загрузить"; -$a->strings["or"] = "или"; -$a->strings["skip this step"] = "пропустить этот шаг"; -$a->strings["select a photo from your photo albums"] = "выберите фото из ваших фотоальбомов"; -$a->strings["Crop Image"] = "Обрезать изображение"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Пожалуйста, настройте обрезку изображения для оптимального просмотра."; -$a->strings["Done Editing"] = "Редактирование выполнено"; -$a->strings["Image uploaded successfully."] = "Изображение загружено успешно."; -$a->strings["Image upload failed."] = "Загрузка фото неудачная."; -$a->strings["Permission denied"] = "Доступ запрещен"; -$a->strings["Invalid profile identifier."] = "Недопустимый идентификатор профиля."; -$a->strings["Profile Visibility Editor"] = "Редактор видимости профиля"; -$a->strings["Click on a contact to add or remove."] = "Нажмите на контакт, чтобы добавить или удалить."; -$a->strings["Visible To"] = "Видимый для"; -$a->strings["All Contacts (with secure profile access)"] = "Все контакты (с безопасным доступом к профилю)"; -$a->strings["Account approved."] = "Аккаунт утвержден."; -$a->strings["Registration revoked for %s"] = "Регистрация отменена для %s"; -$a->strings["Please login."] = "Пожалуйста, войдите с паролем."; -$a->strings["Remove My Account"] = "Удалить мой аккаунт"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Это позволит полностью удалить ваш аккаунт. Как только это будет сделано, аккаунт восстановлению не подлежит."; -$a->strings["Please enter your password for verification:"] = "Пожалуйста, введите свой пароль для проверки:"; -$a->strings["Resubscribing to OStatus contacts"] = "Переподписаться на OStatus-контакты."; -$a->strings["Error"] = "Ошибка"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s подписан %2\$s's %3\$s"; -$a->strings["Do you really want to delete this suggestion?"] = "Вы действительно хотите удалить это предложение?"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Нет предложений. Если это новый сайт, пожалуйста, попробуйте снова через 24 часа."; -$a->strings["Ignore/Hide"] = "Проигнорировать/Скрыть"; -$a->strings["Tag removed"] = "Ключевое слово удалено"; -$a->strings["Remove Item Tag"] = "Удалить ключевое слово"; -$a->strings["Select a tag to remove: "] = "Выберите ключевое слово для удаления: "; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Этот сайт превысил допустимое количество ежедневных регистраций. Пожалуйста, повторите попытку завтра."; -$a->strings["Import"] = "Импорт"; -$a->strings["Move account"] = "Удалить аккаунт"; -$a->strings["You can import an account from another Friendica server."] = "Вы можете импортировать учетную запись с другого сервера Friendica."; -$a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = "Вам нужно экспортировать свой ​​аккаунт со старого сервера и загрузить его сюда. Мы восстановим ваш ​​старый аккаунт здесь со всеми вашими контактами. Мы постараемся также сообщить друзьям, что вы переехали сюда."; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = "Это экспериментальная функция. Мы не можем импортировать контакты из сети OStatus (GNU Social/ StatusNet) или из Diaspora"; -$a->strings["Account file"] = "Файл аккаунта"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Для экспорта аккаунта, перейдите в \"Настройки->Экспортировать ваши данные\" и выберите \"Экспорт аккаунта\""; -$a->strings["[Embedded content - reload page to view]"] = "[Встроенное содержание - перезагрузите страницу для просмотра]"; -$a->strings["No contacts."] = "Нет контактов."; -$a->strings["Access denied."] = "Доступ запрещен."; -$a->strings["Invalid request."] = "Неверный запрос."; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Извините, похоже что загружаемый файл превышает лимиты, разрешенные конфигурацией PHP"; -$a->strings["Or - did you try to upload an empty file?"] = "Или вы пытались загрузить пустой файл?"; -$a->strings["File exceeds size limit of %s"] = "Файл превышает лимит размера в %s"; -$a->strings["File upload failed."] = "Загрузка файла не удалась."; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Количество ежедневных сообщений на стене %s превышено. Сообщение отменено.."; -$a->strings["No recipient selected."] = "Не выбран получатель."; -$a->strings["Unable to check your home location."] = "Невозможно проверить местоположение."; -$a->strings["Message could not be sent."] = "Сообщение не может быть отправлено."; -$a->strings["Message collection failure."] = "Неудача коллекции сообщения."; -$a->strings["Message sent."] = "Сообщение отправлено."; -$a->strings["No recipient."] = "Без адресата."; -$a->strings["Send Private Message"] = "Отправить личное сообщение"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Если Вы хотите ответить %s, пожалуйста, проверьте, позволяют ли настройки конфиденциальности на Вашем сайте принимать личные сообщения от неизвестных отправителей."; -$a->strings["To:"] = "Кому:"; -$a->strings["Subject:"] = "Тема:"; -$a->strings["Source (bbcode) text:"] = "Код (bbcode):"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Код (Diaspora) для конвертации в BBcode:"; -$a->strings["Source input: "] = "Ввести код:"; -$a->strings["bb2html (raw HTML): "] = "bb2html (raw HTML): "; -$a->strings["bb2html: "] = "bb2html: "; -$a->strings["bb2html2bb: "] = "bb2html2bb: "; -$a->strings["bb2md: "] = "bb2md: "; -$a->strings["bb2md2html: "] = "bb2md2html: "; -$a->strings["bb2dia2bb: "] = "bb2dia2bb: "; -$a->strings["bb2md2html2bb: "] = "bb2md2html2bb: "; -$a->strings["Source input (Diaspora format): "] = "Ввод кода (формат Diaspora):"; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["View"] = "Смотреть"; -$a->strings["Previous"] = "Назад"; -$a->strings["Next"] = "Далее"; -$a->strings["list"] = "список"; -$a->strings["User not found"] = "Пользователь не найден"; -$a->strings["This calendar format is not supported"] = "Этот формат календарей не поддерживается"; -$a->strings["No exportable data found"] = "Нет данных для экспорта"; -$a->strings["calendar"] = "календарь"; -$a->strings["Not available."] = "Недоступно."; -$a->strings["No results."] = "Нет результатов."; -$a->strings["Profile not found."] = "Профиль не найден."; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Это может иногда происходить, если контакт запрашивали двое людей, и он был уже одобрен."; -$a->strings["Response from remote site was not understood."] = "Ответ от удаленного сайта не был понят."; -$a->strings["Unexpected response from remote site: "] = "Неожиданный ответ от удаленного сайта: "; -$a->strings["Confirmation completed successfully."] = "Подтверждение успешно завершено."; -$a->strings["Remote site reported: "] = "Удаленный сайт сообщил: "; -$a->strings["Temporary failure. Please wait and try again."] = "Временные неудачи. Подождите и попробуйте еще раз."; -$a->strings["Introduction failed or was revoked."] = "Запрос ошибочен или был отозван."; -$a->strings["Unable to set contact photo."] = "Не удается установить фото контакта."; -$a->strings["No user record found for '%s' "] = "Не найдено записи пользователя для '%s' "; -$a->strings["Our site encryption key is apparently messed up."] = "Наш ключ шифрования сайта, по-видимому, перепутался."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Был предоставлен пустой URL сайта ​​или URL не может быть расшифрован нами."; -$a->strings["Contact record was not found for you on our site."] = "Запись контакта не найдена для вас на нашем сайте."; -$a->strings["Site public key not available in contact record for URL %s."] = "Публичный ключ недоступен в записи о контакте по ссылке %s"; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "ID, предложенный вашей системой, является дубликатом в нашей системе. Он должен работать, если вы повторите попытку."; -$a->strings["Unable to set your contact credentials on our system."] = "Не удалось установить ваши учетные данные контакта в нашей системе."; -$a->strings["Unable to update your contact profile details on our system"] = "Не удается обновить ваши контактные детали профиля в нашей системе"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s присоединился %2\$s"; -$a->strings["This introduction has already been accepted."] = "Этот запрос был уже принят."; -$a->strings["Profile location is not valid or does not contain profile information."] = "Местоположение профиля является недопустимым или не содержит информацию о профиле."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Внимание: местоположение профиля не имеет идентифицируемого имени владельца."; -$a->strings["Warning: profile location has no profile photo."] = "Внимание: местоположение профиля не имеет еще фотографии профиля."; -$a->strings["%d required parameter was not found at the given location"] = [ - 0 => "%d требуемый параметр не был найден в заданном месте", - 1 => "%d требуемых параметров не были найдены в заданном месте", - 2 => "%d требуемых параметров не были найдены в заданном месте", - 3 => "%d требуемых параметров не были найдены в заданном месте", -]; -$a->strings["Introduction complete."] = "Запрос создан."; -$a->strings["Unrecoverable protocol error."] = "Неисправимая ошибка протокола."; -$a->strings["Profile unavailable."] = "Профиль недоступен."; -$a->strings["%s has received too many connection requests today."] = "К %s пришло сегодня слишком много запросов на подключение."; -$a->strings["Spam protection measures have been invoked."] = "Были применены меры защиты от спама."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Друзья советуют попробовать еще раз в ближайшие 24 часа."; -$a->strings["Invalid locator"] = "Недопустимый локатор"; -$a->strings["Invalid email address."] = "Неверный адрес электронной почты."; -$a->strings["This account has not been configured for email. Request failed."] = "Этот аккаунт не настроен для электронной почты. Запрос не удался."; -$a->strings["You have already introduced yourself here."] = "Вы уже ввели информацию о себе здесь."; -$a->strings["Apparently you are already friends with %s."] = "Похоже, что вы уже друзья с %s."; -$a->strings["Invalid profile URL."] = "Неверный URL профиля."; -$a->strings["Your introduction has been sent."] = "Ваш запрос отправлен."; -$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Удаленная подписка не может быть выполнена на вашей сети. Пожалуйста, подпишитесь на вашей системе."; -$a->strings["Please login to confirm introduction."] = "Для подтверждения запроса войдите пожалуйста с паролем."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Неверно идентифицирован вход. Пожалуйста, войдите в этот профиль."; -$a->strings["Confirm"] = "Подтвердить"; -$a->strings["Hide this contact"] = "Скрыть этот контакт"; -$a->strings["Welcome home %s."] = "Добро пожаловать домой, %s!"; -$a->strings["Please confirm your introduction/connection request to %s."] = "Пожалуйста, подтвердите краткую информацию / запрос на подключение к %s."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Пожалуйста, введите ваш 'идентификационный адрес' одной из следующих поддерживаемых социальных сетей:"; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "Если вы еще не являетесь членом свободной социальной сети, перейдите по этой ссылке, чтобы найти публичный сервер Friendica и присоединиться к нам сейчас ."; -$a->strings["Friend/Connection Request"] = "Запрос в друзья / на подключение"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Примеры: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; -$a->strings["Please answer the following:"] = "Пожалуйста, ответьте следующее:"; -$a->strings["Does %s know you?"] = "%s знает вас?"; -$a->strings["Add a personal note:"] = "Добавить личную заметку:"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet / Federated Social Web"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = "Участники сети Diaspora: пожалуйста, не пользуйтесь этой формой. Вместо этого введите %s в строке поиска Diaspora"; -$a->strings["Your Identity Address:"] = "Ваш идентификационный адрес:"; -$a->strings["Submit Request"] = "Отправить запрос"; -$a->strings["People Search - %s"] = "Поиск по людям - %s"; -$a->strings["Forum Search - %s"] = "Поиск по форумам - %s"; -$a->strings["Event can not end before it has started."] = "Эвент не может закончится до старта."; -$a->strings["Event title and start time are required."] = "Название мероприятия и время начала обязательны для заполнения."; -$a->strings["Create New Event"] = "Создать новое мероприятие"; -$a->strings["Event details"] = "Сведения о мероприятии"; -$a->strings["Starting date and Title are required."] = "Необходима дата старта и заголовок."; -$a->strings["Event Starts:"] = "Начало мероприятия:"; -$a->strings["Required"] = "Требуется"; -$a->strings["Finish date/time is not known or not relevant"] = "Дата/время окончания не известны, или не указаны"; -$a->strings["Event Finishes:"] = "Окончание мероприятия:"; -$a->strings["Adjust for viewer timezone"] = "Настройка часового пояса"; -$a->strings["Description:"] = "Описание:"; -$a->strings["Title:"] = "Титул:"; -$a->strings["Share this event"] = "Поделитесь этим мероприятием"; -$a->strings["Failed to remove event"] = ""; -$a->strings["Event removed"] = ""; -$a->strings["You already added this contact."] = "Вы уже добавили этот контакт."; -$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Поддержка Diaspora не включена. Контакт не может быть добавлен."; -$a->strings["OStatus support is disabled. Contact can't be added."] = "Поддержка OStatus выключена. Контакт не может быть добавлен."; -$a->strings["The network type couldn't be detected. Contact can't be added."] = "Тип сети не может быть определен. Контакт не может быть добавлен."; -$a->strings["Contact added"] = "Контакт добавлен"; -$a->strings["This is Friendica, version"] = "Это Friendica, версия"; -$a->strings["running at web location"] = "работает на веб-узле"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Пожалуйста, посетите сайт Friendica.com, чтобы узнать больше о проекте Friendica."; -$a->strings["Bug reports and issues: please visit"] = "Отчет об ошибках и проблемах: пожалуйста, посетите"; -$a->strings["the bugtracker at github"] = "багтрекер на github"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Предложения, похвала, пожертвования? Пишите на \"info\" на Friendica - точка com"; -$a->strings["Installed plugins/addons/apps:"] = "Установленные плагины / добавки / приложения:"; -$a->strings["No installed plugins/addons/apps"] = "Нет установленных плагинов / добавок / приложений"; -$a->strings["On this server the following remote servers are blocked."] = ""; -$a->strings["Reason for the block"] = ""; -$a->strings["Group created."] = "Группа создана."; -$a->strings["Could not create group."] = "Не удалось создать группу."; -$a->strings["Group not found."] = "Группа не найдена."; -$a->strings["Group name changed."] = "Название группы изменено."; -$a->strings["Save Group"] = "Сохранить группу"; -$a->strings["Create a group of contacts/friends."] = "Создать группу контактов / друзей."; -$a->strings["Group removed."] = "Группа удалена."; -$a->strings["Unable to remove group."] = "Не удается удалить группу."; -$a->strings["Delete Group"] = ""; -$a->strings["Group Editor"] = "Редактор групп"; -$a->strings["Edit Group Name"] = ""; -$a->strings["Members"] = "Участники"; -$a->strings["Remove Contact"] = ""; -$a->strings["Add Contact"] = ""; -$a->strings["Manage Identities and/or Pages"] = "Управление идентификацией и / или страницами"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = ""; -$a->strings["Select an identity to manage: "] = "Выберите идентификацию для управления: "; -$a->strings["Unable to locate contact information."] = "Не удалось найти контактную информацию."; -$a->strings["Do you really want to delete this message?"] = "Вы действительно хотите удалить это сообщение?"; -$a->strings["Message deleted."] = "Сообщение удалено."; -$a->strings["Conversation removed."] = "Беседа удалена."; -$a->strings["No messages."] = "Нет сообщений."; -$a->strings["Message not available."] = "Сообщение не доступно."; -$a->strings["Delete message"] = "Удалить сообщение"; -$a->strings["Delete conversation"] = "Удалить историю общения"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Невозможно защищённое соединение. Вы имеете возможность ответить со страницы профиля отправителя."; -$a->strings["Send Reply"] = "Отправить ответ"; -$a->strings["Unknown sender - %s"] = "Неизвестный отправитель - %s"; -$a->strings["You and %s"] = "Вы и %s"; -$a->strings["%s and You"] = "%s и Вы"; -$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; -$a->strings["%d message"] = [ - 0 => "%d сообщение", - 1 => "%d сообщений", - 2 => "%d сообщений", - 3 => "%d сообщений", -]; -$a->strings["Remove term"] = "Удалить элемент"; -$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ - 0 => "Внимание: в группе %s пользователь из сети, которая не поддерживает непубличные сообщения.", - 1 => "Внимание: в группе %s пользователя из сети, которая не поддерживает непубличные сообщения.", - 2 => "Внимание: в группе %s пользователей из сети, которая не поддерживает непубличные сообщения.", - 3 => "Внимание: в группе %s пользователей из сети, которая не поддерживает непубличные сообщения.", -]; -$a->strings["Messages in this group won't be send to these receivers."] = "Сообщения в этой группе не будут отправлены следующим получателям."; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Личные сообщения этому человеку находятся под угрозой обнародования."; -$a->strings["Invalid contact."] = "Недопустимый контакт."; -$a->strings["Commented Order"] = "Последние комментарии"; -$a->strings["Sort by Comment Date"] = "Сортировать по дате комментария"; -$a->strings["Posted Order"] = "Лента записей"; -$a->strings["Sort by Post Date"] = "Сортировать по дате отправки"; -$a->strings["Posts that mention or involve you"] = "Посты которые упоминают вас или в которых вы участвуете"; -$a->strings["New"] = "Новое"; -$a->strings["Activity Stream - by date"] = "Лента активности - по дате"; -$a->strings["Shared Links"] = "Ссылки, которыми поделились"; -$a->strings["Interesting Links"] = "Интересные ссылки"; -$a->strings["Starred"] = "Избранное"; -$a->strings["Favourite Posts"] = "Избранные посты"; -$a->strings["OpenID protocol error. No ID returned."] = "Ошибка протокола OpenID. Не возвращён ID."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Аккаунт не найден и OpenID регистрация не допускается на этом сайте."; -$a->strings["Recent Photos"] = "Последние фото"; -$a->strings["Upload New Photos"] = "Загрузить новые фото"; -$a->strings["everybody"] = "каждый"; -$a->strings["Contact information unavailable"] = "Информация о контакте недоступна"; -$a->strings["Album not found."] = "Альбом не найден."; -$a->strings["Delete Album"] = "Удалить альбом"; -$a->strings["Do you really want to delete this photo album and all its photos?"] = "Вы действительно хотите удалить этот альбом и все его фотографии?"; -$a->strings["Delete Photo"] = "Удалить фото"; -$a->strings["Do you really want to delete this photo?"] = "Вы действительно хотите удалить эту фотографию?"; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s отмечен/а/ в %2\$s by %3\$s"; -$a->strings["a photo"] = "фото"; -$a->strings["Image file is empty."] = "Файл изображения пуст."; -$a->strings["No photos selected"] = "Не выбрано фото."; -$a->strings["Access to this item is restricted."] = "Доступ к этому пункту ограничен."; -$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Вы использовали %1$.2f мегабайт из %2$.2f возможных для хранения фотографий."; -$a->strings["Upload Photos"] = "Загрузить фото"; -$a->strings["New album name: "] = "Название нового альбома: "; -$a->strings["or existing album name: "] = "или название существующего альбома: "; -$a->strings["Do not show a status post for this upload"] = "Не показывать статус-сообщение для этой закачки"; -$a->strings["Show to Groups"] = "Показать в группах"; -$a->strings["Show to Contacts"] = "Показывать контактам"; -$a->strings["Private Photo"] = "Личное фото"; -$a->strings["Public Photo"] = "Публичное фото"; -$a->strings["Edit Album"] = "Редактировать альбом"; -$a->strings["Show Newest First"] = "Показать новые первыми"; -$a->strings["Show Oldest First"] = "Показать старые первыми"; -$a->strings["View Photo"] = "Просмотр фото"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Нет разрешения. Доступ к этому элементу ограничен."; -$a->strings["Photo not available"] = "Фото недоступно"; -$a->strings["View photo"] = "Просмотр фото"; -$a->strings["Edit photo"] = "Редактировать фото"; -$a->strings["Use as profile photo"] = "Использовать как фото профиля"; -$a->strings["View Full Size"] = "Просмотреть полный размер"; -$a->strings["Tags: "] = "Ключевые слова: "; -$a->strings["[Remove any tag]"] = "[Удалить любое ключевое слово]"; -$a->strings["New album name"] = "Название нового альбома"; -$a->strings["Caption"] = "Подпись"; -$a->strings["Add a Tag"] = "Добавить ключевое слово (тег)"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Пример: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; -$a->strings["Do not rotate"] = "Не поворачивать"; -$a->strings["Rotate CW (right)"] = "Поворот по часовой стрелке (направо)"; -$a->strings["Rotate CCW (left)"] = "Поворот против часовой стрелки (налево)"; -$a->strings["Private photo"] = "Личное фото"; -$a->strings["Public photo"] = "Публичное фото"; -$a->strings["Map"] = "Карта"; -$a->strings["View Album"] = "Просмотреть альбом"; -$a->strings["Only logged in users are permitted to perform a probing."] = ""; -$a->strings["Tips for New Members"] = "Советы для новых участников"; -$a->strings["Profile deleted."] = "Профиль удален."; -$a->strings["Profile-"] = "Профиль-"; -$a->strings["New profile created."] = "Новый профиль создан."; -$a->strings["Profile unavailable to clone."] = "Профиль недоступен для клонирования."; -$a->strings["Profile Name is required."] = "Необходимо имя профиля."; -$a->strings["Marital Status"] = "Семейное положение"; -$a->strings["Romantic Partner"] = "Любимый человек"; -$a->strings["Work/Employment"] = "Работа/Занятость"; -$a->strings["Religion"] = "Религия"; -$a->strings["Political Views"] = "Политические взгляды"; -$a->strings["Gender"] = "Пол"; -$a->strings["Sexual Preference"] = "Сексуальные предпочтения"; -$a->strings["XMPP"] = "XMPP"; -$a->strings["Homepage"] = "Домашняя страница"; -$a->strings["Interests"] = "Хобби / Интересы"; -$a->strings["Address"] = "Адрес"; -$a->strings["Location"] = "Местонахождение"; -$a->strings["Profile updated."] = "Профиль обновлен."; -$a->strings[" and "] = "и"; -$a->strings["public profile"] = "публичный профиль"; -$a->strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$s изменились с %2\$s на “%3\$s”"; -$a->strings[" - Visit %1\$s's %2\$s"] = " - Посетить профиль %1\$s [%2\$s]"; -$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s обновил %2\$s, изменив %3\$s."; -$a->strings["Hide contacts and friends:"] = "Скрыть контакты и друзей:"; -$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Скрывать ваш список контактов / друзей от посетителей этого профиля?"; -$a->strings["Show more profile fields:"] = "Показать больше полей в профиле:"; -$a->strings["Profile Actions"] = "Действия профиля"; -$a->strings["Edit Profile Details"] = "Редактировать детали профиля"; -$a->strings["Change Profile Photo"] = "Изменить фото профиля"; -$a->strings["View this profile"] = "Просмотреть этот профиль"; -$a->strings["Create a new profile using these settings"] = "Создать новый профиль, используя эти настройки"; -$a->strings["Clone this profile"] = "Клонировать этот профиль"; -$a->strings["Delete this profile"] = "Удалить этот профиль"; -$a->strings["Basic information"] = "Основная информация"; -$a->strings["Profile picture"] = "Картинка профиля"; -$a->strings["Preferences"] = "Настройки"; -$a->strings["Status information"] = "Статус"; -$a->strings["Additional information"] = "Дополнительная информация"; -$a->strings["Relation"] = "Отношения"; -$a->strings["Your Gender:"] = "Ваш пол:"; -$a->strings[" Marital Status:"] = " Семейное положение:"; -$a->strings["Example: fishing photography software"] = "Пример: рыбалка фотографии программное обеспечение"; -$a->strings["Profile Name:"] = "Имя профиля:"; -$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Это ваш публичный профиль.
Он может быть виден каждому через Интернет."; -$a->strings["Your Full Name:"] = "Ваше полное имя:"; -$a->strings["Title/Description:"] = "Заголовок / Описание:"; -$a->strings["Street Address:"] = "Адрес:"; -$a->strings["Locality/City:"] = "Город / Населенный пункт:"; -$a->strings["Region/State:"] = "Район / Область:"; -$a->strings["Postal/Zip Code:"] = "Почтовый индекс:"; -$a->strings["Country:"] = "Страна:"; -$a->strings["Who: (if applicable)"] = "Кто: (если требуется)"; -$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Примеры: cathy123, Кэти Уильямс, cathy@example.com"; -$a->strings["Since [date]:"] = "С какого времени [дата]:"; -$a->strings["Tell us about yourself..."] = "Расскажите нам о себе ..."; -$a->strings["XMPP (Jabber) address:"] = "Адрес XMPP (Jabber):"; -$a->strings["The XMPP address will be propagated to your contacts so that they can follow you."] = "Адрес XMPP будет отправлен контактам, чтобы они могли вас добавить."; -$a->strings["Homepage URL:"] = "Адрес домашней странички:"; -$a->strings["Religious Views:"] = "Религиозные взгляды:"; -$a->strings["Public Keywords:"] = "Общественные ключевые слова:"; -$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Используется для предложения потенциальным друзьям, могут увидеть другие)"; -$a->strings["Private Keywords:"] = "Личные ключевые слова:"; -$a->strings["(Used for searching profiles, never shown to others)"] = "(Используется для поиска профилей, никогда не показывается другим)"; -$a->strings["Musical interests"] = "Музыкальные интересы"; -$a->strings["Books, literature"] = "Книги, литература"; -$a->strings["Television"] = "Телевидение"; -$a->strings["Film/dance/culture/entertainment"] = "Кино / танцы / культура / развлечения"; -$a->strings["Hobbies/Interests"] = "Хобби / Интересы"; -$a->strings["Love/romance"] = "Любовь / романтика"; -$a->strings["Work/employment"] = "Работа / занятость"; -$a->strings["School/education"] = "Школа / образование"; -$a->strings["Contact information and Social Networks"] = "Контактная информация и социальные сети"; -$a->strings["Edit/Manage Profiles"] = "Редактировать профиль"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Регистрация успешна. Пожалуйста, проверьте свою электронную почту для получения дальнейших инструкций."; -$a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = "Ошибка отправки письма. Вот ваши учетные данные:
логин: %s
пароль: %s

Вы сможете изменить пароль после входа."; -$a->strings["Registration successful."] = "Регистрация успешна."; -$a->strings["Your registration can not be processed."] = "Ваша регистрация не может быть обработана."; -$a->strings["Your registration is pending approval by the site owner."] = "Ваша регистрация в ожидании одобрения владельцем сайта."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Вы можете (по желанию), заполнить эту форму с помощью OpenID, поддерживая ваш OpenID и нажав клавишу \"Регистрация\"."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Если вы не знакомы с OpenID, пожалуйста, оставьте это поле пустым и заполните остальные элементы."; -$a->strings["Your OpenID (optional): "] = "Ваш OpenID (необязательно):"; -$a->strings["Include your profile in member directory?"] = "Включить ваш профиль в каталог участников?"; -$a->strings["Note for the admin"] = "Сообщение для администратора"; -$a->strings["Leave a message for the admin, why you want to join this node"] = "Сообщения для администратора сайта на тему \"почему я хочу присоединиться к вам\""; -$a->strings["Membership on this site is by invitation only."] = "Членство на сайте только по приглашению."; -$a->strings["Your invitation ID: "] = "ID вашего приглашения:"; -$a->strings["Registration"] = "Регистрация"; -$a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = "Ваше полное имя (например, Иван Иванов):"; -$a->strings["Your Email Address: "] = "Ваш адрес электронной почты: "; -$a->strings["New Password:"] = "Новый пароль:"; -$a->strings["Leave empty for an auto generated password."] = "Оставьте пустым для автоматической генерации пароля."; -$a->strings["Confirm:"] = "Подтвердите:"; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Выбор псевдонима профиля. Он должен начинаться с буквы. Адрес вашего профиля на данном сайте будет в этом случае 'nickname@\$sitename'."; -$a->strings["Choose a nickname: "] = "Выберите псевдоним: "; -$a->strings["Import your profile to this friendica instance"] = "Импорт своего профиля в этот экземпляр friendica"; -$a->strings["Only logged in users are permitted to perform a search."] = "Только зарегистрированные пользователи могут использовать поиск."; -$a->strings["Too Many Requests"] = "Слишком много запросов"; -$a->strings["Only one search per minute is permitted for not logged in users."] = "Незарегистрированные пользователи могут выполнять поиск раз в минуту."; -$a->strings["Items tagged with: %s"] = "Элементы с тегами: %s"; -$a->strings["Account"] = "Аккаунт"; -$a->strings["Additional features"] = "Дополнительные возможности"; -$a->strings["Display"] = "Внешний вид"; -$a->strings["Social Networks"] = "Социальные сети"; -$a->strings["Plugins"] = "Плагины"; -$a->strings["Connected apps"] = "Подключенные приложения"; -$a->strings["Export personal data"] = "Экспорт личных данных"; -$a->strings["Remove account"] = "Удалить аккаунт"; -$a->strings["Missing some important data!"] = "Не хватает важных данных!"; -$a->strings["Failed to connect with email account using the settings provided."] = "Не удалось подключиться к аккаунту e-mail, используя указанные настройки."; -$a->strings["Email settings updated."] = "Настройки эл. почты обновлены."; -$a->strings["Features updated"] = "Настройки обновлены"; -$a->strings["Relocate message has been send to your contacts"] = "Перемещённое сообщение было отправлено списку контактов"; -$a->strings["Empty passwords are not allowed. Password unchanged."] = "Пустые пароли не допускаются. Пароль не изменен."; -$a->strings["Wrong password."] = "Неверный пароль."; -$a->strings["Password changed."] = "Пароль изменен."; -$a->strings["Password update failed. Please try again."] = "Обновление пароля не удалось. Пожалуйста, попробуйте еще раз."; -$a->strings[" Please use a shorter name."] = " Пожалуйста, используйте более короткое имя."; -$a->strings[" Name too short."] = " Имя слишком короткое."; -$a->strings["Wrong Password"] = "Неверный пароль."; -$a->strings[" Not valid email."] = " Неверный e-mail."; -$a->strings[" Cannot change to that email."] = " Невозможно изменить на этот e-mail."; -$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Частный форум не имеет настроек приватности. Используется группа конфиденциальности по умолчанию."; -$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Частный форум не имеет настроек приватности и не имеет групп приватности по умолчанию."; -$a->strings["Settings updated."] = "Настройки обновлены."; -$a->strings["Add application"] = "Добавить приложения"; -$a->strings["Save Settings"] = "Сохранить настройки"; -$a->strings["Consumer Key"] = "Consumer Key"; -$a->strings["Consumer Secret"] = "Consumer Secret"; -$a->strings["Redirect"] = "Перенаправление"; -$a->strings["Icon url"] = "URL символа"; -$a->strings["You can't edit this application."] = "Вы не можете изменить это приложение."; -$a->strings["Connected Apps"] = "Подключенные приложения"; -$a->strings["Client key starts with"] = "Ключ клиента начинается с"; -$a->strings["No name"] = "Нет имени"; -$a->strings["Remove authorization"] = "Удалить авторизацию"; -$a->strings["No Plugin settings configured"] = "Нет сконфигурированных настроек плагина"; -$a->strings["Plugin Settings"] = "Настройки плагина"; -$a->strings["Off"] = "Выкл."; -$a->strings["On"] = "Вкл."; -$a->strings["Additional Features"] = "Дополнительные возможности"; -$a->strings["General Social Media Settings"] = "Общие настройки социальных медиа"; -$a->strings["Disable intelligent shortening"] = "Отключить умное сокращение"; -$a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = "Обычно система пытается найти лучшую ссылку для добавления к сокращенному посту. Если эта настройка включена, то каждый сокращенный пост будет указывать на оригинальный пост в Friendica."; -$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = "Автоматически подписываться на любого пользователя GNU Social (OStatus), который вас упомянул или который на вас подписался"; -$a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = "Если вы получите сообщение от неизвестной учетной записи OStatus, эта настройка решает, что делать. Если включена, то новый контакт будет создан для каждого неизвестного пользователя."; -$a->strings["Default group for OStatus contacts"] = "Группа по-умолчанию для OStatus-контактов"; -$a->strings["Your legacy GNU Social account"] = "Ваша старая учетная запись GNU Social"; -$a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = "Если вы введете тут вашу старую учетную запись GNU Social/Statusnet (в виде пользователь@домен), ваши контакты оттуда будут автоматически добавлены. Поле будет очищено когда все контакты будут добавлены."; -$a->strings["Repair OStatus subscriptions"] = "Починить подписки OStatus"; -$a->strings["Built-in support for %s connectivity is %s"] = "Встроенная поддержка для %s подключение %s"; -$a->strings["enabled"] = "подключено"; -$a->strings["disabled"] = "отключено"; -$a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; -$a->strings["Email access is disabled on this site."] = "Доступ эл. почты отключен на этом сайте."; -$a->strings["Email/Mailbox Setup"] = "Настройка эл. почты / почтового ящика"; -$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Если вы хотите общаться с Email контактами, используя этот сервис (по желанию), пожалуйста, уточните, как подключиться к вашему почтовому ящику."; -$a->strings["Last successful email check:"] = "Последняя успешная проверка электронной почты:"; -$a->strings["IMAP server name:"] = "Имя IMAP сервера:"; -$a->strings["IMAP port:"] = "Порт IMAP:"; -$a->strings["Security:"] = "Безопасность:"; -$a->strings["None"] = "Ничего"; -$a->strings["Email login name:"] = "Логин эл. почты:"; -$a->strings["Email password:"] = "Пароль эл. почты:"; -$a->strings["Reply-to address:"] = "Адрес для ответа:"; -$a->strings["Send public posts to all email contacts:"] = "Отправлять открытые сообщения на все контакты электронной почты:"; -$a->strings["Action after import:"] = "Действие после импорта:"; -$a->strings["Move to folder"] = "Переместить в папку"; -$a->strings["Move to folder:"] = "Переместить в папку:"; -$a->strings["No special theme for mobile devices"] = "Нет специальной темы для мобильных устройств"; -$a->strings["Display Settings"] = "Параметры дисплея"; -$a->strings["Display Theme:"] = "Показать тему:"; -$a->strings["Mobile Theme:"] = "Мобильная тема:"; -$a->strings["Suppress warning of insecure networks"] = "Не отображать уведомление о небезопасных сетях"; -$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = "Должна ли система подавлять уведомления о том, что текущая группа содержить пользователей из сетей, которые не могут получать непубличные сообщения или сообщения с ограниченной видимостью."; -$a->strings["Update browser every xx seconds"] = "Обновление браузера каждые хх секунд"; -$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = "Минимум 10 секунд. Введите -1 для отключения."; -$a->strings["Number of items to display per page:"] = "Количество элементов, отображаемых на одной странице:"; -$a->strings["Maximum of 100 items"] = "Максимум 100 элементов"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = "Количество элементов на странице, когда просмотр осуществляется с мобильных устройств:"; -$a->strings["Don't show emoticons"] = "не показывать emoticons"; -$a->strings["Calendar"] = "Календарь"; -$a->strings["Beginning of week:"] = "Начало недели:"; -$a->strings["Don't show notices"] = "Не показывать уведомления"; -$a->strings["Infinite scroll"] = "Бесконечная прокрутка"; -$a->strings["Automatic updates only at the top of the network page"] = "Автоматически обновлять только при нахождении вверху страницы \"Сеть\""; -$a->strings["Bandwith Saver Mode"] = "Режим экономии трафика"; -$a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = "Если включено, то включенный контент не отображается при автоматическом обновлении, он будет показан только при перезагрузке страницы."; -$a->strings["General Theme Settings"] = "Общие настройки тем"; -$a->strings["Custom Theme Settings"] = "Личные настройки тем"; -$a->strings["Content Settings"] = "Настройки контента"; -$a->strings["Theme settings"] = "Настройки темы"; -$a->strings["Account Types"] = "Тип учетной записи"; -$a->strings["Personal Page Subtypes"] = "Подтипы личной страницы"; -$a->strings["Community Forum Subtypes"] = "Подтипы форума сообщества"; -$a->strings["Personal Page"] = "Личная страница"; -$a->strings["This account is a regular personal profile"] = "Этот аккаунт является обычным личным профилем"; -$a->strings["Organisation Page"] = "Организационная страница"; -$a->strings["This account is a profile for an organisation"] = "Этот аккаунт является профилем организации"; -$a->strings["News Page"] = "Новостная страница"; -$a->strings["This account is a news account/reflector"] = "Этот аккаунт является ностным/рефлектором"; -$a->strings["Community Forum"] = "Форум сообщества"; -$a->strings["This account is a community forum where people can discuss with each other"] = "Эта учетная запись является форумом сообщества, где люди могут обсуждать что-то друг с другом"; -$a->strings["Normal Account Page"] = "Стандартная страница аккаунта"; -$a->strings["This account is a normal personal profile"] = "Этот аккаунт является обычным персональным профилем"; -$a->strings["Soapbox Page"] = "Песочница"; -$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Автоматически одобряются все подключения / запросы в друзья, \"только для чтения\" поклонниками"; -$a->strings["Public Forum"] = "Публичный форум"; -$a->strings["Automatically approve all contact requests"] = "Автоматически принимать все запросы соединения."; -$a->strings["Automatic Friend Page"] = "\"Автоматический друг\" страница"; -$a->strings["Automatically approve all connection/friend requests as friends"] = "Автоматически одобряются все подключения / запросы в друзья, расширяется список друзей"; -$a->strings["Private Forum [Experimental]"] = "Личный форум [экспериментально]"; -$a->strings["Private forum - approved members only"] = "Приватный форум - разрешено только участникам"; -$a->strings["OpenID:"] = "OpenID:"; -$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Необязательно) Разрешить этому OpenID входить в этот аккаунт"; -$a->strings["Publish your default profile in your local site directory?"] = "Публиковать ваш профиль по умолчанию в вашем локальном каталоге на сайте?"; -$a->strings["Your profile may be visible in public."] = ""; -$a->strings["Publish your default profile in the global social directory?"] = "Публиковать ваш профиль по умолчанию в глобальном социальном каталоге?"; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Скрывать ваш список контактов/друзей от посетителей вашего профиля по умолчанию?"; -$a->strings["If enabled, posting public messages to Diaspora and other networks isn't possible."] = "Если включено, то мы не сможем отправлять публичные сообщения в Diaspora или другую сеть."; -$a->strings["Allow friends to post to your profile page?"] = "Разрешить друзьям оставлять сообщения на страницу вашего профиля?"; -$a->strings["Allow friends to tag your posts?"] = "Разрешить друзьям отмечять ваши сообщения?"; -$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Позвольть предлогать Вам потенциальных друзей?"; -$a->strings["Permit unknown people to send you private mail?"] = "Разрешить незнакомым людям отправлять вам личные сообщения?"; -$a->strings["Profile is not published."] = "Профиль не публикуется."; -$a->strings["Your Identity Address is '%s' or '%s'."] = "Ваш адрес: '%s' или '%s'."; -$a->strings["Automatically expire posts after this many days:"] = "Автоматическое истекание срока действия сообщения после стольких дней:"; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Если пусто, срок действия сообщений не будет ограничен. Сообщения с истекшим сроком действия будут удалены"; -$a->strings["Advanced expiration settings"] = "Настройки расширенного окончания срока действия"; -$a->strings["Advanced Expiration"] = "Расширенное окончание срока действия"; -$a->strings["Expire posts:"] = "Срок хранения сообщений:"; -$a->strings["Expire personal notes:"] = "Срок хранения личных заметок:"; -$a->strings["Expire starred posts:"] = "Срок хранения усеянных сообщений:"; -$a->strings["Expire photos:"] = "Срок хранения фотографий:"; -$a->strings["Only expire posts by others:"] = "Только устаревшие посты других:"; -$a->strings["Account Settings"] = "Настройки аккаунта"; -$a->strings["Password Settings"] = "Смена пароля"; -$a->strings["Leave password fields blank unless changing"] = "Оставьте поля пароля пустыми, если он не изменяется"; -$a->strings["Current Password:"] = "Текущий пароль:"; -$a->strings["Your current password to confirm the changes"] = "Ваш текущий пароль, для подтверждения изменений"; -$a->strings["Password:"] = "Пароль:"; -$a->strings["Basic Settings"] = "Основные параметры"; -$a->strings["Email Address:"] = "Адрес электронной почты:"; -$a->strings["Your Timezone:"] = "Ваш часовой пояс:"; -$a->strings["Your Language:"] = "Ваш язык:"; -$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Выберите язык, на котором вы будете видеть интерфейс Friendica и на котором вы будете получать письма"; -$a->strings["Default Post Location:"] = "Местонахождение по умолчанию:"; -$a->strings["Use Browser Location:"] = "Использовать определение местоположения браузером:"; -$a->strings["Security and Privacy Settings"] = "Параметры безопасности и конфиденциальности"; -$a->strings["Maximum Friend Requests/Day:"] = "Максимум запросов в друзья в день:"; -$a->strings["(to prevent spam abuse)"] = "(для предотвращения спама)"; -$a->strings["Default Post Permissions"] = "Разрешение на сообщения по умолчанию"; -$a->strings["(click to open/close)"] = "(нажмите, чтобы открыть / закрыть)"; -$a->strings["Default Private Post"] = "Личное сообщение по умолчанию"; -$a->strings["Default Public Post"] = "Публичное сообщение по умолчанию"; -$a->strings["Default Permissions for New Posts"] = "Права для новых записей по умолчанию"; -$a->strings["Maximum private messages per day from unknown people:"] = "Максимальное количество личных сообщений от незнакомых людей в день:"; -$a->strings["Notification Settings"] = "Настройка уведомлений"; -$a->strings["By default post a status message when:"] = "Отправить состояние о статусе по умолчанию, если:"; -$a->strings["accepting a friend request"] = "принятие запроса на добавление в друзья"; -$a->strings["joining a forum/community"] = "вступление в сообщество/форум"; -$a->strings["making an interesting profile change"] = "сделать изменения в настройках интересов профиля"; -$a->strings["Send a notification email when:"] = "Отправлять уведомление по электронной почте, когда:"; -$a->strings["You receive an introduction"] = "Вы получили запрос"; -$a->strings["Your introductions are confirmed"] = "Ваши запросы подтверждены"; -$a->strings["Someone writes on your profile wall"] = "Кто-то пишет на стене вашего профиля"; -$a->strings["Someone writes a followup comment"] = "Кто-то пишет последующий комментарий"; -$a->strings["You receive a private message"] = "Вы получаете личное сообщение"; -$a->strings["You receive a friend suggestion"] = "Вы полулили предложение о добавлении в друзья"; -$a->strings["You are tagged in a post"] = "Вы отмечены в посте"; -$a->strings["You are poked/prodded/etc. in a post"] = "Вас потыкали/подтолкнули/и т.д. в посте"; -$a->strings["Activate desktop notifications"] = "Активировать уведомления на рабочем столе"; -$a->strings["Show desktop popup on new notifications"] = "Показывать уведомления на рабочем столе"; -$a->strings["Text-only notification emails"] = "Только текстовые письма"; -$a->strings["Send text only notification emails, without the html part"] = "Отправлять только текстовые уведомления, без HTML"; -$a->strings["Advanced Account/Page Type Settings"] = "Расширенные настройки учётной записи"; -$a->strings["Change the behaviour of this account for special situations"] = "Измените поведение этого аккаунта в специальных ситуациях"; -$a->strings["Relocate"] = "Перемещение"; -$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = "Если вы переместили эту анкету с другого сервера, и некоторые из ваших контактов не получили ваши обновления, попробуйте нажать эту кнопку."; -$a->strings["Resend relocate message to contacts"] = "Отправить перемещённые сообщения контактам"; -$a->strings["Export account"] = "Экспорт аккаунта"; -$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Экспорт ваших регистрационных данные и контактов. Используйте, чтобы создать резервную копию вашего аккаунта и/или переместить его на другой сервер."; -$a->strings["Export all"] = "Экспорт всего"; -$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Экспорт информации вашего аккаунта, контактов и всех ваших пунктов, как JSON. Может получиться очень большой файл и это может занять много времени. Используйте, чтобы создать полную резервную копию вашего аккаунта (фото не экспортируются)"; -$a->strings["Do you really want to delete this video?"] = "Вы действительно хотите удалить видео?"; -$a->strings["Delete Video"] = "Удалить видео"; -$a->strings["No videos selected"] = "Видео не выбрано"; -$a->strings["Recent Videos"] = "Последние видео"; -$a->strings["Upload New Videos"] = "Загрузить новые видео"; -$a->strings["Friendica Communications Server - Setup"] = "Коммуникационный сервер Friendica - Доступ"; -$a->strings["Could not connect to database."] = "Не удалось подключиться к базе данных."; -$a->strings["Could not create table."] = "Не удалось создать таблицу."; -$a->strings["Your Friendica site database has been installed."] = "База данных сайта установлена."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Вам может понадобиться импортировать файл \"database.sql\" вручную с помощью PhpMyAdmin или MySQL."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Пожалуйста, смотрите файл \"INSTALL.txt\"."; -$a->strings["Database already in use."] = "База данных уже используется."; -$a->strings["System check"] = "Проверить систему"; -$a->strings["Check again"] = "Проверить еще раз"; -$a->strings["Database connection"] = "Подключение к базе данных"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Для того, чтобы установить Friendica, мы должны знать, как подключиться к базе данных."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Пожалуйста, свяжитесь с вашим хостинг-провайдером или администратором сайта, если у вас есть вопросы об этих параметрах."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Базы данных, указанная ниже, должна уже существовать. Если этого нет, пожалуйста, создайте ее перед продолжением."; -$a->strings["Database Server Name"] = "Имя сервера базы данных"; -$a->strings["Database Login Name"] = "Логин базы данных"; -$a->strings["Database Login Password"] = "Пароль базы данных"; -$a->strings["For security reasons the password must not be empty"] = "Для безопасности пароль не должен быть пустым"; -$a->strings["Database Name"] = "Имя базы данных"; -$a->strings["Site administrator email address"] = "Адрес электронной почты администратора сайта"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Ваш адрес электронной почты аккаунта должен соответствовать этому, чтобы использовать веб-панель администратора."; -$a->strings["Please select a default timezone for your website"] = "Пожалуйста, выберите часовой пояс по умолчанию для вашего сайта"; -$a->strings["Site settings"] = "Настройки сайта"; -$a->strings["System Language:"] = "Язык системы:"; -$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Язык по-умолчанию для интерфейса Friendica и для отправки писем."; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Не удалось найти PATH веб-сервера в установках PHP."; -$a->strings["If you don't have a command line version of PHP installed on server, you will not be able to run the background processing. See 'Setup the poller'"] = ""; -$a->strings["PHP executable path"] = "PHP executable path"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Введите полный путь к исполняемому файлу PHP. Вы можете оставить это поле пустым, чтобы продолжить установку."; -$a->strings["Command line PHP"] = "Command line PHP"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "Бинарник PHP не является CLI версией (может быть это cgi-fcgi версия)"; -$a->strings["Found PHP version: "] = "Найденная PHP версия: "; -$a->strings["PHP cli binary"] = "PHP cli binary"; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Не включено \"register_argc_argv\" в установках PHP."; -$a->strings["This is required for message delivery to work."] = "Это необходимо для работы доставки сообщений."; -$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Ошибка: функция \"openssl_pkey_new\" в этой системе не в состоянии генерировать ключи шифрования"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Если вы работаете под Windows, см. \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Генерация шифрованых ключей"; -$a->strings["libCurl PHP module"] = "libCurl PHP модуль"; -$a->strings["GD graphics PHP module"] = "GD graphics PHP модуль"; -$a->strings["OpenSSL PHP module"] = "OpenSSL PHP модуль"; -$a->strings["PDO or MySQLi PHP module"] = ""; -$a->strings["mb_string PHP module"] = "mb_string PHP модуль"; -$a->strings["XML PHP module"] = "XML PHP модуль"; -$a->strings["iconv module"] = "Модуль iconv"; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Ошибка: необходим модуль веб-сервера Apache mod-rewrite, но он не установлен."; -$a->strings["Error: libCURL PHP module required but not installed."] = "Ошибка: необходим libCURL PHP модуль, но он не установлен."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Ошибка: необходим PHP модуль GD графики с поддержкой JPEG, но он не установлен."; -$a->strings["Error: openssl PHP module required but not installed."] = "Ошибка: необходим PHP модуль OpenSSL, но он не установлен."; -$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = ""; -$a->strings["Error: The MySQL driver for PDO is not installed."] = ""; -$a->strings["Error: mb_string PHP module required but not installed."] = "Ошибка: необходим PHP модуль mb_string, но он не установлен."; -$a->strings["Error: iconv PHP module required but not installed."] = "Ошибка: необходим PHP модуль iconv, но он не установлен."; -$a->strings["Error, XML PHP module required but not installed."] = "Ошибка, необходим PHP модуль XML, но он не установлен"; -$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Веб-инсталлятору требуется создать файл с именем \". htconfig.php\" в верхней папке веб-сервера, но он не в состоянии это сделать."; -$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Это наиболее частые параметры разрешений, когда веб-сервер не может записать файлы в папке - даже если вы можете."; -$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "В конце этой процедуры, мы дадим вам текст, для сохранения в файле с именем .htconfig.php в корневой папке, где установлена Friendica."; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "В качестве альтернативы вы можете пропустить эту процедуру и выполнить установку вручную. Пожалуйста, обратитесь к файлу \"INSTALL.txt\" для получения инструкций."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php is writable"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica использует механизм шаблонов Smarty3 для генерации веб-страниц. Smarty3 компилирует шаблоны в PHP для увеличения скорости загрузки."; -$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "Для того чтобы хранить эти скомпилированные шаблоны, веб-сервер должен иметь доступ на запись для папки view/smarty3 в директории, где установлена Friendica."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Пожалуйста, убедитесь, что пользователь, под которым работает ваш веб-сервер (например www-data), имеет доступ на запись в этой папке."; -$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Примечание: в качестве меры безопасности, вы должны дать вебсерверу доступ на запись только в view/smarty3 - но не на сами файлы шаблонов (.tpl)., Которые содержатся в этой папке."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 доступен для записи"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "Url rewrite в .htaccess не работает. Проверьте конфигурацию вашего сервера.."; -$a->strings["Url rewrite is working"] = "Url rewrite работает"; -$a->strings["ImageMagick PHP extension is not installed"] = "Модуль PHP ImageMagick не установлен"; -$a->strings["ImageMagick PHP extension is installed"] = "Модуль PHP ImageMagick установлен"; -$a->strings["ImageMagick supports GIF"] = "ImageMagick поддерживает GIF"; -$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Файл конфигурации базы данных \".htconfig.php\" не могла быть записан. Пожалуйста, используйте приложенный текст, чтобы создать конфигурационный файл в корневом каталоге веб-сервера."; -$a->strings["

What next

"] = "

Что далее

"; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "ВАЖНО: Вам нужно будет [вручную] установить запланированное задание для регистратора."; -$a->strings["Unable to locate original post."] = "Не удалось найти оригинальный пост."; -$a->strings["Empty post discarded."] = "Пустое сообщение отбрасывается."; -$a->strings["System error. Post not saved."] = "Системная ошибка. Сообщение не сохранено."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Это сообщение было отправлено вам %s, участником социальной сети Friendica."; -$a->strings["You may visit them online at %s"] = "Вы можете посетить их в онлайне на %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Пожалуйста, свяжитесь с отправителем, ответив на это сообщение, если вы не хотите получать эти сообщения."; -$a->strings["%s posted an update."] = "%s отправил/а/ обновление."; -$a->strings["Invalid request identifier."] = "Неверный идентификатор запроса."; -$a->strings["Discard"] = "Отказаться"; -$a->strings["Network Notifications"] = "Уведомления сети"; -$a->strings["Personal Notifications"] = "Личные уведомления"; -$a->strings["Home Notifications"] = "Уведомления"; -$a->strings["Show Ignored Requests"] = "Показать проигнорированные запросы"; -$a->strings["Hide Ignored Requests"] = "Скрыть проигнорированные запросы"; -$a->strings["Notification type: "] = "Тип уведомления: "; -$a->strings["suggested by %s"] = "предложено юзером %s"; -$a->strings["Post a new friend activity"] = "Настроение"; -$a->strings["if applicable"] = "если требуется"; -$a->strings["Approve"] = "Одобрить"; -$a->strings["Claims to be known to you: "] = "Утверждения, о которых должно быть вам известно: "; -$a->strings["yes"] = "да"; -$a->strings["no"] = "нет"; -$a->strings["Shall your connection be bidirectional or not?"] = "Должно ли ваше соединение быть двухсторонним или нет?"; -$a->strings["Accepting %s as a friend allows %s to subscribe to your posts, and you will also receive updates from them in your news feed."] = "Принимая %s как друга вы позволяете %s читать ему свои посты, а также будете получать оные от него."; -$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него."; -$a->strings["Accepting %s as a sharer allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = "Принимая %s как подписчика вы позволяете читать ему свои посты, но вы не получите оных от него."; -$a->strings["Friend"] = "Друг"; -$a->strings["Sharer"] = "Участник"; -$a->strings["Subscriber"] = "Подписант"; -$a->strings["No introductions."] = "Запросов нет."; -$a->strings["Show unread"] = "Показать непрочитанные"; -$a->strings["Show all"] = "Показать все"; -$a->strings["No more %s notifications."] = "Больше нет уведомлений о %s."; -$a->strings["{0} wants to be your friend"] = "{0} хочет стать Вашим другом"; -$a->strings["{0} sent you a message"] = "{0} отправил Вам сообщение"; -$a->strings["{0} requested registration"] = "{0} требуемая регистрация"; -$a->strings["Theme settings updated."] = "Настройки темы обновлены."; -$a->strings["Site"] = "Сайт"; -$a->strings["Users"] = "Пользователи"; -$a->strings["Themes"] = "Темы"; -$a->strings["DB updates"] = "Обновление БД"; -$a->strings["Inspect Queue"] = ""; -$a->strings["Server Blocklist"] = ""; -$a->strings["Federation Statistics"] = ""; -$a->strings["Logs"] = "Журналы"; -$a->strings["View Logs"] = "Просмотр логов"; -$a->strings["probe address"] = ""; -$a->strings["check webfinger"] = ""; -$a->strings["Plugin Features"] = "Возможности плагина"; -$a->strings["diagnostics"] = "Диагностика"; -$a->strings["User registrations waiting for confirmation"] = "Регистрации пользователей, ожидающие подтверждения"; -$a->strings["The blocked domain"] = ""; -$a->strings["The reason why you blocked this domain."] = ""; -$a->strings["Delete domain"] = ""; -$a->strings["Check to delete this entry from the blocklist"] = ""; -$a->strings["Administration"] = "Администрация"; -$a->strings["This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."] = ""; -$a->strings["The list of blocked servers will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = ""; -$a->strings["Add new entry to block list"] = ""; -$a->strings["Server Domain"] = ""; -$a->strings["The domain of the new server to add to the block list. Do not include the protocol."] = ""; -$a->strings["Block reason"] = ""; -$a->strings["Add Entry"] = ""; -$a->strings["Save changes to the blocklist"] = ""; -$a->strings["Current Entries in the Blocklist"] = ""; -$a->strings["Delete entry from blocklist"] = ""; -$a->strings["Delete entry from blocklist?"] = ""; -$a->strings["Server added to blocklist."] = ""; -$a->strings["Site blocklist updated."] = ""; -$a->strings["unknown"] = ""; -$a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = ""; -$a->strings["The Auto Discovered Contact Directory feature is not enabled, it will improve the data displayed here."] = ""; -$a->strings["Currently this node is aware of %d nodes from the following platforms:"] = ""; -$a->strings["ID"] = ""; -$a->strings["Recipient Name"] = ""; -$a->strings["Recipient Profile"] = ""; -$a->strings["Created"] = ""; -$a->strings["Last Tried"] = ""; -$a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = ""; -$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php include/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
"] = ""; -$a->strings["You are using a MySQL version which does not support all features that Friendica uses. You should consider switching to MariaDB."] = ""; -$a->strings["Normal Account"] = "Обычный аккаунт"; -$a->strings["Soapbox Account"] = "Аккаунт Витрина"; -$a->strings["Community/Celebrity Account"] = "Аккаунт Сообщество / Знаменитость"; -$a->strings["Automatic Friend Account"] = "\"Автоматический друг\" Аккаунт"; -$a->strings["Blog Account"] = "Аккаунт блога"; -$a->strings["Private Forum"] = "Личный форум"; -$a->strings["Message queues"] = "Очереди сообщений"; -$a->strings["Summary"] = "Резюме"; -$a->strings["Registered users"] = "Зарегистрированные пользователи"; -$a->strings["Pending registrations"] = "Ожидающие регистрации"; -$a->strings["Version"] = "Версия"; -$a->strings["Active plugins"] = "Активные плагины"; -$a->strings["Can not parse base url. Must have at least ://"] = "Невозможно определить базовый URL. Он должен иметь следующий вид - ://"; -$a->strings["Site settings updated."] = "Установки сайта обновлены."; -$a->strings["No community page"] = ""; -$a->strings["Public postings from users of this site"] = ""; -$a->strings["Global community page"] = ""; -$a->strings["At post arrival"] = ""; -$a->strings["Users, Global Contacts"] = ""; -$a->strings["Users, Global Contacts/fallback"] = ""; -$a->strings["One month"] = "Один месяц"; -$a->strings["Three months"] = "Три месяца"; -$a->strings["Half a year"] = "Пол года"; -$a->strings["One year"] = "Один год"; -$a->strings["Multi user instance"] = "Многопользовательский вид"; -$a->strings["Closed"] = "Закрыто"; -$a->strings["Requires approval"] = "Требуется подтверждение"; -$a->strings["Open"] = "Открыто"; -$a->strings["No SSL policy, links will track page SSL state"] = "Нет режима SSL, состояние SSL не будет отслеживаться"; -$a->strings["Force all links to use SSL"] = "Заставить все ссылки использовать SSL"; -$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Само-подписанный сертификат, использовать SSL только локально (не рекомендуется)"; -$a->strings["File upload"] = "Загрузка файлов"; -$a->strings["Policies"] = "Политики"; -$a->strings["Auto Discovered Contact Directory"] = ""; -$a->strings["Performance"] = "Производительность"; -$a->strings["Worker"] = ""; -$a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Переместить - ПРЕДУПРЕЖДЕНИЕ: расширеная функция. Может сделать этот сервер недоступным."; -$a->strings["Site name"] = "Название сайта"; -$a->strings["Host name"] = "Имя хоста"; -$a->strings["Sender Email"] = "Системный Email"; -$a->strings["The email address your server shall use to send notification emails from."] = "Адрес с которого будут приходить письма пользователям."; -$a->strings["Banner/Logo"] = "Баннер/Логотип"; -$a->strings["Shortcut icon"] = ""; -$a->strings["Link to an icon that will be used for browsers."] = ""; -$a->strings["Touch icon"] = ""; -$a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; -$a->strings["Additional Info"] = "Дополнительная информация"; -$a->strings["For public servers: you can add additional information here that will be listed at %s/siteinfo."] = ""; -$a->strings["System language"] = "Системный язык"; -$a->strings["System theme"] = "Системная тема"; -$a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = "Тема системы по умолчанию - может быть переопределена пользователем - изменить настройки темы"; -$a->strings["Mobile system theme"] = "Мобильная тема системы"; -$a->strings["Theme for mobile devices"] = "Тема для мобильных устройств"; -$a->strings["SSL link policy"] = "Политика SSL"; -$a->strings["Determines whether generated links should be forced to use SSL"] = "Ссылки должны быть вынуждены использовать SSL"; -$a->strings["Force SSL"] = "SSL принудительно"; -$a->strings["Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops."] = ""; -$a->strings["Hide help entry from navigation menu"] = "Скрыть пункт \"помощь\" в меню навигации"; -$a->strings["Hides the menu entry for the Help pages from the navigation menu. You can still access it calling /help directly."] = "Скрывает элемент меню для страницы справки из меню навигации. Вы все еще можете получить доступ к нему через вызов/помощь напрямую."; -$a->strings["Single user instance"] = "Однопользовательский режим"; -$a->strings["Make this instance multi-user or single-user for the named user"] = "Сделать этот экземпляр многопользовательским, или однопользовательским для названного пользователя"; -$a->strings["Maximum image size"] = "Максимальный размер изображения"; -$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = "Максимальный размер в байтах для загружаемых изображений. По умолчанию 0, что означает отсутствие ограничений."; -$a->strings["Maximum image length"] = "Максимальная длина картинки"; -$a->strings["Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits."] = "Максимальная длина в пикселях для длинной стороны загруженных изображений. По умолчанию равно -1, что означает отсутствие ограничений."; -$a->strings["JPEG image quality"] = "Качество JPEG изображения"; -$a->strings["Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is full quality."] = "Загруженные изображения JPEG будут сохранены в этом качестве [0-100]. По умолчанию 100, что означает полное качество."; -$a->strings["Register policy"] = "Политика регистрация"; -$a->strings["Maximum Daily Registrations"] = "Максимальное число регистраций в день"; -$a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = "Если регистрация разрешена, этот параметр устанавливает максимальное количество новых регистраций пользователей в день. Если регистрация закрыта, эта опция не имеет никакого эффекта."; -$a->strings["Register text"] = "Текст регистрации"; -$a->strings["Will be displayed prominently on the registration page."] = "Будет находиться на видном месте на странице регистрации."; -$a->strings["Accounts abandoned after x days"] = "Аккаунт считается после x дней не воспользованным"; -$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Не будет тратить ресурсы для опроса сайтов для бесхозных контактов. Введите 0 для отключения лимита времени."; -$a->strings["Allowed friend domains"] = "Разрешенные домены друзей"; -$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = "Разделенный запятыми список доменов, которые разрешены для установления связей. Групповые символы принимаются. Оставьте пустым для разрешения связи со всеми доменами."; -$a->strings["Allowed email domains"] = "Разрешенные почтовые домены"; -$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = "Разделенный запятыми список доменов, которые разрешены для установления связей. Групповые символы принимаются. Оставьте пустым для разрешения связи со всеми доменами."; -$a->strings["Block public"] = "Блокировать общественный доступ"; -$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = "Отметьте, чтобы заблокировать публичный доступ ко всем иным публичным личным страницам на этом сайте, если вы не вошли на сайт."; -$a->strings["Force publish"] = "Принудительная публикация"; -$a->strings["Check to force all profiles on this site to be listed in the site directory."] = "Отметьте, чтобы принудительно заставить все профили на этом сайте, быть перечислеными в каталоге сайта."; -$a->strings["Global directory URL"] = ""; -$a->strings["URL to the global directory. If this is not set, the global directory is completely unavailable to the application."] = ""; -$a->strings["Allow threaded items"] = "Разрешить темы в обсуждении"; -$a->strings["Allow infinite level threading for items on this site."] = "Разрешить бесконечный уровень для тем на этом сайте."; -$a->strings["Private posts by default for new users"] = "Частные сообщения по умолчанию для новых пользователей"; -$a->strings["Set default post permissions for all new members to the default privacy group rather than public."] = "Установить права на создание постов по умолчанию для всех участников в дефолтной приватной группе, а не для публичных участников."; -$a->strings["Don't include post content in email notifications"] = "Не включать текст сообщения в email-оповещение."; -$a->strings["Don't include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure."] = "Не включать содержание сообщения/комментария/личного сообщения и т.д.. в уведомления электронной почты, отправленных с сайта, в качестве меры конфиденциальности."; -$a->strings["Disallow public access to addons listed in the apps menu."] = "Запретить публичный доступ к аддонам, перечисленным в меню приложений."; -$a->strings["Checking this box will restrict addons listed in the apps menu to members only."] = "При установке этого флажка, будут ограничены аддоны, перечисленные в меню приложений, только для участников."; -$a->strings["Don't embed private images in posts"] = "Не вставлять личные картинки в постах"; -$a->strings["Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while."] = "Не заменяйте локально расположенные фотографии в постах на внедрённые копии изображений. Это означает, что контакты, которые получают сообщения, содержащие личные фотографии, будут вынуждены идентефицироваться и грузить каждое изображение, что может занять некоторое время."; -$a->strings["Allow Users to set remote_self"] = "Разрешить пользователям установить remote_self"; -$a->strings["With checking this, every user is allowed to mark every contact as a remote_self in the repair contact dialog. Setting this flag on a contact causes mirroring every posting of that contact in the users stream."] = ""; -$a->strings["Block multiple registrations"] = "Блокировать множественные регистрации"; -$a->strings["Disallow users to register additional accounts for use as pages."] = "Запретить пользователям регистрировать дополнительные аккаунты для использования в качестве страниц."; -$a->strings["OpenID support"] = "Поддержка OpenID"; -$a->strings["OpenID support for registration and logins."] = "OpenID поддержка для регистрации и входа в систему."; -$a->strings["Fullname check"] = "Проверка полного имени"; -$a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = "Принудить пользователей регистрироваться с пробелом между именем и фамилией в строке \"полное имя\". Антиспам мера."; -$a->strings["Community Page Style"] = ""; -$a->strings["Type of community page to show. 'Global community' shows every public posting from an open distributed network that arrived on this server."] = ""; -$a->strings["Posts per user on community page"] = ""; -$a->strings["The maximum number of posts per user on the community page. (Not valid for 'Global Community')"] = ""; -$a->strings["Enable OStatus support"] = "Включить поддержку OStatus"; -$a->strings["Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = ""; -$a->strings["OStatus conversation completion interval"] = ""; -$a->strings["How often shall the poller check for new entries in OStatus conversations? This can be a very ressource task."] = "Как часто процессы должны проверять наличие новых записей в OStatus разговорах? Это может быть очень ресурсоёмкой задачей."; -$a->strings["Only import OStatus threads from our contacts"] = ""; -$a->strings["Normally we import every content from our OStatus contacts. With this option we only store threads that are started by a contact that is known on our system."] = ""; -$a->strings["OStatus support can only be enabled if threading is enabled."] = ""; -$a->strings["Diaspora support can't be enabled because Friendica was installed into a sub directory."] = ""; -$a->strings["Enable Diaspora support"] = "Включить поддержку Diaspora"; -$a->strings["Provide built-in Diaspora network compatibility."] = "Обеспечить встроенную поддержку сети Diaspora."; -$a->strings["Only allow Friendica contacts"] = "Позвольть только Friendica контакты"; -$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = "Все контакты должны использовать только Friendica протоколы. Все другие встроенные коммуникационные протоколы отключены."; -$a->strings["Verify SSL"] = "Проверка SSL"; -$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = "Если хотите, вы можете включить строгую проверку сертификатов. Это будет означать, что вы не сможете соединиться (вообще) с сайтами, имеющими само-подписанный SSL сертификат."; -$a->strings["Proxy user"] = "Прокси пользователь"; -$a->strings["Proxy URL"] = "Прокси URL"; -$a->strings["Network timeout"] = "Тайм-аут сети"; -$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = "Значение указывается в секундах. Установите 0 для снятия ограничений (не рекомендуется)."; -$a->strings["Maximum Load Average"] = "Средняя максимальная нагрузка"; -$a->strings["Maximum system load before delivery and poll processes are deferred - default 50."] = "Максимальная нагрузка на систему перед приостановкой процессов доставки и опросов - по умолчанию 50."; -$a->strings["Maximum Load Average (Frontend)"] = ""; -$a->strings["Maximum system load before the frontend quits service - default 50."] = ""; -$a->strings["Minimal Memory"] = ""; -$a->strings["Minimal free memory in MB for the poller. Needs access to /proc/meminfo - default 0 (deactivated)."] = ""; -$a->strings["Maximum table size for optimization"] = ""; -$a->strings["Maximum table size (in MB) for the automatic optimization - default 100 MB. Enter -1 to disable it."] = ""; -$a->strings["Minimum level of fragmentation"] = ""; -$a->strings["Minimum fragmenation level to start the automatic optimization - default value is 30%."] = ""; -$a->strings["Periodical check of global contacts"] = ""; -$a->strings["If enabled, the global contacts are checked periodically for missing or outdated data and the vitality of the contacts and servers."] = ""; -$a->strings["Days between requery"] = ""; -$a->strings["Number of days after which a server is requeried for his contacts."] = ""; -$a->strings["Discover contacts from other servers"] = ""; -$a->strings["Periodically query other servers for contacts. You can choose between 'users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommened setting is 'Users, Global Contacts'."] = ""; -$a->strings["Timeframe for fetching global contacts"] = ""; -$a->strings["When the discovery is activated, this value defines the timeframe for the activity of the global contacts that are fetched from other servers."] = ""; -$a->strings["Search the local directory"] = ""; -$a->strings["Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated."] = ""; -$a->strings["Publish server information"] = ""; -$a->strings["If enabled, general server and usage data will be published. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details."] = ""; -$a->strings["Suppress Tags"] = ""; -$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; -$a->strings["Path to item cache"] = "Путь к элементам кэша"; -$a->strings["The item caches buffers generated bbcode and external images."] = ""; -$a->strings["Cache duration in seconds"] = "Время жизни кэша в секундах"; -$a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = ""; -$a->strings["Maximum numbers of comments per post"] = ""; -$a->strings["How much comments should be shown for each post? Default value is 100."] = ""; -$a->strings["Temp path"] = "Временная папка"; -$a->strings["If you have a restricted system where the webserver can't access the system temp path, enter another path here."] = ""; -$a->strings["Base path to installation"] = "Путь для установки"; -$a->strings["If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot."] = ""; -$a->strings["Disable picture proxy"] = "Отключить проксирование картинок"; -$a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Прокси картинок увеличивает производительность и приватность. Он не должен использоваться на системах с очень маленькой мощностью."; -$a->strings["Only search in tags"] = "Искать только в тегах"; -$a->strings["On large systems the text search can slow down the system extremely."] = "На больших системах текстовый поиск может сильно замедлить систему."; -$a->strings["New base url"] = "Новый базовый url"; -$a->strings["Change base url for this server. Sends relocate message to all DFRN contacts of all users."] = "Сменить адрес этого сервера. Отсылает сообщение о перемещении всем DFRN контактам всех пользователей."; -$a->strings["RINO Encryption"] = "RINO шифрование"; -$a->strings["Encryption layer between nodes."] = "Слой шифрования между узлами."; -$a->strings["Maximum number of parallel workers"] = "Максимальное число параллельно работающих worker'ов"; -$a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = "Он shared-хостингах установите параметр в 2. На больших системах можно установить 10 или более. По-умолчанию 4."; -$a->strings["Don't use 'proc_open' with the worker"] = "Не использовать 'proc_open' с worker'ом"; -$a->strings["Enable this if your system doesn't allow the use of 'proc_open'. This can happen on shared hosters. If this is enabled you should increase the frequency of poller calls in your crontab."] = ""; -$a->strings["Enable fastlane"] = "Включить fastlane"; -$a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = ""; -$a->strings["Enable frontend worker"] = "Включить frontend worker"; -$a->strings["When enabled the Worker process is triggered when backend access is performed (e.g. messages being delivered). On smaller sites you might want to call yourdomain.tld/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server. The worker background process needs to be activated for this."] = ""; -$a->strings["Update has been marked successful"] = "Обновление было успешно отмечено"; -$a->strings["Database structure update %s was successfully applied."] = "Обновление базы данных %s успешно применено."; -$a->strings["Executing of database structure update %s failed with error: %s"] = "Выполнение обновления базы данных %s завершено с ошибкой: %s"; -$a->strings["Executing %s failed with error: %s"] = "Выполнение %s завершено с ошибкой: %s"; -$a->strings["Update %s was successfully applied."] = "Обновление %s успешно применено."; -$a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Процесс обновления %s не вернул статус. Не известно, выполнено, или нет."; -$a->strings["There was no additional update function %s that needed to be called."] = ""; -$a->strings["No failed updates."] = "Неудавшихся обновлений нет."; -$a->strings["Check database structure"] = "Проверить структуру базы данных"; -$a->strings["Failed Updates"] = "Неудавшиеся обновления"; -$a->strings["This does not include updates prior to 1139, which did not return a status."] = "Эта цифра не включает обновления до 1139, которое не возвращает статус."; -$a->strings["Mark success (if update was manually applied)"] = "Отмечено успешно (если обновление было применено вручную)"; -$a->strings["Attempt to execute this update step automatically"] = "Попытаться выполнить этот шаг обновления автоматически"; -$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = ""; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."] = ""; -$a->strings["%s user blocked/unblocked"] = [ - 0 => "%s пользователь заблокирован/разблокирован", - 1 => "%s пользователей заблокировано/разблокировано", - 2 => "%s пользователей заблокировано/разблокировано", - 3 => "%s пользователей заблокировано/разблокировано", -]; -$a->strings["%s user deleted"] = [ - 0 => "%s человек удален", - 1 => "%s чел. удалено", - 2 => "%s чел. удалено", - 3 => "%s чел. удалено", -]; -$a->strings["User '%s' deleted"] = "Пользователь '%s' удален"; -$a->strings["User '%s' unblocked"] = "Пользователь '%s' разблокирован"; -$a->strings["User '%s' blocked"] = "Пользователь '%s' блокирован"; -$a->strings["Register date"] = "Дата регистрации"; -$a->strings["Last login"] = "Последний вход"; -$a->strings["Last item"] = "Последний пункт"; -$a->strings["Add User"] = "Добавить пользователя"; -$a->strings["select all"] = "выбрать все"; -$a->strings["User registrations waiting for confirm"] = "Регистрации пользователей, ожидающие подтверждения"; -$a->strings["User waiting for permanent deletion"] = "Пользователь ожидает окончательного удаления"; -$a->strings["Request date"] = "Запрос даты"; -$a->strings["No registrations."] = "Нет регистраций."; -$a->strings["Note from the user"] = "Сообщение от пользователя"; -$a->strings["Deny"] = "Отклонить"; -$a->strings["Site admin"] = "Админ сайта"; -$a->strings["Account expired"] = "Аккаунт просрочен"; -$a->strings["New User"] = "Новый пользователь"; -$a->strings["Deleted since"] = "Удалён с"; -$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Выбранные пользователи будут удалены!\\n\\nВсе, что эти пользователи написали на этом сайте, будет удалено!\\n\\nВы уверены в вашем действии?"; -$a->strings["The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Пользователь {0} будет удален!\\n\\nВсе, что этот пользователь написал на этом сайте, будет удалено!\\n\\nВы уверены в вашем действии?"; -$a->strings["Name of the new user."] = "Имя нового пользователя."; -$a->strings["Nickname"] = "Ник"; -$a->strings["Nickname of the new user."] = "Ник нового пользователя."; -$a->strings["Email address of the new user."] = "Email адрес нового пользователя."; -$a->strings["Plugin %s disabled."] = "Плагин %s отключен."; -$a->strings["Plugin %s enabled."] = "Плагин %s включен."; -$a->strings["Disable"] = "Отключить"; -$a->strings["Enable"] = "Включить"; -$a->strings["Toggle"] = "Переключить"; -$a->strings["Author: "] = "Автор:"; -$a->strings["Maintainer: "] = "Программа обслуживания: "; -$a->strings["Reload active plugins"] = "Перезагрузить активные плагины"; -$a->strings["There are currently no plugins available on your node. You can find the official plugin repository at %1\$s and might find other interesting plugins in the open plugin registry at %2\$s"] = ""; -$a->strings["No themes found."] = "Темы не найдены."; -$a->strings["Screenshot"] = "Скриншот"; -$a->strings["Reload active themes"] = "Перезагрузить активные темы"; -$a->strings["No themes found on the system. They should be paced in %1\$s"] = "Не найдено тем. Они должны быть расположены в %1\$s"; -$a->strings["[Experimental]"] = "[экспериментально]"; -$a->strings["[Unsupported]"] = "[Неподдерживаемое]"; -$a->strings["Log settings updated."] = "Настройки журнала обновлены."; -$a->strings["PHP log currently enabled."] = "Лог PHP включен."; -$a->strings["PHP log currently disabled."] = "Лог PHP выключен."; -$a->strings["Clear"] = "Очистить"; -$a->strings["Enable Debugging"] = "Включить отладку"; -$a->strings["Log file"] = "Лог-файл"; -$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Должно быть доступно для записи в веб-сервере. Относительно вашего Friendica каталога верхнего уровня."; -$a->strings["Log level"] = "Уровень лога"; -$a->strings["PHP logging"] = "PHP логирование"; -$a->strings["To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = ""; -$a->strings["Lock feature %s"] = "Заблокировать %s"; -$a->strings["Manage Additional Features"] = "Управление дополнительными возможностями"; -$a->strings["via"] = "через"; +$a->strings["Create a New Account"] = "Создать новый аккаунт"; +$a->strings["Password: "] = "Пароль: "; +$a->strings["Remember me"] = "Запомнить"; +$a->strings["Or login using OpenID: "] = "Или зайти с OpenID: "; +$a->strings["Forgot your password?"] = "Забыли пароль?"; +$a->strings["Website Terms of Service"] = "Правила сайта"; +$a->strings["terms of service"] = "правила"; +$a->strings["Website Privacy Policy"] = "Политика конфиденциальности сервера"; +$a->strings["privacy policy"] = "политика конфиденциальности"; +$a->strings["Logged out."] = "Выход из системы."; +$a->strings["Delete this item?"] = "Удалить этот элемент?"; +$a->strings["show fewer"] = "показать меньше"; $a->strings["greenzero"] = "greenzero"; $a->strings["purplezero"] = "purplezero"; $a->strings["easterbunny"] = "easterbunny"; @@ -2047,16 +2176,6 @@ $a->strings["darkzero"] = "darkzero"; $a->strings["comix"] = "comix"; $a->strings["slackr"] = "slackr"; $a->strings["Variations"] = "Вариации"; -$a->strings["Default"] = "По умолчанию"; -$a->strings["Note: "] = "Внимание:"; -$a->strings["Check image permissions if all users are allowed to visit the image"] = "Проверьте права на изображение, все пользователи должны иметь к нему доступ"; -$a->strings["Select scheme"] = "Выбрать схему"; -$a->strings["Navigation bar background color"] = "Цвет фона навигационной панели"; -$a->strings["Navigation bar icon color "] = "Цвет иконок в навигационной панели"; -$a->strings["Link color"] = "Цвет ссылок"; -$a->strings["Set the background color"] = "Установить цвет фона"; -$a->strings["Content background transparency"] = "Прозрачность фона контента"; -$a->strings["Set the background image"] = "Установить фоновую картинку"; $a->strings["Repeat the image"] = "Повторить изображение"; $a->strings["Will repeat your image to fill the background."] = "Повторит изображение для заполнения фона"; $a->strings["Stretch"] = "Растянуть"; @@ -2065,6 +2184,19 @@ $a->strings["Resize fill and-clip"] = "Отресайзить, чтобы зап $a->strings["Resize to fill and retain aspect ratio."] = "Отресайзить, чтобы заполнить и сохранить пропорции"; $a->strings["Resize best fit"] = "Отресайзить, чтобы вместилось"; $a->strings["Resize to best fit and retain aspect ratio."] = "Отресайзить, чтобы вместилось и сохранить пропорции"; +$a->strings["Default"] = "По умолчанию"; +$a->strings["Note"] = ""; +$a->strings["Check image permissions if all users are allowed to visit the image"] = "Проверьте права на изображение, все пользователи должны иметь к нему доступ"; +$a->strings["Select scheme"] = "Выбрать схему"; +$a->strings["Navigation bar background color"] = "Цвет фона навигационной панели"; +$a->strings["Navigation bar icon color "] = "Цвет иконок в навигационной панели"; +$a->strings["Link color"] = "Цвет ссылок"; +$a->strings["Set the background color"] = "Установить цвет фона"; +$a->strings["Content background opacity"] = ""; +$a->strings["Set the background image"] = "Установить фоновую картинку"; +$a->strings["Login page background image"] = ""; +$a->strings["Login page background color"] = ""; +$a->strings["Leave background image and color empty for theme defaults"] = ""; $a->strings["Guest"] = "Гость"; $a->strings["Visitor"] = "Посетитель"; $a->strings["Alignment"] = "Выравнивание"; @@ -2084,15 +2216,4 @@ $a->strings["Last users"] = "Последние пользователи"; $a->strings["Local Directory"] = "Локальный каталог"; $a->strings["Quick Start"] = "Быстрый запуск"; $a->strings["toggle mobile"] = "мобильная версия"; -$a->strings["Delete this item?"] = "Удалить этот элемент?"; -$a->strings["show fewer"] = "показать меньше"; $a->strings["Update %s failed. See error logs."] = "Обновление %s не удалось. Смотрите журнал ошибок."; -$a->strings["Create a New Account"] = "Создать новый аккаунт"; -$a->strings["Password: "] = "Пароль: "; -$a->strings["Remember me"] = "Запомнить"; -$a->strings["Or login using OpenID: "] = "Или зайти с OpenID: "; -$a->strings["Forgot your password?"] = "Забыли пароль?"; -$a->strings["Website Terms of Service"] = "Правила сайта"; -$a->strings["terms of service"] = "правила"; -$a->strings["Website Privacy Policy"] = "Политика конфиденциальности сервера"; -$a->strings["privacy policy"] = "политика конфиденциальности"; From a4f469d18752ee0ee988796d0cb3c0fae24e6779 Mon Sep 17 00:00:00 2001 From: utzer Date: Mon, 9 Apr 2018 18:42:02 +0530 Subject: [PATCH 013/112] RemainAfterElapse=False > if RemainAfterElapse= is off, it might be started again if it is already elapsed, and thus be triggered multiple times False will start the process again and again after the set time, this is the desired behavior for worker.php Infos: https://www.freedesktop.org/software/systemd/man/systemd.timer.html --- mods/sample-systemd.timer | 1 + 1 file changed, 1 insertion(+) diff --git a/mods/sample-systemd.timer b/mods/sample-systemd.timer index 59f328ca9..e11b9989d 100644 --- a/mods/sample-systemd.timer +++ b/mods/sample-systemd.timer @@ -4,6 +4,7 @@ Description=Run Friendica Poller every n minutes [Timer] OnBootSec=120 OnUnitActiveSec=120 +RemainAfterElapse=False [Install] WantedBy=timers.target From 99b446eccc2811cd4a9cfd4d06883732b9a5a344 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Mon, 9 Apr 2018 09:19:49 -0400 Subject: [PATCH 014/112] Remove useless intval() calls in mod/network --- mod/network.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mod/network.php b/mod/network.php index c8a21aecb..26645eefd 100644 --- a/mod/network.php +++ b/mod/network.php @@ -837,7 +837,7 @@ function networkThreadedView(App $a, $update, $parent) WHERE `item`.`uid` = 0 AND `item`.$ordering < ? AND `item`.$ordering > ? AND NOT `contact`.`hidden` AND NOT `contact`.`blocked`" . $sql_tag_nets, local_user(), TERM_OBJ_POST, TERM_HASHTAG, - intval(CONTACT_IS_SHARING), intval(CONTACT_IS_FRIEND), + CONTACT_IS_SHARING, CONTACT_IS_FRIEND, $top_limit, $bottom_limit); $data = dba::inArray($items); From 9cde7881ee3ef35cae16610878f857b464091098 Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Mon, 9 Apr 2018 17:36:33 +0200 Subject: [PATCH 015/112] Throw a ForbiddenException if api_get_user() returns false --- include/api.php | 68 +++++++++++++++++++++++++++---------------------- 1 file changed, 38 insertions(+), 30 deletions(-) diff --git a/include/api.php b/include/api.php index fd5d22dc0..7f2fbac32 100644 --- a/include/api.php +++ b/include/api.php @@ -1630,6 +1630,13 @@ api_register_func('api/users/lookup', 'api_users_lookup', true); */ function api_search($type) { + $a = get_app(); + $user_info = api_get_user($a); + + if (api_user() === false || $user_info === false) { + throw new ForbiddenException(); + } + $data = []; $sql_extra = ''; @@ -1668,7 +1675,7 @@ function api_search($type) $since_id ); - $data['status'] = api_format_items(dba::inArray($r), api_get_user(get_app())); + $data['status'] = api_format_items(dba::inArray($r), $user_info); return api_format_data("statuses", $type, $data); } @@ -1690,8 +1697,9 @@ api_register_func('api/search', 'api_search', true); function api_statuses_home_timeline($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } @@ -1701,7 +1709,6 @@ function api_statuses_home_timeline($type) unset($_REQUEST["screen_name"]); unset($_GET["screen_name"]); - $user_info = api_get_user($a); // get last network messages // params @@ -1792,12 +1799,12 @@ api_register_func('api/statuses/friends_timeline', 'api_statuses_home_timeline', function api_statuses_public_timeline($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } - $user_info = api_get_user($a); // get last network messages // params @@ -1901,13 +1908,12 @@ api_register_func('api/statuses/public_timeline', 'api_statuses_public_timeline' function api_statuses_networkpublic_timeline($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } - $user_info = api_get_user($a); - $since_id = x($_REQUEST, 'since_id') ? $_REQUEST['since_id'] : 0; $max_id = x($_REQUEST, 'max_id') ? $_REQUEST['max_id'] : 0; @@ -1971,13 +1977,12 @@ api_register_func('api/statuses/networkpublic_timeline', 'api_statuses_networkpu function api_statuses_show($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } - $user_info = api_get_user($a); - // params $id = intval($a->argv[3]); @@ -2045,13 +2050,12 @@ api_register_func('api/statuses/show', 'api_statuses_show', true); function api_conversation_show($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } - $user_info = api_get_user($a); - // params $id = intval($a->argv[3]); $count = (x($_REQUEST, 'count') ? $_REQUEST['count'] : 20); @@ -2258,8 +2262,9 @@ api_register_func('api/statuses/destroy', 'api_statuses_destroy', true, API_METH function api_statuses_mentions($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } @@ -2269,10 +2274,8 @@ function api_statuses_mentions($type) unset($_REQUEST["screen_name"]); unset($_GET["screen_name"]); - $user_info = api_get_user($a); // get last network messages - // params $since_id = defaults($_REQUEST, 'since_id', 0); $max_id = defaults($_REQUEST, 'max_id' , 0); @@ -2350,13 +2353,12 @@ api_register_func('api/statuses/replies', 'api_statuses_mentions', true); function api_statuses_user_timeline($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } - $user_info = api_get_user($a); - logger( "api_statuses_user_timeline: api_user: ". api_user() . "\nuser_info: ".print_r($user_info, true) . @@ -2520,15 +2522,14 @@ function api_favorites($type) global $called_api; $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } $called_api = []; - $user_info = api_get_user($a); - // in friendica starred item are private // return favorites only for self logger('api_favorites: self:' . $user_info['self']); @@ -3343,7 +3344,8 @@ function api_lists_statuses($type) { $a = get_app(); - if (api_user() === false) { + $user_info = api_get_user($a); + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } @@ -3353,7 +3355,6 @@ function api_lists_statuses($type) unset($_REQUEST["screen_name"]); unset($_GET["screen_name"]); - $user_info = api_get_user($a); if (empty($_REQUEST['list_id'])) { throw new BadRequestException('list_id not specified'); } @@ -3903,8 +3904,9 @@ api_register_func('api/direct_messages/destroy', 'api_direct_messages_destroy', function api_direct_messages_box($type, $box, $verbose) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } @@ -3928,7 +3930,6 @@ function api_direct_messages_box($type, $box, $verbose) unset($_REQUEST["screen_name"]); unset($_GET["screen_name"]); - $user_info = api_get_user($a); $profile_url = $user_info["url"]; // pagination @@ -4886,6 +4887,13 @@ function post_photo_item($hash, $allow_cid, $deny_cid, $allow_gid, $deny_gid, $f */ function prepare_photo_data($type, $scale, $photo_id) { + $a = get_app(); + $user_info = api_get_user($a); + + if ($user_info === false) { + throw new ForbiddenException(); + } + $scale_sql = ($scale === false ? "" : sprintf("AND scale=%d", intval($scale))); $data_sql = ($scale === false ? "" : "data, "); @@ -4966,7 +4974,7 @@ function prepare_photo_data($type, $scale, $photo_id) ); // prepare output of comments - $commentData = api_format_items($r, api_get_user(get_app()), false, $type); + $commentData = api_format_items($r, $user_info, false, $type); $comments = []; if ($type == "xml") { $k = 0; @@ -5943,8 +5951,9 @@ function api_friendica_notification($type) function api_friendica_notification_seen($type) { $a = get_app(); + $user_info = api_get_user($a); - if (api_user() === false) { + if (api_user() === false || $user_info === false) { throw new ForbiddenException(); } if ($a->argc!==4) { @@ -5969,7 +5978,6 @@ function api_friendica_notification_seen($type) ); if ($r!==false) { // we found the item, return it to the user - $user_info = api_get_user($a); $ret = api_format_items($r, $user_info, false, $type); $data = ['status' => $ret]; return api_format_data("status", $type, $data); From 4b36f3ad050d806e57f08484a310f0b711ce7b24 Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Mon, 9 Apr 2018 19:19:00 +0200 Subject: [PATCH 016/112] api_format_data() seems to never return an object --- include/api.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/api.php b/include/api.php index 7f2fbac32..89c6cea93 100644 --- a/include/api.php +++ b/include/api.php @@ -981,7 +981,7 @@ function api_create_xml($data, $root_element) * @param string $type Return type (atom, rss, xml, json) * @param array $data JSON style array * - * @return (string|object|array) XML data or JSON data + * @return (string|array) XML data or JSON data */ function api_format_data($root_element, $type, $data) { From 773591a6ba92423c6cdcb360c3fce52b6b760d3a Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Mon, 9 Apr 2018 19:34:02 +0200 Subject: [PATCH 017/112] Add some missing return types --- include/api.php | 28 ++++++++++++++-------------- 1 file changed, 14 insertions(+), 14 deletions(-) diff --git a/include/api.php b/include/api.php index 89c6cea93..d997103df 100644 --- a/include/api.php +++ b/include/api.php @@ -267,7 +267,7 @@ function api_check_method($method) * @brief Main API entry point * * @param object $a App - * @return string API call result + * @return string|array API call result */ function api_call(App $a) { @@ -421,7 +421,7 @@ function api_call(App $a) * * @param string $type Return type (xml, json, rss, as) * @param object $e HTTPException Error object - * @return string error message formatted as $type + * @return string|array error message formatted as $type */ function api_error($type, $e) { @@ -3818,7 +3818,7 @@ api_register_func('api/direct_messages/new', 'api_direct_messages_new', true, AP * @brief delete a direct_message from mail table through api * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array * @see https://developer.twitter.com/en/docs/direct-messages/sending-and-receiving/api-reference/delete-message */ function api_direct_messages_destroy($type) @@ -4098,7 +4098,7 @@ api_register_func('api/oauth/access_token', 'api_oauth_access_token', false); * @brief delete a complete photoalbum with all containing photos from database through api * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_fr_photoalbum_delete($type) { @@ -4153,7 +4153,7 @@ function api_fr_photoalbum_delete($type) * @brief update the name of the album for all photos of an album * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_fr_photoalbum_update($type) { @@ -4202,7 +4202,7 @@ function api_fr_photoalbum_update($type) * @brief list all photos of the authenticated user * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_fr_photos_list($type) { @@ -4248,7 +4248,7 @@ function api_fr_photos_list($type) * @brief upload a new photo or change an existing photo * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_fr_photo_create_update($type) { @@ -4396,7 +4396,7 @@ function api_fr_photo_create_update($type) * @brief delete a single photo from the database through api * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_fr_photo_delete($type) { @@ -4479,7 +4479,7 @@ function api_fr_photo_detail($type) * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' * - * @return string + * @return string|array * @see https://developer.twitter.com/en/docs/accounts-and-users/manage-account-settings/api-reference/post-account-update_profile_image */ function api_account_update_profile_image($type) @@ -5912,7 +5912,7 @@ api_register_func('api/friendica/activity/unattendmaybe', 'api_friendica_activit * @brief Returns notifications * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_friendica_notification($type) { @@ -5946,7 +5946,7 @@ function api_friendica_notification($type) * @brief Set notification as seen and returns associated item (if possible) * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_friendica_notification_seen($type) { @@ -5995,7 +5995,7 @@ api_register_func('api/friendica/notification', 'api_friendica_notification', tr * @brief update a direct_message to seen state * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string (success result=ok, error result=error with error message) + * @return string|array (success result=ok, error result=error with error message) */ function api_friendica_direct_messages_setseen($type) { @@ -6053,7 +6053,7 @@ api_register_func('api/friendica/direct_messages_setseen', 'api_friendica_direct * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' * @param string $box - * @return string (success: success=true if found and search_result contains found messages, + * @return string|array (success: success=true if found and search_result contains found messages, * success=false if nothing was found, search_result='nothing found', * error: result=error with error message) */ @@ -6116,7 +6116,7 @@ api_register_func('api/friendica/direct_messages_search', 'api_friendica_direct_ * @brief return data of all the profiles a user has to the client * * @param string $type Known types are 'atom', 'rss', 'xml' and 'json' - * @return string + * @return string|array */ function api_friendica_profile_show($type) { From 7d953d952ec876ea7bb5e36860143ecc2a5f5118 Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Mon, 9 Apr 2018 21:34:53 +0200 Subject: [PATCH 018/112] Various small fixes (#4795) * Use strict comparison to avoid 0 == false * Avoid unecessary loop * Avoid undefined variable * Fix wrong variable name * Don't try to use the $status_info variable if it does not exist * Avoid undefined variable * Check that variable is defined before trying to use it * Don't cast $data array to boolean * Fix undefined array * $reactivate_group variable is not always defined * Variable $found is not always defined * Remove unused return statement * Fix undefined array * api_unique_id_to_nurl() requires an integer as argument * Don't try to use $uinfo if it is false * Don't use the same variable names in inner loop * Throw an exception if $fileext is not defined --- include/api.php | 61 +++++++++++++++++++++++++++---------------------- 1 file changed, 34 insertions(+), 27 deletions(-) diff --git a/include/api.php b/include/api.php index d997103df..645d82a46 100644 --- a/include/api.php +++ b/include/api.php @@ -223,7 +223,7 @@ function api_login(App $a) $record = $addon_auth['user_record']; } else { $user_id = User::authenticate(trim($user), trim($password)); - if ($user_id) { + if ($user_id !== false) { $record = dba::selectFirst('user', [], ['uid' => $user_id]); } } @@ -387,9 +387,7 @@ function api_call(App $a) break; case "json": header("Content-Type: application/json"); - foreach ($return as $rr) { - $json = json_encode($rr); - } + $json = json_encode(end($return)); if (x($_GET, 'callback')) { $json = $_GET['callback'] . "(" . $json . ")"; } @@ -531,7 +529,7 @@ function api_get_user(App $a, $contact_id = null) // Searching for contact id with uid = 0 if (!is_null($contact_id) && (intval($contact_id) != 0)) { - $user = dbesc(api_unique_id_to_nurl($contact_id)); + $user = dbesc(api_unique_id_to_nurl(intval($contact_id))); if ($user == "") { throw new BadRequestException("User not found."); @@ -577,7 +575,7 @@ function api_get_user(App $a, $contact_id = null) $argid = count($called_api); list($user, $null) = explode(".", $a->argv[$argid]); if (is_numeric($user)) { - $user = dbesc(api_unique_id_to_nurl($user)); + $user = dbesc(api_unique_id_to_nurl(intval($user))); if ($user == "") { return false; @@ -620,7 +618,9 @@ function api_get_user(App $a, $contact_id = null) ); // Selecting the id by priority, friendica first - api_best_nickname($uinfo); + if (is_array($uinfo)) { + api_best_nickname($uinfo); + } // if the contact wasn't found, fetch it from the contacts with uid = 0 if (!DBM::is_result($uinfo)) { @@ -992,6 +992,7 @@ function api_format_data($root_element, $type, $data) $ret = api_create_xml($data, $root_element); break; case "json": + default: $ret = $data; break; } @@ -1429,7 +1430,7 @@ function api_status_show($type) $status_info["entities"] = $converted["entities"]; } - if (($lastwall['item_network'] != "") && ($status["source"] == 'web')) { + if (($lastwall['item_network'] != "") && ($status_info["source"] == 'web')) { $status_info["source"] = ContactSelector::networkToName($lastwall['item_network'], $user_info['url']); } elseif (($lastwall['item_network'] != "") && (ContactSelector::networkToName($lastwall['item_network'], $user_info['url']) != $status_info["source"])) { $status_info["source"] = trim($status_info["source"].' ('.ContactSelector::networkToName($lastwall['item_network'], $user_info['url']).')'); @@ -1438,15 +1439,15 @@ function api_status_show($type) // "uid" and "self" are only needed for some internal stuff, so remove it from here unset($status_info["user"]["uid"]); unset($status_info["user"]["self"]); + + logger('status_info: '.print_r($status_info, true), LOGGER_DEBUG); + + if ($type == "raw") { + return $status_info; + } + + return api_format_data("statuses", $type, ['status' => $status_info]); } - - logger('status_info: '.print_r($status_info, true), LOGGER_DEBUG); - - if ($type == "raw") { - return $status_info; - } - - return api_format_data("statuses", $type, ['status' => $status_info]); } /** @@ -3980,7 +3981,9 @@ function api_direct_messages_box($type, $box, $verbose) $sender = $user_info; } - $ret[] = api_format_messages($item, $recipient, $sender); + if (isset($recipient) && isset($sender)) { + $ret[] = api_format_messages($item, $recipient, $sender); + } } @@ -4531,6 +4534,8 @@ function api_account_update_profile_image($type) $fileext = "jpg"; } elseif ($filetype == "image/png") { $fileext = "png"; + } else { + throw new InternalServerErrorException('Unsupported filetype'); } // change specified profile or all profiles to the new resource-id if ($is_default_profile) { @@ -4811,7 +4816,7 @@ function save_media_to_database($mediatype, $media, $type, $album, $allow_cid, $ logger("photo upload: new profile image upload ended", LOGGER_DEBUG); } - if ($r) { + if (isset($r) && $r) { // create entry in 'item'-table on new uploads to enable users to comment/like/dislike the photo if ($photo_id == null && $mediatype == "photo") { post_photo_item($hash, $allow_cid, $deny_cid, $allow_gid, $deny_gid, $filetype, $visibility); @@ -5349,7 +5354,7 @@ function api_clean_attachments($body) { $data = BBCode::getAttachmentData($body); - if (!$data) { + if (empty($data)) { return $body; } $body = ""; @@ -5475,6 +5480,7 @@ function api_friendica_group_show($type) } // loop through all groups and retrieve all members for adding data in the user array + $grps = []; foreach ($r as $rr) { $members = Contact::getByGroupId($rr['id']); $users = []; @@ -5673,7 +5679,7 @@ function group_create($name, $uid, $users = []) } // return success message incl. missing users in array - $status = ($erroraddinguser ? "missing user" : ($reactivate_group ? "reactivated" : "ok")); + $status = ($erroraddinguser ? "missing user" : ((isset($reactivate_group) && $reactivate_group) ? "reactivated" : "ok")); return ['success' => true, 'gid' => $gid, 'name' => $name, 'status' => $status, 'wrong users' => $errorusers]; } @@ -5781,7 +5787,7 @@ function api_friendica_group_update($type) foreach ($users as $user) { $found = ($user['cid'] == $cid ? true : false); } - if (!$found) { + if (!isset($found) || !$found) { Group::removeMemberByName($uid, $name, $cid); } } @@ -5858,8 +5864,6 @@ function api_lists_update($type) return api_format_data("lists", $type, ['lists' => $list]); } - - return api_format_data("group_update", $type, ['result' => $success]); } api_register_func('api/lists/update', 'api_lists_update', true, API_METHOD_POST); @@ -6101,7 +6105,9 @@ function api_friendica_direct_messages_search($type, $box = "") $sender = $user_info; } - $ret[] = api_format_messages($item, $recipient, $sender); + if (isset($recipient) && isset($sender)) { + $ret[] = api_format_messages($item, $recipient, $sender); + } } $success = ['success' => true, 'search_results' => $ret]; } @@ -6153,19 +6159,20 @@ function api_friendica_profile_show($type) } // loop through all returned profiles and retrieve data and users $k = 0; + $profiles = []; foreach ($r as $rr) { $profile = api_format_items_profiles($rr); // select all users from contact table, loop and prepare standard return for user data $users = []; - $r = q( + $nurls = q( "SELECT `id`, `nurl` FROM `contact` WHERE `uid`= %d AND `profile-id` = %d", intval(api_user()), intval($rr['profile_id']) ); - foreach ($r as $rr) { - $user = api_get_user($a, $rr['nurl']); + foreach ($nurls as $nurl) { + $user = api_get_user($a, $nurl['nurl']); ($type == "xml") ? $users[$k++ . ":user"] = $user : $users[] = $user; } $profile['users'] = $users; From 2c7514d03cb94f6a3f8c25d1b3bc41048a7b0439 Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Mon, 9 Apr 2018 21:49:23 +0200 Subject: [PATCH 019/112] Enable Travis --- .travis.yml | 4 ++++ phpunit.xml | 10 ++++++++++ 2 files changed, 14 insertions(+) create mode 100644 .travis.yml create mode 100644 phpunit.xml diff --git a/.travis.yml b/.travis.yml new file mode 100644 index 000000000..d3fffc693 --- /dev/null +++ b/.travis.yml @@ -0,0 +1,4 @@ +--- +language: php +php: 5.6 +install: composer install diff --git a/phpunit.xml b/phpunit.xml new file mode 100644 index 000000000..a589d3454 --- /dev/null +++ b/phpunit.xml @@ -0,0 +1,10 @@ + + + + + tests/ + tests/template_test.php + tests/get_tags_test.php + + + From 9a40f17257adc6ec0ea73edc8a6cfee6f1db71f1 Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Mon, 9 Apr 2018 23:03:29 +0200 Subject: [PATCH 020/112] Remove old tests Add tests for the BaseObject class --- phpunit.xml | 6 +- tests/BaseObjectTest.php | 45 +++++ tests/autoname_test.php | 76 ------- tests/contains_attribute_test.php | 51 ----- tests/expand_acl_test.php | 148 -------------- tests/get_tags_test.php | 326 ------------------------------ tests/template_test.php | 224 -------------------- tests/xss_filter_test.php | 70 ------- 8 files changed, 47 insertions(+), 899 deletions(-) create mode 100644 tests/BaseObjectTest.php delete mode 100644 tests/autoname_test.php delete mode 100644 tests/contains_attribute_test.php delete mode 100644 tests/expand_acl_test.php delete mode 100644 tests/get_tags_test.php delete mode 100644 tests/template_test.php delete mode 100644 tests/xss_filter_test.php diff --git a/phpunit.xml b/phpunit.xml index a589d3454..6a275ad3f 100644 --- a/phpunit.xml +++ b/phpunit.xml @@ -1,10 +1,8 @@ - + - tests/ - tests/template_test.php - tests/get_tags_test.php + tests/ diff --git a/tests/BaseObjectTest.php b/tests/BaseObjectTest.php new file mode 100644 index 000000000..73eb4720b --- /dev/null +++ b/tests/BaseObjectTest.php @@ -0,0 +1,45 @@ +baseObject = new BaseObject(); + } + + /** + * Test the getApp() function. + * @return void + */ + public function testGetApp() + { + $this->assertInstanceOf(App::class, $this->baseObject->getApp()); + } + + /** + * Test the setApp() function. + * @return void + */ + public function testSetApp() + { + $app = new App(__DIR__.'/../'); + $this->assertNull($this->baseObject->setApp($app)); + $this->assertEquals($app, $this->baseObject->getApp()); + } +} diff --git a/tests/autoname_test.php b/tests/autoname_test.php deleted file mode 100644 index 03a7ebfe9..000000000 --- a/tests/autoname_test.php +++ /dev/null @@ -1,76 +0,0 @@ -assertNotEquals($autoname1, $autoname2); - } - - /** - *autonames should be random, odd length - */ - public function testAutonameOdd() { - $autoname1=autoname(9); - $autoname2=autoname(9); - - $this->assertNotEquals($autoname1, $autoname2); - } - - /** - * try to fail autonames - */ - public function testAutonameNoLength() { - $autoname1=autoname(0); - $this->assertEquals(0, strlen($autoname1)); - } - - /** - * try to fail it with invalid input - * - * TODO: What's corect behaviour here? An exception? - */ - public function testAutonameNegativeLength() { - $autoname1=autoname(-23); - $this->assertEquals(0, strlen($autoname1)); - } - - // public function testAutonameMaxLength() { - // $autoname2=autoname(PHP_INT_MAX); - // $this->assertEquals(PHP_INT_MAX, count($autoname2)); - // } - - /** - * test with a length, that may be too short - */ - public function testAutonameLength1() { - $autoname1=autoname(1); - $this->assertEquals(1, count($autoname1)); - - $autoname2=autoname(1); - $this->assertEquals(1, count($autoname2)); - - // The following test is problematic, with only 26 possibilities - // generating the same thing twice happens often aka - // birthday paradox -// $this->assertFalse($autoname1==$autoname2); - } -} \ No newline at end of file diff --git a/tests/contains_attribute_test.php b/tests/contains_attribute_test.php deleted file mode 100644 index b0bb06acf..000000000 --- a/tests/contains_attribute_test.php +++ /dev/null @@ -1,51 +0,0 @@ -assertTrue(attribute_contains($testAttr, "class3")); - $this->assertFalse(attribute_contains($testAttr, "class2")); - } - - /** - * test attribute contains - */ - public function testAttributeContains2() { - $testAttr="class1 not-class2 class3"; - $this->assertTrue(attribute_contains($testAttr, "class3")); - $this->assertFalse(attribute_contains($testAttr, "class2")); - } - - /** - * test with empty input - */ - public function testAttributeContainsEmpty() { - $testAttr=""; - $this->assertFalse(attribute_contains($testAttr, "class2")); - } - - /** - * test input with special chars - */ - public function testAttributeContainsSpecialChars() { - $testAttr="--... %\$ä() /(=?}"; - $this->assertFalse(attribute_contains($testAttr, "class2")); - } -} \ No newline at end of file diff --git a/tests/expand_acl_test.php b/tests/expand_acl_test.php deleted file mode 100644 index 154bc921d..000000000 --- a/tests/expand_acl_test.php +++ /dev/null @@ -1,148 +0,0 @@ -<2><3>'; - $this->assertEquals(array(1, 2, 3), expand_acl($text)); - } - - /** - * test with a big number - */ - public function testExpandAclBigNumber() { - $text='<1><'.PHP_INT_MAX.'><15>'; - $this->assertEquals(array(1, PHP_INT_MAX, 15), expand_acl($text)); - } - - /** - * test with a string in it. - * - * TODO: is this valid input? Otherwise: should there be an exception? - */ - public function testExpandAclString() { - $text="<1><279012>"; - $this->assertEquals(array(1, 279012), expand_acl($text)); - } - - /** - * test with a ' ' in it. - * - * TODO: is this valid input? Otherwise: should there be an exception? - */ - public function testExpandAclSpace() { - $text="<1><279 012><32>"; - $this->assertEquals(array(1, "279", "32"), expand_acl($text)); - } - - /** - * test empty input - */ - public function testExpandAclEmpty() { - $text=""; - $this->assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, no < at all - * - * TODO: should there be an exception? - */ - public function testExpandAclNoBrackets() { - $text="According to documentation, that's invalid. "; //should be invalid - $this->assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, just open < - * - * TODO: should there be an exception? - */ - public function testExpandAclJustOneBracket1() { - $text="assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, just close > - * - * TODO: should there be an exception? - */ - public function testExpandAclJustOneBracket2() { - $text="Another invalid> string"; //should be invalid - $this->assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, just close > - * - * TODO: should there be an exception? - */ - public function testExpandAclCloseOnly() { - $text="Another> invalid> string>"; //should be invalid - $this->assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, just open < - * - * TODO: should there be an exception? - */ - public function testExpandAclOpenOnly() { - $text="assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, open and close do not match - * - * TODO: should there be an exception? - */ - public function testExpandAclNoMatching1() { - $text=" invalid "; //should be invalid - $this->assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, open and close do not match - * - * TODO: should there be an exception? - */ - public function testExpandAclNoMatching2() { - $text="<1>2><3>"; -// The angles are delimiters which aren't important -// the important thing is the numeric content, this returns array(1,2,3) currently -// we may wish to eliminate 2 from the results, though it isn't harmful -// It would be a better test to figure out if there is any ACL input which can -// produce this $text and fix that instead. -// $this->assertEquals(array(), expand_acl($text)); - } - - /** - * test invalid input, empty <> - * - * TODO: should there be an exception? Or array(1, 3) - * (This should be array(1,3) - mike) - */ - public function testExpandAclEmptyMatch() { - $text="<1><><3>"; - $this->assertEquals(array(1,3), expand_acl($text)); - } -} \ No newline at end of file diff --git a/tests/get_tags_test.php b/tests/get_tags_test.php deleted file mode 100644 index 79dcb36a7..000000000 --- a/tests/get_tags_test.php +++ /dev/null @@ -1,326 +0,0 @@ -15, - 'attag'=>'', 'network'=>'dfrn', - 'name'=>'Mike Lastname', 'alias'=>'Mike', - 'nick'=>'Mike', 'url'=>"http://justatest.de")); - - $args=func_get_args(); - - //last parameter is always (in this test) uid, so, it should be 11 - if($args[count($args)-1]!=11) { - return; - } - - - if(3==count($args)) { - //first call in handle_body, id only - if($result[0]['id']==$args[1]) { - return $result; - } - //second call in handle_body, name - if($result[0]['name']===$args[1]) { - return $result; - } - } - //third call in handle_body, nick or attag - if($result[0]['nick']===$args[2] || $result[0]['attag']===$args[1]) { - return $result; - } -} - -/** - * replacement for dbesc. - * I don't want to test dbesc here, so - * I just return the input. It won't be a problem, because - * the test does not use a real database. - * - * DON'T USE HAT FUNCTION OUTSIDE A TEST! - * - * @param string $str - * @return input - */ -function dbesc($str) { - return $str; -} - -/** - * TestCase for tag handling. - * - * @author alexander - * @package test.util - */ -class GetTagsTest extends PHPUnit_Framework_TestCase { - /** the mock to use as app */ - private $a; - - /** - * initialize the test. That's a phpUnit function, - * don't change its name. - */ - public function setUp() { - $this->a=new MockApp(); - } - - /** - * test with one Person tag - */ - public function testGetTagsShortPerson() { - $text="hi @Mike"; - - $tags=get_tags($text); - - $inform=''; - $str_tags=''; - foreach($tags as $tag) { - handle_tag($this->a, $text, $inform, $str_tags, 11, $tag); - } - - //correct tags found? - $this->assertEquals(1, count($tags)); - $this->assertTrue(in_array("@Mike", $tags)); - - //correct output from handle_tag? - $this->assertEquals("cid:15", $inform); - $this->assertEquals("@[url=http://justatest.de]Mike Lastname[/url]", $str_tags); - $this->assertEquals("hi @[url=http://justatest.de]Mike Lastname[/url]", $text); - } - - /** - * test with one Person tag. - * There's a minor spelling mistake... - */ - public function testGetTagsShortPersonSpelling() { - $text="hi @Mike.because"; - - $tags=get_tags($text); - - //correct tags found? - $this->assertEquals(1, count($tags)); - $this->assertTrue(in_array("@Mike.because", $tags)); - - $inform=''; - $str_tags=''; - handle_tag($this->a, $text, $inform, $str_tags, 11, $tags[0]); - - // (mike) - This is a tricky case. - // we support mentions as in @mike@example.com - which contains a period. - // This shouldn't match anything unless you have a contact named "Mike.because". - // We may need another test for "@Mike. because" - which should return the contact - // as we ignore trailing periods in tags. - -// $this->assertEquals("cid:15", $inform); -// $this->assertEquals("@[url=http://justatest.de]Mike Lastname[/url]", $str_tags); -// $this->assertEquals("hi @[url=http://justatest.de]Mike Lastname[/url].because", $text); - - $this->assertEquals("", $inform); - $this->assertEquals("", $str_tags); - - } - - /** - * test with two Person tags. - * There's a minor spelling mistake... - */ - - public function testGetTagsPerson2Spelling() { - $text="hi @Mike@campino@friendica.eu"; - - $tags=get_tags($text); - -// This construct is not supported. Results are indeterminate -// $this->assertEquals(2, count($tags)); -// $this->assertTrue(in_array("@Mike", $tags)); -// $this->assertTrue(in_array("@campino@friendica.eu", $tags)); - } - - /** - * Test with one hash tag. - */ - public function testGetTagsShortTag() { - $text="This is a #test_case"; - - $tags=get_tags($text); - - $this->assertEquals(1, count($tags)); - $this->assertTrue(in_array("#test_case", $tags)); - } - - /** - * test with a person and a hash tag - */ - public function testGetTagsShortTagAndPerson() { - $text="hi @Mike This is a #test_case"; - - $tags=get_tags($text); - - $this->assertEquals(3, count($tags)); - $this->assertTrue(in_array("@Mike", $tags)); - $this->assertTrue(in_array("@Mike This", $tags)); - $this->assertTrue(in_array("#test_case", $tags)); - - $inform=''; - $str_tags=''; - foreach($tags as $tag) { - handle_tag($this->a, $text, $inform, $str_tags, 11, $tag); - } - - $this->assertEquals("cid:15", $inform); - $this->assertEquals("@[url=http://justatest.de]Mike Lastname[/url],#[url=baseurl/search?tag=test%20case]test case[/url]", $str_tags); - $this->assertEquals("hi @[url=http://justatest.de]Mike Lastname[/url] This is a #[url=baseurl/search?tag=test%20case]test case[/url]", $text); - - } - - /** - * test with a person, a hash tag and some special chars. - */ - public function testGetTagsShortTagAndPersonSpecialChars() { - $text="hi @Mike, This is a #test_case."; - - $tags=get_tags($text); - - $this->assertEquals(2, count($tags)); - $this->assertTrue(in_array("@Mike", $tags)); - $this->assertTrue(in_array("#test_case", $tags)); - } - - /** - * Test with a person tag and text behind it. - */ - public function testGetTagsPersonOnly() { - $text="@Test I saw the Theme Dev group was created."; - - $tags=get_tags($text); - - $this->assertEquals(2, count($tags)); - $this->assertTrue(in_array("@Test I", $tags)); - $this->assertTrue(in_array("@Test", $tags)); - } - - /** - * this test demonstrates strange behaviour by intval. - * It makes the next test fail. - */ - public function testIntval() { - $this->assertEquals(15, intval("15 it")); - } - - /** - * test a tag with an id in it - */ - public function testIdTag() { - $text="Test with @mike+15 id tag"; - - $tags=get_tags($text); - - $this->assertEquals(2, count($tags)); - $this->assertTrue(in_array("@mike+15", $tags)); - - //happens right now, but it shouldn't be necessary - $this->assertTrue(in_array("@mike+15 id", $tags)); - - $inform=''; - $str_tags=''; - foreach($tags as $tag) { - handle_tag($this->a, $text, $inform, $str_tags, 11, $tag); - } - - $this->assertEquals("Test with @[url=http://justatest.de]Mike Lastname[/url] id tag", $text); - $this->assertEquals("@[url=http://justatest.de]Mike Lastname[/url]", $str_tags); - // this test may produce two cid:15 entries - which is OK because duplicates are pruned before delivery - $this->assertContains("cid:15",$inform); - } - - /** - * test with two persons and one special tag. - */ - public function testGetTags2Persons1TagSpecialChars() { - $text="hi @Mike, I'm just writing #test_cases, so" - ." so @somebody@friendica.com may change #things."; - - $tags=get_tags($text); - - $this->assertEquals(5, count($tags)); - $this->assertTrue(in_array("@Mike", $tags)); - $this->assertTrue(in_array("#test_cases", $tags)); - $this->assertTrue(in_array("@somebody@friendica.com", $tags)); - $this->assertTrue(in_array("@somebody@friendica.com may", $tags)); - $this->assertTrue(in_array("#things", $tags)); - } - - /** - * test with a long text. - */ - public function testGetTags() { - $text="hi @Mike, I'm just writing #test_cases, " - ." so @somebody@friendica.com may change #things. Of course I " - ."look for a lot of #pitfalls, like #tags at the end of a sentence " - ."@comment. I hope noone forgets about @fullstops.because that might" - ." break #things. @Mike@campino@friendica.eu is also #nice, isn't it? " - ."Now, add a @first_last tag. "; - - $tags=get_tags($text); - - $this->assertTrue(in_array("@Mike", $tags)); - $this->assertTrue(in_array("#test_cases", $tags)); - $this->assertTrue(in_array("@somebody@friendica.com", $tags)); - $this->assertTrue(in_array("#things", $tags)); - $this->assertTrue(in_array("#pitfalls", $tags)); - $this->assertTrue(in_array("#tags", $tags)); - $this->assertTrue(in_array("@comment", $tags)); - $this->assertTrue(in_array("@fullstops.because", $tags)); - $this->assertTrue(in_array("#things", $tags)); - $this->assertTrue(in_array("@Mike", $tags)); - $this->assertTrue(in_array("#nice", $tags)); - $this->assertTrue(in_array("@first_last", $tags)); - - //right now, none of the is matched (unsupported) -// $this->assertFalse(in_array("@Mike@campino@friendica.eu", $tags)); -// $this->assertTrue(in_array("@campino@friendica.eu", $tags)); -// $this->assertTrue(in_array("@campino@friendica.eu is", $tags)); - } - - /** - * test with an empty string - */ - public function testGetTagsEmpty() { - $tags=get_tags(""); - $this->assertEquals(0, count($tags)); - } -} diff --git a/tests/template_test.php b/tests/template_test.php deleted file mode 100644 index 1f9f80531..000000000 --- a/tests/template_test.php +++ /dev/null @@ -1,224 +0,0 @@ -assertTrue(is_null($second)); - } - - public function testSimpleVariableString() { - $tpl='Hello $name!'; - - $text=replace_macros($tpl, array('$name'=>'Anna')); - - $this->assertEquals('Hello Anna!', $text); - } - - public function testSimpleVariableInt() { - $tpl='There are $num new messages!'; - - $text=replace_macros($tpl, array('$num'=>172)); - - $this->assertEquals('There are 172 new messages!', $text); - } - - public function testConditionalElse() { - $tpl='There{{ if $num!=1 }} are $num new messages{{ else }} is 1 new message{{ endif }}!'; - - $text1=replace_macros($tpl, array('$num'=>1)); - $text22=replace_macros($tpl, array('$num'=>22)); - - $this->assertEquals('There is 1 new message!', $text1); - $this->assertEquals('There are 22 new messages!', $text22); - } - - public function testConditionalNoElse() { - $tpl='{{ if $num!=0 }}There are $num new messages!{{ endif }}'; - - $text0=replace_macros($tpl, array('$num'=>0)); - $text22=replace_macros($tpl, array('$num'=>22)); - - $this->assertEquals('', $text0); - $this->assertEquals('There are 22 new messages!', $text22); - } - - public function testConditionalFail() { - $tpl='There {{ if $num!=1 }} are $num new messages{{ else }} is 1 new message{{ endif }}!'; - - $text1=replace_macros($tpl, array()); - - //$this->assertEquals('There is 1 new message!', $text1); - } - - public function testSimpleFor() { - $tpl='{{ for $messages as $message }} $message {{ endfor }}'; - - $text=replace_macros($tpl, array('$messages'=>array('message 1', 'message 2'))); - - $this->assertEquals(' message 1 message 2 ', $text); - } - - public function testFor() { - $tpl='{{ for $messages as $message }} from: $message.from to $message.to {{ endfor }}'; - - $text=replace_macros($tpl, array('$messages'=>array(array('from'=>'Mike', 'to'=>'Alex'), array('from'=>'Alex', 'to'=>'Mike')))); - - $this->assertEquals(' from: Mike to Alex from: Alex to Mike ', $text); - } - - public function testKeyedFor() { - $tpl='{{ for $messages as $from=>$to }} from: $from to $to {{ endfor }}'; - - $text=replace_macros($tpl, array('$messages'=>array('Mike'=>'Alex', 'Sven'=>'Mike'))); - - $this->assertEquals(' from: Mike to Alex from: Sven to Mike ', $text); - } - - public function testForEmpty() { - $tpl='messages: {{for $messages as $message}} from: $message.from to $message.to {{ endfor }}'; - - $text=replace_macros($tpl, array('$messages'=>array())); - - $this->assertEquals('messages: ', $text); - } - - public function testForWrongType() { - $tpl='messages: {{for $messages as $message}} from: $message.from to $message.to {{ endfor }}'; - - $text=replace_macros($tpl, array('$messages'=>11)); - - $this->assertEquals('messages: ', $text); - } - - public function testForConditional() { - $tpl='new messages: {{for $messages as $message}}{{ if $message.new }} $message.text{{endif}}{{ endfor }}'; - - $text=replace_macros($tpl, array('$messages'=>array( - array('new'=>true, 'text'=>'new message'), - array('new'=>false, 'text'=>'old message')))); - - $this->assertEquals('new messages: new message', $text); - } - - public function testConditionalFor() { - $tpl='{{ if $enabled }}new messages:{{for $messages as $message}} $message.text{{ endfor }}{{endif}}'; - - $text=replace_macros($tpl, array('$enabled'=>true, - '$messages'=>array( - array('new'=>true, 'text'=>'new message'), - array('new'=>false, 'text'=>'old message')))); - - $this->assertEquals('new messages: new message old message', $text); - } - - public function testFantasy() { - $tpl='Fantasy: {{fantasy $messages}}'; - - $text=replace_macros($tpl, array('$messages'=>'no no')); - - $this->assertEquals('Fantasy: {{fantasy no no}}', $text); - } - - public function testInc() { - $tpl='{{inc field_input.tpl with $field=$myvar}}{{ endinc }}'; - - $text=replace_macros($tpl, array('$myvar'=>array('myfield', 'label', 'value', 'help'))); - - $this->assertEquals(" \n" - ."
\n" - ." \n" - ." \n" - ." help\n" - ."
\n", $text); - } - - public function testIncNoVar() { - $tpl='{{inc field_input.tpl }}{{ endinc }}'; - - $text=replace_macros($tpl, array('$field'=>array('myfield', 'label', 'value', 'help'))); - - $this->assertEquals(" \n
\n \n" - ." \n" - ." help\n" - ."
\n", $text); - } - - public function testDoubleUse() { - $tpl='Hello $name! {{ if $enabled }} I love you! {{ endif }}'; - - $text=replace_macros($tpl, array('$name'=>'Anna', '$enabled'=>false)); - - $this->assertEquals('Hello Anna! ', $text); - - $tpl='Hey $name! {{ if $enabled }} I hate you! {{ endif }}'; - - $text=replace_macros($tpl, array('$name'=>'Max', '$enabled'=>true)); - - $this->assertEquals('Hey Max! I hate you! ', $text); - } - - public function testIncDouble() { - $tpl='{{inc field_input.tpl with $field=$var1}}{{ endinc }}' - .'{{inc field_input.tpl with $field=$var2}}{{ endinc }}'; - - $text=replace_macros($tpl, array('$var1'=>array('myfield', 'label', 'value', 'help'), - '$var2'=>array('myfield2', 'label2', 'value2', 'help2'))); - - $this->assertEquals(" \n" - ."
\n" - ." \n" - ." \n" - ." help\n" - ."
\n" - ." \n" - ."
\n" - ." \n" - ." \n" - ." help2\n" - ."
\n", $text); - } -} \ No newline at end of file diff --git a/tests/xss_filter_test.php b/tests/xss_filter_test.php deleted file mode 100644 index 5bc8e0ad3..000000000 --- a/tests/xss_filter_test.php +++ /dev/null @@ -1,70 +0,0 @@ -'; - - $validstring=notags($invalidstring); - $escapedString=escape_tags($invalidstring); - - $this->assertEquals('[submit type="button" onclick="alert(\'failed!\');" /]', $validstring); - $this->assertEquals("<submit type="button" onclick="alert('failed!');" />", $escapedString); - } - - /** - *xmlify and unxmlify - */ - public function testXmlify() { - $text="I want to break\n this!11!"; - $xml=xmlify($text); - $retext=unxmlify($text); - - $this->assertEquals($text, $retext); - } - - /** - * xmlify and put in a document - */ - public function testXmlifyDocument() { - $tag="I want to break"; - $xml=xmlify($tag); - $text=''.$xml.''; - - $xml_parser=xml_parser_create(); - //should be possible to parse it - $values=array(); $index=array(); - $this->assertEquals(1, xml_parse_into_struct($xml_parser, $text, $values, $index)); - - $this->assertEquals(array('TEXT'=>array(0)), - $index); - $this->assertEquals(array(array('tag'=>'TEXT', 'type'=>'complete', 'level'=>1, 'value'=>$tag)), - $values); - - xml_parser_free($xml_parser); - } - - /** - * test hex2bin and reverse - */ - public function testHex2Bin() { - $this->assertEquals(-3, hex2bin(bin2hex(-3))); - $this->assertEquals(0, hex2bin(bin2hex(0))); - $this->assertEquals(12, hex2bin(bin2hex(12))); - $this->assertEquals(PHP_INT_MAX, hex2bin(bin2hex(PHP_INT_MAX))); - } - - //function qp, quick and dirty?? - //get_mentions - //get_contact_block, bis Zeile 538 -} From 08abf65f7b325020ea52512c61afa82d99079e76 Mon Sep 17 00:00:00 2001 From: Michael Date: Mon, 9 Apr 2018 21:34:23 +0000 Subject: [PATCH 021/112] Old database functions had been replaced in the workers --- src/Worker/Delivery.php | 6 ++---- src/Worker/DiscoverPoCo.php | 13 +++++++------ src/Worker/Notifier.php | 4 ++-- src/Worker/PubSubPublish.php | 10 ++++------ src/Worker/Queue.php | 2 +- src/Worker/TagUpdate.php | 18 ++++++++---------- 6 files changed, 24 insertions(+), 29 deletions(-) diff --git a/src/Worker/Delivery.php b/src/Worker/Delivery.php index 523bde4db..88085357a 100644 --- a/src/Worker/Delivery.php +++ b/src/Worker/Delivery.php @@ -208,7 +208,7 @@ class Delivery { $atom = DFRN::mail($item, $owner); } elseif ($fsuggest) { $atom = DFRN::fsuggest($item, $owner); - q("DELETE FROM `fsuggest` WHERE `id` = %d LIMIT 1", intval($item['id'])); + dba::delete('fsuggest', ['id' => $item['id']]); } elseif ($relocate) { $atom = DFRN::relocate($owner, $uid); } elseif ($followup) { @@ -290,9 +290,7 @@ class Delivery { if ($x && count($x)) { $write_flag = ((($x[0]['rel']) && ($x[0]['rel'] != CONTACT_IS_SHARING)) ? true : false); if ((($owner['page-flags'] == PAGE_COMMUNITY) || $write_flag) && !$x[0]['writable']) { - q("UPDATE `contact` SET `writable` = 1 WHERE `id` = %d", - intval($x[0]['id']) - ); + dba::update('contact', ['writable' => true], ['id' => $x[0]['id']]); $x[0]['writable'] = 1; } diff --git a/src/Worker/DiscoverPoCo.php b/src/Worker/DiscoverPoCo.php index a82fa1208..f0335bc8e 100644 --- a/src/Worker/DiscoverPoCo.php +++ b/src/Worker/DiscoverPoCo.php @@ -13,6 +13,7 @@ use Friendica\Network\Probe; use Friendica\Protocol\PortableContact; use Friendica\Util\DateTimeFormat; use Friendica\Util\Network; +use dba; class DiscoverPoCo { /// @todo Clean up this mess of a parameter hell and split it in several classes @@ -158,8 +159,8 @@ class DiscoverPoCo { $urlparts = parse_url($user["url"]); if (!isset($urlparts["scheme"])) { - q("UPDATE `gcontact` SET `network` = '%s' WHERE `nurl` = '%s'", - dbesc(NETWORK_PHANTOM), dbesc(normalise_link($user["url"]))); + dba::update('gcontact', ['network' => NETWORK_PHANTOM], + ['nurl' => normalise_link($user["url"])]); continue; } @@ -171,8 +172,8 @@ class DiscoverPoCo { "identi.ca" => NETWORK_PUMPIO, "alpha.app.net" => NETWORK_APPNET]; - q("UPDATE `gcontact` SET `network` = '%s' WHERE `nurl` = '%s'", - dbesc($networks[$urlparts["host"]]), dbesc(normalise_link($user["url"]))); + dba::update('gcontact', ['network' => $networks[$urlparts["host"]]], + ['nurl' => normalise_link($user["url"])]); continue; } @@ -194,8 +195,8 @@ class DiscoverPoCo { return; } } else { - q("UPDATE `gcontact` SET `last_failure` = '%s' WHERE `nurl` = '%s'", - dbesc(DateTimeFormat::utcNow()), dbesc(normalise_link($user["url"]))); + dba::update('gcontact', ['last_failure' => DateTimeFormat::utcNow()], + ['nurl' => normalise_link($user["url"])]); } // Quit the loop after 3 minutes diff --git a/src/Worker/Notifier.php b/src/Worker/Notifier.php index 49fd5e318..e4e720236 100644 --- a/src/Worker/Notifier.php +++ b/src/Worker/Notifier.php @@ -541,8 +541,8 @@ class Notifier { if ($push_notify) { // Set push flag for PuSH subscribers to this topic, // they will be notified in queue.php - q("UPDATE `push_subscriber` SET `push` = 1 ". - "WHERE `nickname` = '%s' AND `push` = 0", dbesc($owner['nickname'])); + $condition = ['push' => false, 'nickname' => $owner['nickname']]; + dba::update('push_subscriber', ['push' => true], $condition); logger('Activating internal PuSH for item '.$item_id, LOGGER_DEBUG); diff --git a/src/Worker/PubSubPublish.php b/src/Worker/PubSubPublish.php index 03608bea6..de26eab9c 100644 --- a/src/Worker/PubSubPublish.php +++ b/src/Worker/PubSubPublish.php @@ -12,6 +12,7 @@ use Friendica\Core\Worker; use Friendica\Database\DBM; use Friendica\Protocol\OStatus; use Friendica\Util\Network; +use dba; require_once 'include/items.php'; @@ -76,9 +77,8 @@ class PubSubPublish { logger('successfully pushed to '.$rr['callback_url']); // set last_update to the "created" date of the last item, and reset push=0 - q("UPDATE `push_subscriber` SET `push` = 0, last_update = '%s' WHERE id = %d", - dbesc($last_update), - intval($rr['id'])); + $fields = ['push' => 0, 'last_update' => $last_update]; + dba::update('push_subscriber', $fields, ['id' => $rr['id']]); } else { logger('error when pushing to '.$rr['callback_url'].' HTTP: '.$ret); @@ -90,9 +90,7 @@ class PubSubPublish { if ($new_push > 30) // OK, let's give up $new_push = 0; - q("UPDATE `push_subscriber` SET `push` = %d WHERE id = %d", - $new_push, - intval($rr['id'])); + dba::update('push_subscriber', ['push' => $new_push], ['id' => $rr['id']]); } } } diff --git a/src/Worker/Queue.php b/src/Worker/Queue.php index 46f6faf95..5c8942db2 100644 --- a/src/Worker/Queue.php +++ b/src/Worker/Queue.php @@ -36,7 +36,7 @@ class Queue // Handling the pubsubhubbub requests Worker::add(['priority' => PRIORITY_HIGH, 'dont_fork' => true], 'PubSubPublish'); - $r = dba::inArray(dba::p("SELECT `id` FROM `queue` WHERE `next` < UTC_TIMESTAMP()")); + $r = dba::inArray(dba::p("SELECT `id` FROM `queue` WHERE `next` < UTC_TIMESTAMP() ORDER BY `batch`, `cid`")); Addon::callHooks('queue_predeliver', $r); diff --git a/src/Worker/TagUpdate.php b/src/Worker/TagUpdate.php index fa3079731..f6a141ad6 100644 --- a/src/Worker/TagUpdate.php +++ b/src/Worker/TagUpdate.php @@ -2,6 +2,8 @@ namespace Friendica\Worker; +use dba; + class TagUpdate { public static function execute() @@ -13,18 +15,14 @@ class TagUpdate if ($message['uid'] == 0) { $global = true; - q("UPDATE `term` SET `global` = 1 WHERE `otype` = %d AND `guid` = '%s'", - intval(TERM_OBJ_POST), dbesc($message['guid'])); + dba::update('term', ['global' => true], ['otype' => TERM_OBJ_POST, 'guid' => $message['guid']]); } else { - $isglobal = q("SELECT `global` FROM `term` WHERE `uid` = 0 AND `otype` = %d AND `guid` = '%s'", - intval(TERM_OBJ_POST), dbesc($message['guid'])); - - $global = (count($isglobal) > 0); + $global = (dba::count('term', ['uid' => 0, 'otype' => TERM_OBJ_POST, 'guid' => $message['guid']]) > 0); } - q("UPDATE `term` SET `guid` = '%s', `created` = '%s', `received` = '%s', `global` = %d WHERE `otype` = %d AND `oid` = %d", - dbesc($message['guid']), dbesc($message['created']), dbesc($message['received']), - intval($global), intval(TERM_OBJ_POST), intval($message['oid'])); + $fields = ['guid' => $message['guid'], 'created' => $message['created'], + 'received' => $message['received'], 'global' => $global]; + dba::update('term', $fields, ['otype' => TERM_OBJ_POST, 'oid' => $message['oid']]); } dba::close($messages); @@ -33,7 +31,7 @@ class TagUpdate logger('fetched messages: ' . dba::num_rows($messages)); while ($message = dba::fetch(messages)) { - q("UPDATE `item` SET `global` = 1 WHERE `guid` = '%s'", dbesc($message['guid'])); + dba::update('item', ['global' => true], ['guid' => $message['guid']]); } dba::close($messages); From e695e1060f2d0302e9353b42700622a44449a1ff Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Tue, 10 Apr 2018 02:20:20 +0200 Subject: [PATCH 022/112] Regroup old tests in the TextTest class --- tests/TextTest.php | 301 +++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 301 insertions(+) create mode 100644 tests/TextTest.php diff --git a/tests/TextTest.php b/tests/TextTest.php new file mode 100644 index 000000000..3a15b9766 --- /dev/null +++ b/tests/TextTest.php @@ -0,0 +1,301 @@ +assertNotEquals($autoname1, $autoname2); + } + + /** + *autonames should be random, odd length + */ + public function testAutonameOdd() + { + $autoname1=autoname(9); + $autoname2=autoname(9); + + $this->assertNotEquals($autoname1, $autoname2); + } + + /** + * try to fail autonames + */ + public function testAutonameNoLength() + { + $autoname1=autoname(0); + $this->assertEquals(0, strlen($autoname1)); + } + + /** + * try to fail it with invalid input + * + * @todo What's corect behaviour here? An exception? + */ + public function testAutonameNegativeLength() + { + $autoname1=autoname(-23); + $this->assertEquals(0, strlen($autoname1)); + } + + /** + * test with a length, that may be too short + */ + public function testAutonameLength1() + { + $autoname1=autoname(1); + $this->assertEquals(1, count($autoname1)); + + $autoname2=autoname(1); + $this->assertEquals(1, count($autoname2)); + } + + /** + * test attribute contains + */ + public function testAttributeContains1() + { + $testAttr="class1 notclass2 class3"; + $this->assertTrue(attribute_contains($testAttr, "class3")); + $this->assertFalse(attribute_contains($testAttr, "class2")); + } + + /** + * test attribute contains + */ + public function testAttributeContains2() + { + $testAttr="class1 not-class2 class3"; + $this->assertTrue(attribute_contains($testAttr, "class3")); + $this->assertFalse(attribute_contains($testAttr, "class2")); + } + + /** + * test with empty input + */ + public function testAttributeContainsEmpty() + { + $testAttr=""; + $this->assertFalse(attribute_contains($testAttr, "class2")); + } + + /** + * test input with special chars + */ + public function testAttributeContainsSpecialChars() + { + $testAttr="--... %\$ä() /(=?}"; + $this->assertFalse(attribute_contains($testAttr, "class2")); + } + + /** + * test expand_acl, perfect input + */ + public function testExpandAclNormal() + { + $text='<1><2><3>'; + $this->assertEquals(array(1, 2, 3), expand_acl($text)); + } + + /** + * test with a big number + */ + public function testExpandAclBigNumber() + { + $text='<1><'.PHP_INT_MAX.'><15>'; + $this->assertEquals(array(1, PHP_INT_MAX, 15), expand_acl($text)); + } + + /** + * test with a string in it. + * + * @todo is this valid input? Otherwise: should there be an exception? + */ + public function testExpandAclString() + { + $text="<1><279012>"; + $this->assertEquals(array(1, 279012), expand_acl($text)); + } + + /** + * test with a ' ' in it. + * + * @todo is this valid input? Otherwise: should there be an exception? + */ + public function testExpandAclSpace() + { + $text="<1><279 012><32>"; + $this->assertEquals(array(1, "279", "32"), expand_acl($text)); + } + + /** + * test empty input + */ + public function testExpandAclEmpty() + { + $text=""; + $this->assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, no < at all + * + * @todo should there be an exception? + */ + public function testExpandAclNoBrackets() + { + $text="According to documentation, that's invalid. "; //should be invalid + $this->assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, just open < + * + * @todo should there be an exception? + */ + public function testExpandAclJustOneBracket1() + { + $text="assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, just close > + * + * @todo should there be an exception? + */ + public function testExpandAclJustOneBracket2() + { + $text="Another invalid> string"; //should be invalid + $this->assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, just close > + * + * @todo should there be an exception? + */ + public function testExpandAclCloseOnly() + { + $text="Another> invalid> string>"; //should be invalid + $this->assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, just open < + * + * @todo should there be an exception? + */ + public function testExpandAclOpenOnly() + { + $text="assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, open and close do not match + * + * @todo should there be an exception? + */ + public function testExpandAclNoMatching1() + { + $text=" invalid "; //should be invalid + $this->assertEquals(array(), expand_acl($text)); + } + + /** + * test invalid input, empty <> + * + * @todo should there be an exception? Or array(1, 3) + * (This should be array(1,3) - mike) + */ + public function testExpandAclEmptyMatch() + { + $text="<1><><3>"; + $this->assertEquals(array(1,3), expand_acl($text)); + } + + /** + * test, that tags are escaped + */ + public function testEscapeTags() + { + $invalidstring=''; + + $validstring=notags($invalidstring); + $escapedString=escape_tags($invalidstring); + + $this->assertEquals('[submit type="button" onclick="alert(\'failed!\');" /]', $validstring); + $this->assertEquals( + "<submit type="button" onclick="alert('failed!');" />", + $escapedString + ); + } + + /** + *xmlify and unxmlify + */ + public function testXmlify() + { + $text="I want to break\n this!11!"; + $xml=xmlify($text); + $retext=unxmlify($text); + + $this->assertEquals($text, $retext); + } + + /** + * xmlify and put in a document + */ + public function testXmlifyDocument() + { + $tag="I want to break"; + $xml=xmlify($tag); + $text=''.$xml.''; + + $xml_parser=xml_parser_create(); + //should be possible to parse it + $values=array(); + $index=array(); + $this->assertEquals(1, xml_parse_into_struct($xml_parser, $text, $values, $index)); + + $this->assertEquals( + array('TEXT'=>array(0)), + $index + ); + $this->assertEquals( + array(array('tag'=>'TEXT', 'type'=>'complete', 'level'=>1, 'value'=>$tag)), + $values + ); + + xml_parser_free($xml_parser); + } + + /** + * test hex2bin and reverse + */ + public function testHex2Bin() + { + $this->assertEquals(-3, hex2bin(bin2hex(-3))); + $this->assertEquals(0, hex2bin(bin2hex(0))); + $this->assertEquals(12, hex2bin(bin2hex(12))); + $this->assertEquals(PHP_INT_MAX, hex2bin(bin2hex(PHP_INT_MAX))); + } +} From c7ad76f9abc3b330d70a2fb588f04d4231cf6ab5 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Mon, 9 Apr 2018 21:24:22 -0400 Subject: [PATCH 023/112] Prevent empty $uid from messing up the PreloadConfigAdapter --- src/Core/Config/PreloadPConfigAdapter.php | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/src/Core/Config/PreloadPConfigAdapter.php b/src/Core/Config/PreloadPConfigAdapter.php index af7759838..8ed3ee10e 100644 --- a/src/Core/Config/PreloadPConfigAdapter.php +++ b/src/Core/Config/PreloadPConfigAdapter.php @@ -32,6 +32,10 @@ class PreloadPConfigAdapter extends BaseObject implements IPConfigAdapter return; } + if (empty($uid)) { + return; + } + $pconfigs = dba::select('pconfig', ['cat', 'v', 'k'], ['uid' => $uid]); while ($pconfig = dba::fetch($pconfigs)) { self::getApp()->setPConfigValue($uid, $pconfig['cat'], $pconfig['k'], $pconfig['v']); @@ -43,6 +47,10 @@ class PreloadPConfigAdapter extends BaseObject implements IPConfigAdapter public function get($uid, $cat, $k, $default_value = null, $refresh = false) { + if (!$this->config_loaded) { + $this->load($uid, $cat); + } + if ($refresh) { $config = dba::selectFirst('pconfig', ['v'], ['uid' => $uid, 'cat' => $cat, 'k' => $k]); if (DBM::is_result($config)) { @@ -59,6 +67,9 @@ class PreloadPConfigAdapter extends BaseObject implements IPConfigAdapter public function set($uid, $cat, $k, $value) { + if (!$this->config_loaded) { + $this->load($uid, $cat); + } // We store our setting values as strings. // So we have to do the conversion here so that the compare below works. // The exception are array values. @@ -83,6 +94,10 @@ class PreloadPConfigAdapter extends BaseObject implements IPConfigAdapter public function delete($uid, $cat, $k) { + if (!$this->config_loaded) { + $this->load($uid, $cat); + } + self::getApp()->deletePConfigValue($uid, $cat, $k); $result = dba::delete('pconfig', ['uid' => $uid, 'cat' => $cat, 'k' => $k]); From 20843fee389171db73f1b3752cafb0e9f0da202a Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Mon, 9 Apr 2018 22:50:03 -0400 Subject: [PATCH 024/112] Reintroduce own posts in network list --- mod/network.php | 12 +++++++++--- 1 file changed, 9 insertions(+), 3 deletions(-) diff --git a/mod/network.php b/mod/network.php index 26645eefd..a35f0619b 100644 --- a/mod/network.php +++ b/mod/network.php @@ -771,7 +771,9 @@ function networkThreadedView(App $a, $update, $parent) FROM `item` $sql_post_table STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) - AND (`item`.`parent-uri` != `item`.`uri` OR `contact`.`rel` IN (%d, %d) AND NOT `contact`.`readonly`) + AND (`item`.`parent-uri` != `item`.`uri` + OR `contact`.`uid` = `item`.`uid` AND `contact`.`self` + OR `contact`.`rel` IN (%d, %d) AND NOT `contact`.`readonly`) WHERE `item`.`uid` = %d AND `item`.`visible` AND NOT `item`.`deleted` AND NOT `item`.`moderated` AND $sql_extra4 $sql_extra3 $sql_extra $sql_range $sql_nets @@ -786,7 +788,9 @@ function networkThreadedView(App $a, $update, $parent) STRAIGHT_JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` AND (NOT `contact`.`blocked` OR `contact`.`pending`) STRAIGHT_JOIN `item` ON `item`.`id` = `thread`.`iid` - AND (`item`.`parent-uri` != `item`.`uri` OR `contact`.`rel` IN (%d, %d) AND NOT `contact`.`readonly`) + AND (`item`.`parent-uri` != `item`.`uri` + OR `contact`.`uid` = `item`.`uid` AND `contact`.`self` + OR `contact`.`rel` IN (%d, %d) AND NOT `contact`.`readonly`) WHERE `thread`.`uid` = %d AND `thread`.`visible` AND NOT `thread`.`deleted` AND NOT `thread`.`moderated` $sql_extra2 $sql_extra3 $sql_range $sql_extra $sql_nets @@ -833,7 +837,9 @@ function networkThreadedView(App $a, $update, $parent) (SELECT SUBSTR(`term`, 2) FROM `search` WHERE `uid` = ? AND `term` LIKE '#%') AND `otype` = ? AND `type` = ? AND `uid` = 0) AS `term` ON `item`.`id` = `term`.`oid` STRAIGHT_JOIN `contact` ON `contact`.`id` = `item`.`author-id` - AND (`item`.`parent-uri` != `item`.`uri` OR `contact`.`rel` IN (?, ?) AND NOT `contact`.`readonly`) + AND (`item`.`parent-uri` != `item`.`uri` + OR `contact`.`uid` = `item`.`uid` AND `contact`.`self` + OR `contact`.`rel` IN (?, ?) AND NOT `contact`.`readonly`) WHERE `item`.`uid` = 0 AND `item`.$ordering < ? AND `item`.$ordering > ? AND NOT `contact`.`hidden` AND NOT `contact`.`blocked`" . $sql_tag_nets, local_user(), TERM_OBJ_POST, TERM_HASHTAG, From 6928f0bd02c07a7cc2a4c7b33143b926008e39d0 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 10 Apr 2018 07:23:50 +0200 Subject: [PATCH 025/112] Updates to the EN-GB, EN-US and FI-FI translations --- view/lang/en-gb/messages.po | 138 +- view/lang/en-gb/strings.php | 134 +- view/lang/en-us/messages.po | 9105 ++++++++++++++++++----------------- view/lang/en-us/strings.php | 1533 +++--- view/lang/fi-fi/messages.po | 80 +- view/lang/fi-fi/strings.php | 78 +- 6 files changed, 5670 insertions(+), 5398 deletions(-) diff --git a/view/lang/en-gb/messages.po b/view/lang/en-gb/messages.po index d7608cd4d..2aa6f3193 100644 --- a/view/lang/en-gb/messages.po +++ b/view/lang/en-gb/messages.po @@ -10,8 +10,8 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-08 17:48+0000\n" -"Last-Translator: Kris\n" +"PO-Revision-Date: 2018-04-09 14:04+0000\n" +"Last-Translator: Andy H3 \n" "Language-Team: English (United Kingdom) (http://www.transifex.com/Friendica/friendica/language/en_GB/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -356,7 +356,7 @@ msgstr "You've received a [url=%1$s]registration request[/url] from %2$s." #: include/enotify.php:371 #, php-format msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -msgstr "" +msgstr "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" #: include/enotify.php:377 #, php-format @@ -726,7 +726,7 @@ msgstr "Delete item(s)?" #: include/conversation.php:1338 msgid "New Post" -msgstr "" +msgstr "New post" #: include/conversation.php:1341 msgid "Share" @@ -1146,7 +1146,7 @@ msgstr "Dec" #: include/text.php:1275 #, php-format msgid "Content warning: %s" -msgstr "" +msgstr "Content warning: %s" #: include/text.php:1345 mod/videos.php:380 msgid "View Video" @@ -1158,7 +1158,7 @@ msgstr "bytes" #: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" -msgstr "Click to open/close" +msgstr "Reveal/hide" #: include/text.php:1559 msgid "View on separate page" @@ -2382,7 +2382,7 @@ msgstr "Profile Visibility Editor" #: mod/profperm.php:115 mod/group.php:265 msgid "Click on a contact to add or remove." -msgstr "Click on a contact to add or remove." +msgstr "Click on a contact to add or remove it." #: mod/profperm.php:124 msgid "Visible To" @@ -2670,11 +2670,11 @@ msgstr "Example: bob@example.com, mary@example.com" #: mod/feedtest.php:20 msgid "You must be logged in to use this module" -msgstr "" +msgstr "You must be logged in to use this module" #: mod/feedtest.php:48 msgid "Source URL" -msgstr "" +msgstr "Source URL" #: mod/fsuggest.php:72 msgid "Friend suggestion sent." @@ -3217,7 +3217,7 @@ msgstr "Upload new videos" #: mod/delegate.php:37 msgid "Parent user not found." -msgstr "" +msgstr "Parent user not found." #: mod/delegate.php:144 msgid "No parent user" @@ -3225,12 +3225,12 @@ msgstr "No parent user" #: mod/delegate.php:159 msgid "Parent Password:" -msgstr "" +msgstr "Parent password:" #: mod/delegate.php:159 msgid "" "Please enter the password of the parent account to legitimize your request." -msgstr "" +msgstr "Please enter the password of the parent account to authorise this request." #: mod/delegate.php:164 msgid "Parent User" @@ -3542,7 +3542,7 @@ msgstr "Error: iconv PHP module required but not installed." #: mod/install.php:441 msgid "Error: POSIX PHP module required but not installed." -msgstr "" +msgstr "Error: POSIX PHP module required but not installed." #: mod/install.php:451 msgid "Error, XML PHP module required but not installed." @@ -3916,19 +3916,19 @@ msgstr "No entries (entries may be hidden)." #: mod/babel.php:22 msgid "Source input" -msgstr "" +msgstr "Source input" #: mod/babel.php:28 msgid "BBCode::convert (raw HTML)" -msgstr "" +msgstr "BBCode::convert (raw HTML)" #: mod/babel.php:33 msgid "BBCode::convert" -msgstr "" +msgstr "BBCode::convert" #: mod/babel.php:39 msgid "BBCode::convert => HTML::toBBCode" -msgstr "" +msgstr "BBCode::convert => HTML::toBBCode" #: mod/babel.php:45 msgid "BBCode::toMarkdown" @@ -3940,15 +3940,15 @@ msgstr "BBCode::toMarkdown => Markdown::convert" #: mod/babel.php:57 msgid "BBCode::toMarkdown => Markdown::toBBCode" -msgstr "" +msgstr "BBCode::toMarkdown => Markdown::toBBCode" #: mod/babel.php:63 msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" -msgstr "" +msgstr "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" #: mod/babel.php:70 msgid "Source input \\x28Diaspora format\\x29" -msgstr "" +msgstr "Source input \\x28Diaspora format\\x29" #: mod/babel.php:76 msgid "Markdown::toBBCode" @@ -3956,11 +3956,11 @@ msgstr "Markdown::toBBCode" #: mod/babel.php:83 msgid "Raw HTML input" -msgstr "" +msgstr "Raw HTML input" #: mod/babel.php:88 msgid "HTML Input" -msgstr "" +msgstr "HTML input" #: mod/babel.php:94 msgid "HTML::toBBCode" @@ -3972,7 +3972,7 @@ msgstr "HTML::toPlaintext" #: mod/babel.php:108 msgid "Source text" -msgstr "" +msgstr "Source text" #: mod/babel.php:109 msgid "BBCode" @@ -4741,7 +4741,7 @@ msgid "" "visibly displayed. The listing of an account in the node's user directory or" " the global user directory is optional and can be controlled in the user " "settings, it is not necessary for communication." -msgstr "" +msgstr "At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication." #: mod/_tos.php:53 src/Module/Tos.php:53 #, php-format @@ -4751,7 +4751,7 @@ msgid "" "to delete their account they can do so at %1$s/removeme. The deletion of the account will " "be permanent." -msgstr "" +msgstr "At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1$s/removeme. The deletion of the account will be permanent." #: mod/friendica.php:77 msgid "This is Friendica, version" @@ -4792,7 +4792,7 @@ msgstr "No installed addons/apps" #: mod/friendica.php:122 #, php-format msgid "Read about the Terms of Service of this node." -msgstr "" +msgstr "Read about the Terms of Service of this node." #: mod/friendica.php:127 msgid "On this server the following remote servers are blocked." @@ -5150,34 +5150,34 @@ msgstr "Administration" #: mod/admin.php:303 msgid "Display Terms of Service" -msgstr "" +msgstr "Display Terms of Service" #: mod/admin.php:303 msgid "" "Enable the Terms of Service page. If this is enabled a link to the terms " "will be added to the registration form and the general information page." -msgstr "" +msgstr "Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page." #: mod/admin.php:304 msgid "Display Privacy Statement" -msgstr "" +msgstr "Display Privacy Statement" #: mod/admin.php:304 #, php-format msgid "" "Show some informations regarding the needed information to operate the node " "according e.g. to EU-GDPR." -msgstr "" +msgstr "Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR." #: mod/admin.php:305 msgid "The Terms of Service" -msgstr "" +msgstr "Terms of Service" #: mod/admin.php:305 msgid "" "Enter the Terms of Service for your node here. You can use BBCode. Headers " "of sections should be [h2] and below." -msgstr "" +msgstr "Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] or lower." #: mod/admin.php:353 msgid "The blocked domain" @@ -5415,7 +5415,7 @@ msgid "" "converting the table engines. You may also use the command php " "bin/console.php dbstructure toinnodb of your Friendica installation for" " an automatic conversion.
" -msgstr "" +msgstr "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
" #: mod/admin.php:792 #, php-format @@ -5429,7 +5429,7 @@ msgid "" "The database update failed. Please run \"php bin/console.php dbstructure " "update\" from the command line and have a look at the errors that might " "appear." -msgstr "" +msgstr "The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and check for errors that may appear." #: mod/admin.php:808 msgid "The worker was never executed. Please check your database structure!" @@ -5608,7 +5608,7 @@ msgstr "Worker" #: mod/admin.php:1355 msgid "Message Relay" -msgstr "" +msgstr "Message relay" #: mod/admin.php:1356 msgid "" @@ -5774,7 +5774,7 @@ msgstr "Registration text" msgid "" "Will be displayed prominently on the registration page. You can use BBCode " "here." -msgstr "" +msgstr "Will be displayed prominently on the registration page. You may use BBCode here." #: mod/admin.php:1380 msgid "Accounts abandoned after x days" @@ -6247,7 +6247,7 @@ msgstr "Encryption layer between nodes." #: mod/admin.php:1435 msgid "Enabled" -msgstr "" +msgstr "Enabled" #: mod/admin.php:1437 msgid "Maximum number of parallel workers" @@ -6296,69 +6296,69 @@ msgstr "Worker process is triggered when backend access is performed \\x28e.g. m #: mod/admin.php:1442 msgid "Subscribe to relay" -msgstr "" +msgstr "Subscribe to relay" #: mod/admin.php:1442 msgid "" "Enables the receiving of public posts from the relay. They will be included " "in the search, subscribed tags and on the global community page." -msgstr "" +msgstr "Receive public posts from the specified relay. Post will be included in searches, subscribed tags and on the global community page." #: mod/admin.php:1443 msgid "Relay server" -msgstr "" +msgstr "Relay server" #: mod/admin.php:1443 msgid "" "Address of the relay server where public posts should be send to. For " "example https://relay.diasp.org" -msgstr "" +msgstr "Address of the relay server where public posts should be send to. For example https://relay.diasp.org" #: mod/admin.php:1444 msgid "Direct relay transfer" -msgstr "" +msgstr "Direct relay transfer" #: mod/admin.php:1444 msgid "" "Enables the direct transfer to other servers without using the relay servers" -msgstr "" +msgstr "Enables direct transfer to other servers without using a relay server." #: mod/admin.php:1445 msgid "Relay scope" -msgstr "" +msgstr "Relay scope" #: mod/admin.php:1445 msgid "" "Can be 'all' or 'tags'. 'all' means that every public post should be " "received. 'tags' means that only posts with selected tags should be " "received." -msgstr "" +msgstr "Set to 'all' or 'tags'. 'all' means receive every public post; 'tags' receive public posts only with specified tags." #: mod/admin.php:1445 msgid "all" -msgstr "" +msgstr "all" #: mod/admin.php:1445 msgid "tags" -msgstr "" +msgstr "tags" #: mod/admin.php:1446 msgid "Server tags" -msgstr "" +msgstr "Server tags" #: mod/admin.php:1446 msgid "Comma separated list of tags for the 'tags' subscription." -msgstr "" +msgstr "Comma separated tags for subscription." #: mod/admin.php:1447 msgid "Allow user tags" -msgstr "" +msgstr "Allow user tags" #: mod/admin.php:1447 msgid "" "If enabled, the tags from the saved searches will used for the 'tags' " "subscription in addition to the 'relay_server_tags'." -msgstr "" +msgstr "Use user-generated tags from saved searches for 'tags' subscription in addition to 'relay_server_tags'." #: mod/admin.php:1475 msgid "Update has been marked successful" @@ -6457,7 +6457,7 @@ msgid "" "\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" "\n" "\t\t\tThank you and welcome to %4$s." -msgstr "" +msgstr "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1$s\n\t\t\tLogin Name:\t\t%2$s\n\t\t\tPassword:\t\t%3$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n\n\t\t\tThank you and welcome to %4$s." #: mod/admin.php:1611 src/Model/User.php:649 #, php-format @@ -6783,7 +6783,7 @@ msgstr "Empty passwords are not allowed. Password unchanged." msgid "" "The new password has been exposed in a public data dump, please choose " "another." -msgstr "" +msgstr "The new password has been exposed in a public data dump; please choose another." #: mod/settings.php:400 msgid "Wrong password." @@ -6924,7 +6924,7 @@ msgid "" " field which collapse their post by default. This disables the automatic " "collapsing and sets the content warning as the post title. Doesn't affect " "any other content filtering you eventually set up." -msgstr "Users on networks like Mastodon or Pleroma can set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you set up later." +msgstr "Users on networks like Mastodon or Pleroma are able to set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you may set up." #: mod/settings.php:849 msgid "Disable intelligent shortening" @@ -7059,7 +7059,7 @@ msgstr "Suppress warning of insecure networks" msgid "" "Should the system suppress the warning that the current group contains " "members of networks that can't receive non public postings." -msgstr "Suppresses warnings if groups contains members whose networks that cannot receive non-public postings." +msgstr "Suppresses warnings if groups contains members whose networks cannot receive non-public postings." #: mod/settings.php:968 msgid "Update browser every xx seconds" @@ -7430,7 +7430,7 @@ msgstr "Language:" msgid "" "Set the language we use to show you friendica interface and to send you " "emails" -msgstr "Set the language of your Friendica interface and emails receiving" +msgstr "Set the language of your Friendica interface and emails sent to you." #: mod/settings.php:1213 msgid "Default Post Location:" @@ -7458,7 +7458,7 @@ msgstr "Default post permissions" #: mod/settings.php:1221 msgid "(click to open/close)" -msgstr "(click to open/close)" +msgstr "(reveal/hide)" #: mod/settings.php:1231 msgid "Default Private Post" @@ -8364,47 +8364,47 @@ msgstr "App.net" #: src/Content/ContactSelector.php:125 msgid "Male" -msgstr "" +msgstr "Male" #: src/Content/ContactSelector.php:125 msgid "Female" -msgstr "" +msgstr "Female" #: src/Content/ContactSelector.php:125 msgid "Currently Male" -msgstr "" +msgstr "Currently male" #: src/Content/ContactSelector.php:125 msgid "Currently Female" -msgstr "" +msgstr "Currently female" #: src/Content/ContactSelector.php:125 msgid "Mostly Male" -msgstr "" +msgstr "Mostly male" #: src/Content/ContactSelector.php:125 msgid "Mostly Female" -msgstr "" +msgstr "Mostly female" #: src/Content/ContactSelector.php:125 msgid "Transgender" -msgstr "" +msgstr "Transgender" #: src/Content/ContactSelector.php:125 msgid "Intersex" -msgstr "" +msgstr "Intersex" #: src/Content/ContactSelector.php:125 msgid "Transsexual" -msgstr "" +msgstr "Transsexual" #: src/Content/ContactSelector.php:125 msgid "Hermaphrodite" -msgstr "" +msgstr "Hermaphrodite" #: src/Content/ContactSelector.php:125 msgid "Neuter" -msgstr "" +msgstr "Neuter" #: src/Content/ContactSelector.php:125 msgid "Non-specific" @@ -9089,7 +9089,7 @@ msgid "" "\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" "\n" "\t\t\tThank you and welcome to %2$s." -msgstr "" +msgstr "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3$s\n\t\t\tLogin Name:\t\t%1$s\n\t\t\tPassword:\t\t%5$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n\n\t\t\tThank you and welcome to %2$s." #: src/Protocol/OStatus.php:1799 #, php-format diff --git a/view/lang/en-gb/strings.php b/view/lang/en-gb/strings.php index 2d27d76aa..a2c1a944f 100644 --- a/view/lang/en-gb/strings.php +++ b/view/lang/en-gb/strings.php @@ -77,7 +77,7 @@ $a->strings["Please visit %s if you wish to make any changes to this relationsh $a->strings["[Friendica System:Notify] registration request"] = "[Friendica:Notify] registration request"; $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "You've received a registration request from '%1\$s' at %2\$s."; $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "You've received a [url=%1\$s]registration request[/url] from %2\$s."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = ""; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"; $a->strings["Please visit %s to approve or reject the request."] = "Please visit %s to approve or reject the request."; $a->strings["Item not found."] = "Item not found."; $a->strings["Do you really want to delete this item?"] = "Do you really want to delete this item?"; @@ -151,7 +151,7 @@ $a->strings["Tag term:"] = "Tag term:"; $a->strings["Save to Folder:"] = "Save to folder:"; $a->strings["Where are you right now?"] = "Where are you right now?"; $a->strings["Delete item(s)?"] = "Delete item(s)?"; -$a->strings["New Post"] = ""; +$a->strings["New Post"] = "New post"; $a->strings["Share"] = "Share"; $a->strings["Upload photo"] = "Upload photo"; $a->strings["upload photo"] = "upload photo"; @@ -265,10 +265,10 @@ $a->strings["Sep"] = "Sep"; $a->strings["Oct"] = "Oct"; $a->strings["Nov"] = "Nov"; $a->strings["Dec"] = "Dec"; -$a->strings["Content warning: %s"] = ""; +$a->strings["Content warning: %s"] = "Content warning: %s"; $a->strings["View Video"] = "View video"; $a->strings["bytes"] = "bytes"; -$a->strings["Click to open/close"] = "Click to open/close"; +$a->strings["Click to open/close"] = "Reveal/hide"; $a->strings["View on separate page"] = "View on separate page"; $a->strings["view on separate page"] = "view on separate page"; $a->strings["link to source"] = "Link to source"; @@ -534,7 +534,7 @@ $a->strings["Only logged in users are permitted to perform a probing."] = "Only $a->strings["Permission denied"] = "Permission denied"; $a->strings["Invalid profile identifier."] = "Invalid profile identifier."; $a->strings["Profile Visibility Editor"] = "Profile Visibility Editor"; -$a->strings["Click on a contact to add or remove."] = "Click on a contact to add or remove."; +$a->strings["Click on a contact to add or remove."] = "Click on a contact to add or remove it."; $a->strings["Visible To"] = "Visible to"; $a->strings["All Contacts (with secure profile access)"] = "All contacts with secure profile access"; $a->strings["Account approved."] = "Account approved."; @@ -601,8 +601,8 @@ $a->strings["Item not found"] = "Item not found"; $a->strings["Edit post"] = "Edit post"; $a->strings["CC: email addresses"] = "CC: email addresses"; $a->strings["Example: bob@example.com, mary@example.com"] = "Example: bob@example.com, mary@example.com"; -$a->strings["You must be logged in to use this module"] = ""; -$a->strings["Source URL"] = ""; +$a->strings["You must be logged in to use this module"] = "You must be logged in to use this module"; +$a->strings["Source URL"] = "Source URL"; $a->strings["Friend suggestion sent."] = "Friend suggestion sent"; $a->strings["Suggest Friends"] = "Suggest friends"; $a->strings["Suggest a friend for %s"] = "Suggest a friend for %s"; @@ -735,10 +735,10 @@ $a->strings["Delete Video"] = "Delete video"; $a->strings["No videos selected"] = "No videos selected"; $a->strings["Recent Videos"] = "Recent videos"; $a->strings["Upload New Videos"] = "Upload new videos"; -$a->strings["Parent user not found."] = ""; +$a->strings["Parent user not found."] = "Parent user not found."; $a->strings["No parent user"] = "No parent user"; -$a->strings["Parent Password:"] = ""; -$a->strings["Please enter the password of the parent account to legitimize your request."] = ""; +$a->strings["Parent Password:"] = "Parent password:"; +$a->strings["Please enter the password of the parent account to legitimize your request."] = "Please enter the password of the parent account to authorise this request."; $a->strings["Parent User"] = "Parent user"; $a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Parent users have total control of this account, including core settings. Please double-check whom you grant such access."; $a->strings["Save Settings"] = "Save settings"; @@ -807,7 +807,7 @@ $a->strings["Error: PDO or MySQLi PHP module required but not installed."] = "Er $a->strings["Error: The MySQL driver for PDO is not installed."] = "Error: MySQL driver for PDO is not installed."; $a->strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; $a->strings["Error: iconv PHP module required but not installed."] = "Error: iconv PHP module required but not installed."; -$a->strings["Error: POSIX PHP module required but not installed."] = ""; +$a->strings["Error: POSIX PHP module required but not installed."] = "Error: POSIX PHP module required but not installed."; $a->strings["Error, XML PHP module required but not installed."] = "Error, XML PHP module required but not installed."; $a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so."; $a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can."; @@ -891,21 +891,21 @@ $a->strings["Results for:"] = "Results for:"; $a->strings["Site Directory"] = "Site directory"; $a->strings["Find"] = "Find"; $a->strings["No entries (some entries may be hidden)."] = "No entries (entries may be hidden)."; -$a->strings["Source input"] = ""; -$a->strings["BBCode::convert (raw HTML)"] = ""; -$a->strings["BBCode::convert"] = ""; -$a->strings["BBCode::convert => HTML::toBBCode"] = ""; +$a->strings["Source input"] = "Source input"; +$a->strings["BBCode::convert (raw HTML)"] = "BBCode::convert (raw HTML)"; +$a->strings["BBCode::convert"] = "BBCode::convert"; +$a->strings["BBCode::convert => HTML::toBBCode"] = "BBCode::convert => HTML::toBBCode"; $a->strings["BBCode::toMarkdown"] = "BBCode::toMarkdown"; $a->strings["BBCode::toMarkdown => Markdown::convert"] = "BBCode::toMarkdown => Markdown::convert"; -$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = ""; -$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = ""; -$a->strings["Source input \\x28Diaspora format\\x29"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = "BBCode::toMarkdown => Markdown::toBBCode"; +$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"; +$a->strings["Source input \\x28Diaspora format\\x29"] = "Source input \\x28Diaspora format\\x29"; $a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; -$a->strings["Raw HTML input"] = ""; -$a->strings["HTML Input"] = ""; +$a->strings["Raw HTML input"] = "Raw HTML input"; +$a->strings["HTML Input"] = "HTML input"; $a->strings["HTML::toBBCode"] = "HTML::toBBCode"; $a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; -$a->strings["Source text"] = ""; +$a->strings["Source text"] = "Source text"; $a->strings["BBCode"] = "BBCode"; $a->strings["Markdown"] = "Markdown"; $a->strings["HTML"] = "HTML"; @@ -1091,8 +1091,8 @@ $a->strings["Toggle Archive status"] = "Toggle archive status"; $a->strings["Delete contact"] = "Delete contact"; $a->strings["Terms of Service"] = "Terms of Service"; $a->strings["Privacy Statement"] = "Privacy Statement"; -$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = ""; -$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = ""; +$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = "At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."; +$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = "At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."; $a->strings["This is Friendica, version"] = "This is Friendica, version"; $a->strings["running at web location"] = "running at web location"; $a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = "Please visit Friendi.ca to learn more about the Friendica project."; @@ -1101,7 +1101,7 @@ $a->strings["the bugtracker at github"] = "the bugtracker at github"; $a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"; $a->strings["Installed addons/apps:"] = "Installed addons/apps:"; $a->strings["No installed addons/apps"] = "No installed addons/apps"; -$a->strings["Read about the Terms of Service of this node."] = ""; +$a->strings["Read about the Terms of Service of this node."] = "Read about the Terms of Service of this node."; $a->strings["On this server the following remote servers are blocked."] = "On this server the following remote servers are blocked."; $a->strings["Reason for the block"] = "Reason for the block"; $a->strings["No valid account found."] = "No valid account found."; @@ -1174,12 +1174,12 @@ $a->strings["Admin"] = "Admin"; $a->strings["Addon Features"] = "Addon features"; $a->strings["User registrations waiting for confirmation"] = "User registrations awaiting confirmation"; $a->strings["Administration"] = "Administration"; -$a->strings["Display Terms of Service"] = ""; -$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = ""; -$a->strings["Display Privacy Statement"] = ""; -$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = ""; -$a->strings["The Terms of Service"] = ""; -$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = ""; +$a->strings["Display Terms of Service"] = "Display Terms of Service"; +$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = "Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."; +$a->strings["Display Privacy Statement"] = "Display Privacy Statement"; +$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = "Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."; +$a->strings["The Terms of Service"] = "Terms of Service"; +$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = "Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] or lower."; $a->strings["The blocked domain"] = "Blocked domain"; $a->strings["The reason why you blocked this domain."] = "Reason why you blocked this domain."; $a->strings["Delete domain"] = "Delete domain"; @@ -1234,9 +1234,9 @@ $a->strings["Network"] = "Network"; $a->strings["Created"] = "Created"; $a->strings["Last Tried"] = "Last Tried"; $a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = "This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."; -$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = ""; +$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"; $a->strings["There is a new version of Friendica available for download. Your current version is %1\$s, upstream version is %2\$s"] = "A new Friendica version is available now. Your current version is %1\$s, upstream version is %2\$s"; -$a->strings["The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and have a look at the errors that might appear."] = ""; +$a->strings["The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and have a look at the errors that might appear."] = "The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and check for errors that may appear."; $a->strings["The worker was never executed. Please check your database structure!"] = "The worker process has never been executed. Please check your database structure!"; $a->strings["The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings."] = "The last worker process started at %s UTC. This is more than one hour ago. Please adjust your crontab settings."; $a->strings["Normal Account"] = "Standard account"; @@ -1280,7 +1280,7 @@ $a->strings["Policies"] = "Policies"; $a->strings["Auto Discovered Contact Directory"] = "Auto-discovered contact directory"; $a->strings["Performance"] = "Performance"; $a->strings["Worker"] = "Worker"; -$a->strings["Message Relay"] = ""; +$a->strings["Message Relay"] = "Message relay"; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Relocate - Warning, advanced function: This could make this server unreachable."; $a->strings["Site name"] = "Site name"; $a->strings["Host name"] = "Host name"; @@ -1316,7 +1316,7 @@ $a->strings["Register policy"] = "Registration policy"; $a->strings["Maximum Daily Registrations"] = "Maximum daily registrations"; $a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = "If open registration is permitted, this sets the maximum number of new registrations per day. This setting has no effect for registrations by approval."; $a->strings["Register text"] = "Registration text"; -$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = ""; +$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = "Will be displayed prominently on the registration page. You may use BBCode here."; $a->strings["Accounts abandoned after x days"] = "Accounts abandoned after so many days"; $a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Will not waste system resources polling external sites for abandoned accounts. Enter 0 for no time limit."; $a->strings["Allowed friend domains"] = "Allowed friend domains"; @@ -1413,7 +1413,7 @@ $a->strings["New base url"] = "New base URL"; $a->strings["Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."] = "Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."; $a->strings["RINO Encryption"] = "RINO Encryption"; $a->strings["Encryption layer between nodes."] = "Encryption layer between nodes."; -$a->strings["Enabled"] = ""; +$a->strings["Enabled"] = "Enabled"; $a->strings["Maximum number of parallel workers"] = "Maximum number of parallel workers"; $a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = "On shared hosts set this to 2. On larger systems, values of 10 are great. Default value is 4."; $a->strings["Don't use 'proc_open' with the worker"] = "Don't use 'proc_open' with the worker"; @@ -1422,20 +1422,20 @@ $a->strings["Enable fastlane"] = "Enable fast-lane"; $a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = "The fast-lane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."; $a->strings["Enable frontend worker"] = "Enable frontend worker"; $a->strings["When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = "Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."; -$a->strings["Subscribe to relay"] = ""; -$a->strings["Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page."] = ""; -$a->strings["Relay server"] = ""; -$a->strings["Address of the relay server where public posts should be send to. For example https://relay.diasp.org"] = ""; -$a->strings["Direct relay transfer"] = ""; -$a->strings["Enables the direct transfer to other servers without using the relay servers"] = ""; -$a->strings["Relay scope"] = ""; -$a->strings["Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."] = ""; -$a->strings["all"] = ""; -$a->strings["tags"] = ""; -$a->strings["Server tags"] = ""; -$a->strings["Comma separated list of tags for the 'tags' subscription."] = ""; -$a->strings["Allow user tags"] = ""; -$a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = ""; +$a->strings["Subscribe to relay"] = "Subscribe to relay"; +$a->strings["Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page."] = "Receive public posts from the specified relay. Post will be included in searches, subscribed tags and on the global community page."; +$a->strings["Relay server"] = "Relay server"; +$a->strings["Address of the relay server where public posts should be send to. For example https://relay.diasp.org"] = "Address of the relay server where public posts should be send to. For example https://relay.diasp.org"; +$a->strings["Direct relay transfer"] = "Direct relay transfer"; +$a->strings["Enables the direct transfer to other servers without using the relay servers"] = "Enables direct transfer to other servers without using a relay server."; +$a->strings["Relay scope"] = "Relay scope"; +$a->strings["Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."] = "Set to 'all' or 'tags'. 'all' means receive every public post; 'tags' receive public posts only with specified tags."; +$a->strings["all"] = "all"; +$a->strings["tags"] = "tags"; +$a->strings["Server tags"] = "Server tags"; +$a->strings["Comma separated list of tags for the 'tags' subscription."] = "Comma separated tags for subscription."; +$a->strings["Allow user tags"] = "Allow user tags"; +$a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = "Use user-generated tags from saved searches for 'tags' subscription in addition to 'relay_server_tags'."; $a->strings["Update has been marked successful"] = "Update has been marked successful"; $a->strings["Database structure update %s was successfully applied."] = "Database structure update %s was successfully applied."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Executing of database structure update %s failed with error: %s"; @@ -1450,7 +1450,7 @@ $a->strings["This does not include updates prior to 1139, which did not return a $a->strings["Mark success (if update was manually applied)"] = "Mark success (if update was manually applied)"; $a->strings["Attempt to execute this update step automatically"] = "Attempt to execute this update step automatically"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThe administrator of %2\$s has set up an account for you."; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."; $a->strings["Registration details for %s"] = "Registration details for %s"; $a->strings["%s user blocked/unblocked"] = [ 0 => "%s user blocked/unblocked", @@ -1528,7 +1528,7 @@ $a->strings["Features updated"] = "Features updated"; $a->strings["Relocate message has been send to your contacts"] = "Relocate message has been send to your contacts"; $a->strings["Passwords do not match. Password unchanged."] = "Passwords do not match. Password unchanged."; $a->strings["Empty passwords are not allowed. Password unchanged."] = "Empty passwords are not allowed. Password unchanged."; -$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = "The new password has been exposed in a public data dump; please choose another."; $a->strings["Wrong password."] = "Wrong password."; $a->strings["Password changed."] = "Password changed."; $a->strings["Password update failed. Please try again."] = "Password update failed. Please try again."; @@ -1562,7 +1562,7 @@ $a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; $a->strings["Email access is disabled on this site."] = "Email access is disabled on this site."; $a->strings["General Social Media Settings"] = "General Social Media Settings"; $a->strings["Disable Content Warning"] = "Disable Content Warning"; -$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = "Users on networks like Mastodon or Pleroma can set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you set up later."; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = "Users on networks like Mastodon or Pleroma are able to set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you may set up."; $a->strings["Disable intelligent shortening"] = "Disable intelligent shortening"; $a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = "Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original Friendica post."; $a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = "Automatically follow any GNU Social (OStatus) followers/mentioners"; @@ -1592,7 +1592,7 @@ $a->strings["Display Settings"] = "Display Settings"; $a->strings["Display Theme:"] = "Display theme:"; $a->strings["Mobile Theme:"] = "Mobile theme:"; $a->strings["Suppress warning of insecure networks"] = "Suppress warning of insecure networks"; -$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = "Suppresses warnings if groups contains members whose networks that cannot receive non-public postings."; +$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = "Suppresses warnings if groups contains members whose networks cannot receive non-public postings."; $a->strings["Update browser every xx seconds"] = "Update browser every so many seconds:"; $a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = "Minimum 10 seconds; to disable -1."; $a->strings["Number of items to display per page:"] = "Number of items displayed per page:"; @@ -1675,14 +1675,14 @@ $a->strings["Full Name:"] = "Full name:"; $a->strings["Email Address:"] = "Email address:"; $a->strings["Your Timezone:"] = "Time zone:"; $a->strings["Your Language:"] = "Language:"; -$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Set the language of your Friendica interface and emails receiving"; +$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Set the language of your Friendica interface and emails sent to you."; $a->strings["Default Post Location:"] = "Posting location:"; $a->strings["Use Browser Location:"] = "Use browser location:"; $a->strings["Security and Privacy Settings"] = "Security and privacy"; $a->strings["Maximum Friend Requests/Day:"] = "Maximum friend requests per day:"; $a->strings["(to prevent spam abuse)"] = "May prevent spam or abuse registrations"; $a->strings["Default Post Permissions"] = "Default post permissions"; -$a->strings["(click to open/close)"] = "(click to open/close)"; +$a->strings["(click to open/close)"] = "(reveal/hide)"; $a->strings["Default Private Post"] = "Default private post"; $a->strings["Default Public Post"] = "Default public post"; $a->strings["Default Permissions for New Posts"] = "Default permissions for new posts"; @@ -1909,17 +1909,17 @@ $a->strings["Diaspora Connector"] = "Diaspora Connector"; $a->strings["GNU Social Connector"] = "GNU Social Connector"; $a->strings["pnut"] = "pnut"; $a->strings["App.net"] = "App.net"; -$a->strings["Male"] = ""; -$a->strings["Female"] = ""; -$a->strings["Currently Male"] = ""; -$a->strings["Currently Female"] = ""; -$a->strings["Mostly Male"] = ""; -$a->strings["Mostly Female"] = ""; -$a->strings["Transgender"] = ""; -$a->strings["Intersex"] = ""; -$a->strings["Transsexual"] = ""; -$a->strings["Hermaphrodite"] = ""; -$a->strings["Neuter"] = ""; +$a->strings["Male"] = "Male"; +$a->strings["Female"] = "Female"; +$a->strings["Currently Male"] = "Currently male"; +$a->strings["Currently Female"] = "Currently female"; +$a->strings["Mostly Male"] = "Mostly male"; +$a->strings["Mostly Female"] = "Mostly female"; +$a->strings["Transgender"] = "Transgender"; +$a->strings["Intersex"] = "Intersex"; +$a->strings["Transsexual"] = "Transsexual"; +$a->strings["Hermaphrodite"] = "Hermaphrodite"; +$a->strings["Neuter"] = "Neuter"; $a->strings["Non-specific"] = "Non-specific"; $a->strings["Other"] = "Other"; $a->strings["Males"] = "Males"; @@ -2071,7 +2071,7 @@ $a->strings["An error occurred creating your default contact group. Please try a $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"; $a->strings["Registration at %s"] = "Registration at %s"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."; $a->strings["%s is now following %s."] = "%s is now following %s."; $a->strings["following"] = "following"; $a->strings["%s stopped following %s."] = "%s stopped following %s."; diff --git a/view/lang/en-us/messages.po b/view/lang/en-us/messages.po index 6cc32ab2f..cf4d54a57 100644 --- a/view/lang/en-us/messages.po +++ b/view/lang/en-us/messages.po @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-03-05 16:37+0100\n" -"PO-Revision-Date: 2018-03-06 04:03+0000\n" +"POT-Creation-Date: 2018-04-06 16:58+0200\n" +"PO-Revision-Date: 2018-04-09 14:05+0000\n" "Last-Translator: Andy H3 \n" "Language-Team: English (United States) (http://www.transifex.com/Friendica/friendica/language/en_US/)\n" "MIME-Version: 1.0\n" @@ -36,254 +36,288 @@ msgid "" "form has been opened for too long (>3 hours) before submitting it." msgstr "The form security token was incorrect. This probably happened because the form has not been submitted within 3 hours." -#: include/enotify.php:33 +#: include/dba.php:57 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Cannot locate DNS info for database server '%s'" + +#: include/api.php:1199 +#, php-format +msgid "Daily posting limit of %d post reached. The post was rejected." +msgid_plural "Daily posting limit of %d posts reached. The post was rejected." +msgstr[0] "Daily posting limit of %d post are reached. The post was rejected." +msgstr[1] "Daily posting limit of %d posts are reached. This post was rejected." + +#: include/api.php:1223 +#, php-format +msgid "Weekly posting limit of %d post reached. The post was rejected." +msgid_plural "" +"Weekly posting limit of %d posts reached. The post was rejected." +msgstr[0] "Weekly posting limit of %d post are reached. The post was rejected." +msgstr[1] "Weekly posting limit of %d posts are reached. This post was rejected." + +#: include/api.php:1247 +#, php-format +msgid "Monthly posting limit of %d post reached. The post was rejected." +msgstr "Monthly posting limit of %d posts are reached. This post was rejected." + +#: include/api.php:4400 mod/photos.php:88 mod/photos.php:194 +#: mod/photos.php:722 mod/photos.php:1149 mod/photos.php:1166 +#: mod/photos.php:1684 mod/profile_photo.php:85 mod/profile_photo.php:93 +#: mod/profile_photo.php:101 mod/profile_photo.php:211 +#: mod/profile_photo.php:302 mod/profile_photo.php:312 src/Model/User.php:539 +#: src/Model/User.php:547 src/Model/User.php:555 +msgid "Profile Photos" +msgstr "Profile photos" + +#: include/enotify.php:31 msgid "Friendica Notification" msgstr "Friendica notification" -#: include/enotify.php:36 +#: include/enotify.php:34 msgid "Thank You," msgstr "Thank you" -#: include/enotify.php:39 +#: include/enotify.php:37 #, php-format msgid "%s Administrator" msgstr "%s Administrator" -#: include/enotify.php:41 +#: include/enotify.php:39 #, php-format msgid "%1$s, %2$s Administrator" msgstr "%1$s, %2$s Administrator" -#: include/enotify.php:52 src/Worker/Delivery.php:403 +#: include/enotify.php:50 src/Worker/Delivery.php:404 msgid "noreply" msgstr "noreply" -#: include/enotify.php:100 +#: include/enotify.php:98 #, php-format msgid "[Friendica:Notify] New mail received at %s" msgstr "[Friendica:Notify] New mail received at %s" -#: include/enotify.php:102 +#: include/enotify.php:100 #, php-format msgid "%1$s sent you a new private message at %2$s." msgstr "%1$s sent you a new private message at %2$s." -#: include/enotify.php:103 +#: include/enotify.php:101 msgid "a private message" msgstr "a private message" -#: include/enotify.php:103 +#: include/enotify.php:101 #, php-format msgid "%1$s sent you %2$s." msgstr "%1$s sent you %2$s." -#: include/enotify.php:105 +#: include/enotify.php:103 #, php-format msgid "Please visit %s to view and/or reply to your private messages." msgstr "Please visit %s to view or reply to your private messages." -#: include/enotify.php:143 +#: include/enotify.php:141 #, php-format msgid "%1$s commented on [url=%2$s]a %3$s[/url]" msgstr "%1$s commented on [url=%2$s]a %3$s[/url]" -#: include/enotify.php:151 +#: include/enotify.php:149 #, php-format msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" msgstr "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -#: include/enotify.php:161 +#: include/enotify.php:159 #, php-format msgid "%1$s commented on [url=%2$s]your %3$s[/url]" msgstr "%1$s commented on [url=%2$s]your %3$s[/url]" -#: include/enotify.php:173 +#: include/enotify.php:171 #, php-format msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" msgstr "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -#: include/enotify.php:175 +#: include/enotify.php:173 #, php-format msgid "%s commented on an item/conversation you have been following." msgstr "%s commented on an item/conversation you have been following." -#: include/enotify.php:178 include/enotify.php:193 include/enotify.php:208 -#: include/enotify.php:223 include/enotify.php:242 include/enotify.php:257 +#: include/enotify.php:176 include/enotify.php:191 include/enotify.php:206 +#: include/enotify.php:221 include/enotify.php:240 include/enotify.php:255 #, php-format msgid "Please visit %s to view and/or reply to the conversation." msgstr "Please visit %s to view or reply to the conversation." -#: include/enotify.php:185 +#: include/enotify.php:183 #, php-format msgid "[Friendica:Notify] %s posted to your profile wall" msgstr "[Friendica:Notify] %s posted to your profile wall" -#: include/enotify.php:187 +#: include/enotify.php:185 #, php-format msgid "%1$s posted to your profile wall at %2$s" msgstr "%1$s posted to your profile wall at %2$s" -#: include/enotify.php:188 +#: include/enotify.php:186 #, php-format msgid "%1$s posted to [url=%2$s]your wall[/url]" msgstr "%1$s posted to [url=%2$s]your wall[/url]" -#: include/enotify.php:200 +#: include/enotify.php:198 #, php-format msgid "[Friendica:Notify] %s tagged you" msgstr "[Friendica:Notify] %s tagged you" -#: include/enotify.php:202 +#: include/enotify.php:200 #, php-format msgid "%1$s tagged you at %2$s" msgstr "%1$s tagged you at %2$s" -#: include/enotify.php:203 +#: include/enotify.php:201 #, php-format msgid "%1$s [url=%2$s]tagged you[/url]." msgstr "%1$s [url=%2$s]tagged you[/url]." -#: include/enotify.php:215 +#: include/enotify.php:213 #, php-format msgid "[Friendica:Notify] %s shared a new post" msgstr "[Friendica:Notify] %s shared a new post" -#: include/enotify.php:217 +#: include/enotify.php:215 #, php-format msgid "%1$s shared a new post at %2$s" msgstr "%1$s shared a new post at %2$s" -#: include/enotify.php:218 +#: include/enotify.php:216 #, php-format msgid "%1$s [url=%2$s]shared a post[/url]." msgstr "%1$s [url=%2$s]shared a post[/url]." -#: include/enotify.php:230 +#: include/enotify.php:228 #, php-format msgid "[Friendica:Notify] %1$s poked you" msgstr "[Friendica:Notify] %1$s poked you" -#: include/enotify.php:232 +#: include/enotify.php:230 #, php-format msgid "%1$s poked you at %2$s" msgstr "%1$s poked you at %2$s" -#: include/enotify.php:233 +#: include/enotify.php:231 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." msgstr "%1$s [url=%2$s]poked you[/url]." -#: include/enotify.php:249 +#: include/enotify.php:247 #, php-format msgid "[Friendica:Notify] %s tagged your post" msgstr "[Friendica:Notify] %s tagged your post" -#: include/enotify.php:251 +#: include/enotify.php:249 #, php-format msgid "%1$s tagged your post at %2$s" msgstr "%1$s tagged your post at %2$s" -#: include/enotify.php:252 +#: include/enotify.php:250 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" msgstr "%1$s tagged [url=%2$s]your post[/url]" -#: include/enotify.php:264 +#: include/enotify.php:262 msgid "[Friendica:Notify] Introduction received" msgstr "[Friendica:Notify] Introduction received" -#: include/enotify.php:266 +#: include/enotify.php:264 #, php-format msgid "You've received an introduction from '%1$s' at %2$s" msgstr "You've received an introduction from '%1$s' at %2$s" -#: include/enotify.php:267 +#: include/enotify.php:265 #, php-format msgid "You've received [url=%1$s]an introduction[/url] from %2$s." msgstr "You've received [url=%1$s]an introduction[/url] from %2$s." -#: include/enotify.php:272 include/enotify.php:318 +#: include/enotify.php:270 include/enotify.php:316 #, php-format msgid "You may visit their profile at %s" msgstr "You may visit their profile at %s" -#: include/enotify.php:274 +#: include/enotify.php:272 #, php-format msgid "Please visit %s to approve or reject the introduction." msgstr "Please visit %s to approve or reject the introduction." -#: include/enotify.php:282 +#: include/enotify.php:280 msgid "[Friendica:Notify] A new person is sharing with you" msgstr "[Friendica:Notify] A new person is sharing with you" -#: include/enotify.php:284 include/enotify.php:285 +#: include/enotify.php:282 include/enotify.php:283 #, php-format msgid "%1$s is sharing with you at %2$s" msgstr "%1$s is sharing with you at %2$s" -#: include/enotify.php:292 +#: include/enotify.php:290 msgid "[Friendica:Notify] You have a new follower" msgstr "[Friendica:Notify] You have a new follower" -#: include/enotify.php:294 include/enotify.php:295 +#: include/enotify.php:292 include/enotify.php:293 #, php-format msgid "You have a new follower at %2$s : %1$s" msgstr "You have a new follower at %2$s : %1$s" -#: include/enotify.php:307 +#: include/enotify.php:305 msgid "[Friendica:Notify] Friend suggestion received" msgstr "[Friendica:Notify] Friend suggestion received" -#: include/enotify.php:309 +#: include/enotify.php:307 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" msgstr "You've received a friend suggestion from '%1$s' at %2$s" -#: include/enotify.php:310 +#: include/enotify.php:308 #, php-format msgid "" "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." msgstr "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -#: include/enotify.php:316 +#: include/enotify.php:314 msgid "Name:" msgstr "Name:" -#: include/enotify.php:317 +#: include/enotify.php:315 msgid "Photo:" msgstr "Photo:" -#: include/enotify.php:320 +#: include/enotify.php:318 #, php-format msgid "Please visit %s to approve or reject the suggestion." msgstr "Please visit %s to approve or reject the suggestion." -#: include/enotify.php:328 include/enotify.php:343 +#: include/enotify.php:326 include/enotify.php:341 msgid "[Friendica:Notify] Connection accepted" msgstr "[Friendica:Notify] Connection accepted" -#: include/enotify.php:330 include/enotify.php:345 +#: include/enotify.php:328 include/enotify.php:343 #, php-format msgid "'%1$s' has accepted your connection request at %2$s" msgstr "'%1$s' has accepted your connection request at %2$s" -#: include/enotify.php:331 include/enotify.php:346 +#: include/enotify.php:329 include/enotify.php:344 #, php-format msgid "%2$s has accepted your [url=%1$s]connection request[/url]." msgstr "%2$s has accepted your [url=%1$s]connection request[/url]." -#: include/enotify.php:336 +#: include/enotify.php:334 msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." msgstr "You are now mutual friends and may exchange status updates, photos, and email without restriction." -#: include/enotify.php:338 +#: include/enotify.php:336 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Please visit %s if you wish to make any changes to this relationship." -#: include/enotify.php:351 +#: include/enotify.php:349 #, php-format msgid "" "'%1$s' has chosen to accept you a fan, which restricts some forms of " @@ -292,291 +326,45 @@ msgid "" "automatically." msgstr "'%1$s' has chosen to accept you as fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically." -#: include/enotify.php:353 +#: include/enotify.php:351 #, php-format msgid "" "'%1$s' may choose to extend this into a two-way or more permissive " "relationship in the future." msgstr "'%1$s' may choose to extend this into a two-way or more permissive relationship in the future." -#: include/enotify.php:355 +#: include/enotify.php:353 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "Please visit %s if you wish to make any changes to this relationship." -#: include/enotify.php:365 +#: include/enotify.php:363 msgid "[Friendica System:Notify] registration request" msgstr "[Friendica:Notify] registration request" -#: include/enotify.php:367 +#: include/enotify.php:365 #, php-format msgid "You've received a registration request from '%1$s' at %2$s" msgstr "You've received a registration request from '%1$s' at %2$s." -#: include/enotify.php:368 +#: include/enotify.php:366 #, php-format msgid "You've received a [url=%1$s]registration request[/url] from %2$s." msgstr "You've received a [url=%1$s]registration request[/url] from %2$s." -#: include/enotify.php:373 +#: include/enotify.php:371 #, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s(" -msgstr "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s(" +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -#: include/enotify.php:379 +#: include/enotify.php:377 #, php-format msgid "Please visit %s to approve or reject the request." msgstr "Please visit %s to approve or reject the request." -#: include/event.php:26 include/event.php:914 include/bb2diaspora.php:238 -#: mod/localtime.php:19 -msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" - -#: include/event.php:45 include/event.php:62 include/event.php:471 -#: include/event.php:992 include/bb2diaspora.php:245 -msgid "Starts:" -msgstr "Starts:" - -#: include/event.php:48 include/event.php:68 include/event.php:472 -#: include/event.php:996 include/bb2diaspora.php:251 -msgid "Finishes:" -msgstr "Finishes:" - -#: include/event.php:52 include/event.php:77 include/event.php:473 -#: include/event.php:1010 include/bb2diaspora.php:258 -#: mod/notifications.php:247 mod/contacts.php:651 mod/directory.php:149 -#: mod/events.php:521 src/Model/Profile.php:417 -msgid "Location:" -msgstr "Location:" - -#: include/event.php:420 -msgid "all-day" -msgstr "All-day" - -#: include/event.php:422 include/text.php:1111 -msgid "Sun" -msgstr "Sun" - -#: include/event.php:423 include/text.php:1111 -msgid "Mon" -msgstr "Mon" - -#: include/event.php:424 include/text.php:1111 -msgid "Tue" -msgstr "Tue" - -#: include/event.php:425 include/text.php:1111 -msgid "Wed" -msgstr "Wed" - -#: include/event.php:426 include/text.php:1111 -msgid "Thu" -msgstr "Thu" - -#: include/event.php:427 include/text.php:1111 -msgid "Fri" -msgstr "Fri" - -#: include/event.php:428 include/text.php:1111 -msgid "Sat" -msgstr "Sat" - -#: include/event.php:430 include/text.php:1093 mod/settings.php:945 -msgid "Sunday" -msgstr "Sunday" - -#: include/event.php:431 include/text.php:1093 mod/settings.php:945 -msgid "Monday" -msgstr "Monday" - -#: include/event.php:432 include/text.php:1093 -msgid "Tuesday" -msgstr "Tuesday" - -#: include/event.php:433 include/text.php:1093 -msgid "Wednesday" -msgstr "Wednesday" - -#: include/event.php:434 include/text.php:1093 -msgid "Thursday" -msgstr "Thursday" - -#: include/event.php:435 include/text.php:1093 -msgid "Friday" -msgstr "Friday" - -#: include/event.php:436 include/text.php:1093 -msgid "Saturday" -msgstr "Saturday" - -#: include/event.php:438 include/text.php:1114 -msgid "Jan" -msgstr "Jan" - -#: include/event.php:439 include/text.php:1114 -msgid "Feb" -msgstr "Feb" - -#: include/event.php:440 include/text.php:1114 -msgid "Mar" -msgstr "Mar" - -#: include/event.php:441 include/text.php:1114 -msgid "Apr" -msgstr "Apr" - -#: include/event.php:442 include/event.php:455 include/text.php:1097 -#: include/text.php:1114 -msgid "May" -msgstr "May" - -#: include/event.php:443 -msgid "Jun" -msgstr "Jun" - -#: include/event.php:444 include/text.php:1114 -msgid "Jul" -msgstr "Jul" - -#: include/event.php:445 include/text.php:1114 -msgid "Aug" -msgstr "Aug" - -#: include/event.php:446 -msgid "Sept" -msgstr "Sep" - -#: include/event.php:447 include/text.php:1114 -msgid "Oct" -msgstr "Oct" - -#: include/event.php:448 include/text.php:1114 -msgid "Nov" -msgstr "Nov" - -#: include/event.php:449 include/text.php:1114 -msgid "Dec" -msgstr "Dec" - -#: include/event.php:451 include/text.php:1097 -msgid "January" -msgstr "January" - -#: include/event.php:452 include/text.php:1097 -msgid "February" -msgstr "February" - -#: include/event.php:453 include/text.php:1097 -msgid "March" -msgstr "March" - -#: include/event.php:454 include/text.php:1097 -msgid "April" -msgstr "April" - -#: include/event.php:456 include/text.php:1097 -msgid "June" -msgstr "June" - -#: include/event.php:457 include/text.php:1097 -msgid "July" -msgstr "July" - -#: include/event.php:458 include/text.php:1097 -msgid "August" -msgstr "August" - -#: include/event.php:459 include/text.php:1097 -msgid "September" -msgstr "September" - -#: include/event.php:460 include/text.php:1097 -msgid "October" -msgstr "October" - -#: include/event.php:461 include/text.php:1097 -msgid "November" -msgstr "November" - -#: include/event.php:462 include/text.php:1097 -msgid "December" -msgstr "December" - -#: include/event.php:464 mod/cal.php:280 mod/events.php:401 -msgid "today" -msgstr "today" - -#: include/event.php:465 mod/cal.php:281 mod/events.php:402 -#: src/Util/Temporal.php:304 -msgid "month" -msgstr "month" - -#: include/event.php:466 mod/cal.php:282 mod/events.php:403 -#: src/Util/Temporal.php:305 -msgid "week" -msgstr "week" - -#: include/event.php:467 mod/cal.php:283 mod/events.php:404 -#: src/Util/Temporal.php:306 -msgid "day" -msgstr "day" - -#: include/event.php:469 -msgid "No events to display" -msgstr "No events to display" - -#: include/event.php:583 -msgid "l, F j" -msgstr "l, F j" - -#: include/event.php:607 -msgid "Edit event" -msgstr "Edit event" - -#: include/event.php:608 -msgid "Duplicate event" -msgstr "Duplicate event" - -#: include/event.php:609 -msgid "Delete event" -msgstr "Delete event" - -#: include/event.php:636 include/text.php:1508 include/text.php:1515 -msgid "link to source" -msgstr "Link to source" - -#: include/event.php:896 -msgid "Export" -msgstr "Export" - -#: include/event.php:897 -msgid "Export calendar as ical" -msgstr "Export calendar as ical" - -#: include/event.php:898 -msgid "Export calendar as csv" -msgstr "Export calendar as csv" - -#: include/event.php:915 -msgid "D g:i A" -msgstr "D g:i A" - -#: include/event.php:916 -msgid "g:i A" -msgstr "g:i A" - -#: include/event.php:1011 include/event.php:1013 -msgid "Show map" -msgstr "Show map" - -#: include/event.php:1012 -msgid "Hide map" -msgstr "Hide map" - #: include/items.php:342 mod/notice.php:22 mod/viewsrc.php:21 -#: mod/admin.php:269 mod/admin.php:1762 mod/admin.php:2010 mod/display.php:70 -#: mod/display.php:247 mod/display.php:349 +#: mod/display.php:72 mod/display.php:252 mod/display.php:354 +#: mod/admin.php:276 mod/admin.php:1854 mod/admin.php:2102 msgid "Item not found." msgstr "Item not found." @@ -585,44 +373,44 @@ msgid "Do you really want to delete this item?" msgstr "Do you really want to delete this item?" #: include/items.php:384 mod/api.php:110 mod/suggest.php:38 -#: mod/profiles.php:649 mod/profiles.php:652 mod/profiles.php:674 -#: mod/contacts.php:464 mod/dfrn_request.php:653 mod/follow.php:148 -#: mod/register.php:237 mod/message.php:138 mod/settings.php:1109 -#: mod/settings.php:1115 mod/settings.php:1122 mod/settings.php:1126 -#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 -#: mod/settings.php:1142 mod/settings.php:1162 mod/settings.php:1163 -#: mod/settings.php:1164 mod/settings.php:1165 mod/settings.php:1166 +#: mod/dfrn_request.php:653 mod/message.php:138 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:639 mod/profiles.php:661 +#: mod/contacts.php:472 mod/register.php:237 mod/settings.php:1105 +#: mod/settings.php:1111 mod/settings.php:1118 mod/settings.php:1122 +#: mod/settings.php:1126 mod/settings.php:1130 mod/settings.php:1134 +#: mod/settings.php:1138 mod/settings.php:1158 mod/settings.php:1159 +#: mod/settings.php:1160 mod/settings.php:1161 mod/settings.php:1162 msgid "Yes" msgstr "Yes" -#: include/items.php:387 include/conversation.php:1373 mod/fbrowser.php:103 -#: mod/fbrowser.php:134 mod/suggest.php:41 mod/unfollow.php:117 -#: mod/contacts.php:467 mod/dfrn_request.php:663 mod/follow.php:159 -#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:151 mod/message.php:141 -#: mod/photos.php:248 mod/photos.php:324 mod/settings.php:680 -#: mod/settings.php:706 mod/videos.php:148 +#: include/items.php:387 include/conversation.php:1378 mod/fbrowser.php:103 +#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 +#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 +#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 +#: mod/unfollow.php:117 mod/follow.php:161 mod/contacts.php:475 +#: mod/settings.php:676 mod/settings.php:702 msgid "Cancel" msgstr "Cancel" #: include/items.php:401 mod/allfriends.php:21 mod/api.php:35 mod/api.php:40 #: mod/attach.php:38 mod/common.php:26 mod/crepair.php:98 mod/nogroup.php:28 -#: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/unfollow.php:15 -#: mod/unfollow.php:57 mod/unfollow.php:90 mod/uimport.php:28 -#: mod/dirfind.php:24 mod/notifications.php:73 mod/ostatus_subscribe.php:16 -#: mod/cal.php:304 mod/dfrn_confirm.php:68 mod/invite.php:20 -#: mod/invite.php:106 mod/manage.php:131 mod/profiles.php:181 -#: mod/profiles.php:619 mod/wall_attach.php:74 mod/wall_attach.php:77 -#: mod/contacts.php:378 mod/delegate.php:24 mod/delegate.php:38 -#: mod/follow.php:16 mod/follow.php:53 mod/follow.php:116 mod/poke.php:150 -#: mod/profile_photo.php:29 mod/profile_photo.php:188 -#: mod/profile_photo.php:199 mod/profile_photo.php:212 mod/regmod.php:108 -#: mod/viewcontacts.php:57 mod/wall_upload.php:103 mod/wall_upload.php:106 +#: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/uimport.php:28 +#: mod/notifications.php:73 mod/dfrn_confirm.php:68 mod/invite.php:20 +#: mod/invite.php:106 mod/wall_attach.php:74 mod/wall_attach.php:77 +#: mod/manage.php:131 mod/regmod.php:108 mod/viewcontacts.php:57 #: mod/wallmessage.php:16 mod/wallmessage.php:40 mod/wallmessage.php:79 -#: mod/wallmessage.php:103 mod/item.php:160 mod/register.php:53 -#: mod/editpost.php:20 mod/events.php:195 mod/fsuggest.php:81 mod/group.php:26 -#: mod/message.php:59 mod/message.php:104 mod/network.php:32 mod/notes.php:30 -#: mod/photos.php:174 mod/photos.php:1051 mod/settings.php:41 -#: mod/settings.php:140 mod/settings.php:669 index.php:413 +#: mod/wallmessage.php:103 mod/poke.php:150 mod/wall_upload.php:103 +#: mod/wall_upload.php:106 mod/editpost.php:18 mod/fsuggest.php:80 +#: mod/group.php:26 mod/item.php:160 mod/message.php:59 mod/message.php:104 +#: mod/network.php:32 mod/notes.php:30 mod/photos.php:174 mod/photos.php:1051 +#: mod/delegate.php:25 mod/delegate.php:43 mod/delegate.php:54 +#: mod/dirfind.php:25 mod/ostatus_subscribe.php:16 mod/unfollow.php:15 +#: mod/unfollow.php:57 mod/unfollow.php:90 mod/cal.php:304 mod/events.php:194 +#: mod/profile_photo.php:30 mod/profile_photo.php:176 +#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/follow.php:17 +#: mod/follow.php:54 mod/follow.php:118 mod/profiles.php:182 +#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 +#: mod/settings.php:42 mod/settings.php:141 mod/settings.php:665 index.php:416 msgid "Permission denied." msgstr "Permission denied." @@ -630,12 +418,452 @@ msgstr "Permission denied." msgid "Archives" msgstr "Archives" -#: include/items.php:477 view/theme/vier/theme.php:259 -#: src/Content/ForumManager.php:130 src/Content/Widget.php:312 -#: src/Object/Post.php:422 src/App.php:514 +#: include/items.php:477 src/Content/ForumManager.php:130 +#: src/Content/Widget.php:312 src/Object/Post.php:430 src/App.php:512 +#: view/theme/vier/theme.php:259 msgid "show more" msgstr "Show more..." +#: include/conversation.php:144 include/conversation.php:282 +#: include/text.php:1774 src/Model/Item.php:1795 +msgid "event" +msgstr "event" + +#: include/conversation.php:147 include/conversation.php:157 +#: include/conversation.php:285 include/conversation.php:294 +#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 +#: src/Protocol/Diaspora.php:2010 +msgid "status" +msgstr "status" + +#: include/conversation.php:152 include/conversation.php:290 +#: include/text.php:1776 mod/subthread.php:97 mod/tagger.php:72 +#: src/Model/Item.php:1793 +msgid "photo" +msgstr "photo" + +#: include/conversation.php:164 src/Model/Item.php:1666 +#: src/Protocol/Diaspora.php:2006 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s likes %2$s's %3$s" + +#: include/conversation.php:167 src/Model/Item.php:1671 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s doesn't like %2$s's %3$s" + +#: include/conversation.php:170 +#, php-format +msgid "%1$s attends %2$s's %3$s" +msgstr "%1$s goes to %2$s's %3$s" + +#: include/conversation.php:173 +#, php-format +msgid "%1$s doesn't attend %2$s's %3$s" +msgstr "%1$s doesn't go %2$s's %3$s" + +#: include/conversation.php:176 +#, php-format +msgid "%1$s attends maybe %2$s's %3$s" +msgstr "%1$s might go to %2$s's %3$s" + +#: include/conversation.php:209 mod/dfrn_confirm.php:431 +#: src/Protocol/Diaspora.php:2481 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s is now friends with %2$s" + +#: include/conversation.php:250 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s poked %2$s" + +#: include/conversation.php:304 mod/tagger.php:110 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s tagged %2$s's %3$s with %4$s" + +#: include/conversation.php:331 +msgid "post/item" +msgstr "Post/Item" + +#: include/conversation.php:332 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s marked %2$s's %3$s as favorite" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 +msgid "Likes" +msgstr "Likes" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 +msgid "Dislikes" +msgstr "Dislikes" + +#: include/conversation.php:606 include/conversation.php:1687 +#: mod/photos.php:1502 +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "Attending" +msgstr[1] "Attending" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Not attending" +msgstr "Not attending" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Might attend" +msgstr "Might attend" + +#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 +msgid "Select" +msgstr "Select" + +#: include/conversation.php:745 mod/photos.php:1570 mod/contacts.php:830 +#: mod/contacts.php:1035 mod/admin.php:1798 mod/settings.php:738 +#: src/Object/Post.php:179 +msgid "Delete" +msgstr "Delete" + +#: include/conversation.php:783 src/Object/Post.php:363 +#: src/Object/Post.php:364 +#, php-format +msgid "View %s's profile @ %s" +msgstr "View %s's profile @ %s" + +#: include/conversation.php:795 src/Object/Post.php:351 +msgid "Categories:" +msgstr "Categories:" + +#: include/conversation.php:796 src/Object/Post.php:352 +msgid "Filed under:" +msgstr "Filed under:" + +#: include/conversation.php:803 src/Object/Post.php:377 +#, php-format +msgid "%s from %s" +msgstr "%s from %s" + +#: include/conversation.php:818 +msgid "View in context" +msgstr "View in context" + +#: include/conversation.php:820 include/conversation.php:1360 +#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 +#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:402 +msgid "Please wait" +msgstr "Please wait" + +#: include/conversation.php:891 +msgid "remove" +msgstr "Remove" + +#: include/conversation.php:895 +msgid "Delete Selected Items" +msgstr "Delete selected items" + +#: include/conversation.php:1065 view/theme/frio/theme.php:352 +msgid "Follow Thread" +msgstr "Follow thread" + +#: include/conversation.php:1066 src/Model/Contact.php:640 +msgid "View Status" +msgstr "View status" + +#: include/conversation.php:1067 include/conversation.php:1083 +#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 +#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 +#: src/Model/Contact.php:593 src/Model/Contact.php:641 +msgid "View Profile" +msgstr "View profile" + +#: include/conversation.php:1068 src/Model/Contact.php:642 +msgid "View Photos" +msgstr "View photos" + +#: include/conversation.php:1069 src/Model/Contact.php:643 +msgid "Network Posts" +msgstr "Network posts" + +#: include/conversation.php:1070 src/Model/Contact.php:644 +msgid "View Contact" +msgstr "View contact" + +#: include/conversation.php:1071 src/Model/Contact.php:646 +msgid "Send PM" +msgstr "Send PM" + +#: include/conversation.php:1075 src/Model/Contact.php:647 +msgid "Poke" +msgstr "Poke" + +#: include/conversation.php:1080 mod/allfriends.php:74 mod/suggest.php:83 +#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 +#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 +msgid "Connect/Follow" +msgstr "Connect/Follow" + +#: include/conversation.php:1199 +#, php-format +msgid "%s likes this." +msgstr "%s likes this." + +#: include/conversation.php:1202 +#, php-format +msgid "%s doesn't like this." +msgstr "%s doesn't like this." + +#: include/conversation.php:1205 +#, php-format +msgid "%s attends." +msgstr "%s attends." + +#: include/conversation.php:1208 +#, php-format +msgid "%s doesn't attend." +msgstr "%s doesn't attend." + +#: include/conversation.php:1211 +#, php-format +msgid "%s attends maybe." +msgstr "%s may attend." + +#: include/conversation.php:1222 +msgid "and" +msgstr "and" + +#: include/conversation.php:1228 +#, php-format +msgid "and %d other people" +msgstr "and %d other people" + +#: include/conversation.php:1237 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d people like this" + +#: include/conversation.php:1238 +#, php-format +msgid "%s like this." +msgstr "%s like this." + +#: include/conversation.php:1241 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d people don't like this" + +#: include/conversation.php:1242 +#, php-format +msgid "%s don't like this." +msgstr "%s don't like this." + +#: include/conversation.php:1245 +#, php-format +msgid "%2$d people attend" +msgstr "%2$d people attend" + +#: include/conversation.php:1246 +#, php-format +msgid "%s attend." +msgstr "%s attend." + +#: include/conversation.php:1249 +#, php-format +msgid "%2$d people don't attend" +msgstr "%2$d people don't attend" + +#: include/conversation.php:1250 +#, php-format +msgid "%s don't attend." +msgstr "%s don't attend." + +#: include/conversation.php:1253 +#, php-format +msgid "%2$d people attend maybe" +msgstr "%2$d people attend maybe" + +#: include/conversation.php:1254 +#, php-format +msgid "%s attend maybe." +msgstr "%s may be attending." + +#: include/conversation.php:1284 include/conversation.php:1300 +msgid "Visible to everybody" +msgstr "Visible to everybody" + +#: include/conversation.php:1285 include/conversation.php:1301 +#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 +#: mod/message.php:207 mod/message.php:343 mod/message.php:350 +msgid "Please enter a link URL:" +msgstr "Please enter a link URL:" + +#: include/conversation.php:1286 include/conversation.php:1302 +msgid "Please enter a video link/URL:" +msgstr "Please enter a video link/URL:" + +#: include/conversation.php:1287 include/conversation.php:1303 +msgid "Please enter an audio link/URL:" +msgstr "Please enter an audio link/URL:" + +#: include/conversation.php:1288 include/conversation.php:1304 +msgid "Tag term:" +msgstr "Tag term:" + +#: include/conversation.php:1289 include/conversation.php:1305 +#: mod/filer.php:34 +msgid "Save to Folder:" +msgstr "Save to folder:" + +#: include/conversation.php:1290 include/conversation.php:1306 +msgid "Where are you right now?" +msgstr "Where are you right now?" + +#: include/conversation.php:1291 +msgid "Delete item(s)?" +msgstr "Delete item(s)?" + +#: include/conversation.php:1338 +msgid "New Post" +msgstr "New post" + +#: include/conversation.php:1341 +msgid "Share" +msgstr "Share" + +#: include/conversation.php:1342 mod/wallmessage.php:143 mod/editpost.php:111 +#: mod/message.php:262 mod/message.php:430 +msgid "Upload photo" +msgstr "Upload photo" + +#: include/conversation.php:1343 mod/editpost.php:112 +msgid "upload photo" +msgstr "upload photo" + +#: include/conversation.php:1344 mod/editpost.php:113 +msgid "Attach file" +msgstr "Attach file" + +#: include/conversation.php:1345 mod/editpost.php:114 +msgid "attach file" +msgstr "attach file" + +#: include/conversation.php:1346 mod/wallmessage.php:144 mod/editpost.php:115 +#: mod/message.php:263 mod/message.php:431 +msgid "Insert web link" +msgstr "Insert web link" + +#: include/conversation.php:1347 mod/editpost.php:116 +msgid "web link" +msgstr "web link" + +#: include/conversation.php:1348 mod/editpost.php:117 +msgid "Insert video link" +msgstr "Insert video link" + +#: include/conversation.php:1349 mod/editpost.php:118 +msgid "video link" +msgstr "video link" + +#: include/conversation.php:1350 mod/editpost.php:119 +msgid "Insert audio link" +msgstr "Insert audio link" + +#: include/conversation.php:1351 mod/editpost.php:120 +msgid "audio link" +msgstr "audio link" + +#: include/conversation.php:1352 mod/editpost.php:121 +msgid "Set your location" +msgstr "Set your location" + +#: include/conversation.php:1353 mod/editpost.php:122 +msgid "set location" +msgstr "set location" + +#: include/conversation.php:1354 mod/editpost.php:123 +msgid "Clear browser location" +msgstr "Clear browser location" + +#: include/conversation.php:1355 mod/editpost.php:124 +msgid "clear location" +msgstr "clear location" + +#: include/conversation.php:1357 mod/editpost.php:138 +msgid "Set title" +msgstr "Set title" + +#: include/conversation.php:1359 mod/editpost.php:140 +msgid "Categories (comma-separated list)" +msgstr "Categories (comma-separated list)" + +#: include/conversation.php:1361 mod/editpost.php:126 +msgid "Permission settings" +msgstr "Permission settings" + +#: include/conversation.php:1362 mod/editpost.php:155 +msgid "permissions" +msgstr "permissions" + +#: include/conversation.php:1370 mod/editpost.php:135 +msgid "Public post" +msgstr "Public post" + +#: include/conversation.php:1374 mod/editpost.php:146 mod/photos.php:1492 +#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 +#: src/Object/Post.php:805 +msgid "Preview" +msgstr "Preview" + +#: include/conversation.php:1383 +msgid "Post to Groups" +msgstr "Post to groups" + +#: include/conversation.php:1384 +msgid "Post to Contacts" +msgstr "Post to contacts" + +#: include/conversation.php:1385 +msgid "Private post" +msgstr "Private post" + +#: include/conversation.php:1390 mod/editpost.php:153 +#: src/Model/Profile.php:342 +msgid "Message" +msgstr "Message" + +#: include/conversation.php:1391 mod/editpost.php:154 +msgid "Browser" +msgstr "Browser" + +#: include/conversation.php:1658 +msgid "View all" +msgstr "View all" + +#: include/conversation.php:1681 +msgid "Like" +msgid_plural "Likes" +msgstr[0] "Like" +msgstr[1] "Likes" + +#: include/conversation.php:1684 +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "Dislike" +msgstr[1] "Dislikes" + +#: include/conversation.php:1690 +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "Not attending" +msgstr[1] "Not attending" + +#: include/conversation.php:1693 src/Content/ContactSelector.php:125 +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "Undecided" +msgstr[1] "Undecided" + #: include/text.php:302 msgid "newer" msgstr "Later posts" @@ -683,8 +911,8 @@ msgstr[1] "%d contacts" msgid "View Contacts" msgstr "View contacts" -#: include/text.php:1010 mod/filer.php:35 mod/editpost.php:112 -#: mod/notes.php:68 +#: include/text.php:1010 mod/filer.php:35 mod/editpost.php:110 +#: mod/notes.php:67 msgid "Save" msgstr "Save" @@ -709,15 +937,15 @@ msgstr "Full text" msgid "Tags" msgstr "Tags" -#: include/text.php:1027 mod/contacts.php:805 mod/contacts.php:866 -#: mod/viewcontacts.php:131 view/theme/frio/theme.php:270 -#: src/Content/Nav.php:147 src/Content/Nav.php:212 src/Model/Profile.php:957 -#: src/Model/Profile.php:960 +#: include/text.php:1027 mod/viewcontacts.php:131 mod/contacts.php:814 +#: mod/contacts.php:875 src/Content/Nav.php:147 src/Content/Nav.php:212 +#: src/Model/Profile.php:957 src/Model/Profile.php:960 +#: view/theme/frio/theme.php:270 msgid "Contacts" msgstr "Contacts" -#: include/text.php:1030 view/theme/vier/theme.php:254 -#: src/Content/ForumManager.php:125 src/Content/Nav.php:151 +#: include/text.php:1030 src/Content/ForumManager.php:125 +#: src/Content/Nav.php:151 view/theme/vier/theme.php:254 msgid "Forums" msgstr "Forums" @@ -769,566 +997,204 @@ msgstr "rebuff" msgid "rebuffed" msgstr "rebuffed" +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:379 +msgid "Monday" +msgstr "Monday" + +#: include/text.php:1093 src/Model/Event.php:380 +msgid "Tuesday" +msgstr "Tuesday" + +#: include/text.php:1093 src/Model/Event.php:381 +msgid "Wednesday" +msgstr "Wednesday" + +#: include/text.php:1093 src/Model/Event.php:382 +msgid "Thursday" +msgstr "Thursday" + +#: include/text.php:1093 src/Model/Event.php:383 +msgid "Friday" +msgstr "Friday" + +#: include/text.php:1093 src/Model/Event.php:384 +msgid "Saturday" +msgstr "Saturday" + +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:378 +msgid "Sunday" +msgstr "Sunday" + +#: include/text.php:1097 src/Model/Event.php:399 +msgid "January" +msgstr "January" + +#: include/text.php:1097 src/Model/Event.php:400 +msgid "February" +msgstr "February" + +#: include/text.php:1097 src/Model/Event.php:401 +msgid "March" +msgstr "March" + +#: include/text.php:1097 src/Model/Event.php:402 +msgid "April" +msgstr "April" + +#: include/text.php:1097 include/text.php:1114 src/Model/Event.php:390 +#: src/Model/Event.php:403 +msgid "May" +msgstr "May" + +#: include/text.php:1097 src/Model/Event.php:404 +msgid "June" +msgstr "June" + +#: include/text.php:1097 src/Model/Event.php:405 +msgid "July" +msgstr "July" + +#: include/text.php:1097 src/Model/Event.php:406 +msgid "August" +msgstr "August" + +#: include/text.php:1097 src/Model/Event.php:407 +msgid "September" +msgstr "September" + +#: include/text.php:1097 src/Model/Event.php:408 +msgid "October" +msgstr "October" + +#: include/text.php:1097 src/Model/Event.php:409 +msgid "November" +msgstr "November" + +#: include/text.php:1097 src/Model/Event.php:410 +msgid "December" +msgstr "December" + +#: include/text.php:1111 src/Model/Event.php:371 +msgid "Mon" +msgstr "Mon" + +#: include/text.php:1111 src/Model/Event.php:372 +msgid "Tue" +msgstr "Tue" + +#: include/text.php:1111 src/Model/Event.php:373 +msgid "Wed" +msgstr "Wed" + +#: include/text.php:1111 src/Model/Event.php:374 +msgid "Thu" +msgstr "Thu" + +#: include/text.php:1111 src/Model/Event.php:375 +msgid "Fri" +msgstr "Fri" + +#: include/text.php:1111 src/Model/Event.php:376 +msgid "Sat" +msgstr "Sat" + +#: include/text.php:1111 src/Model/Event.php:370 +msgid "Sun" +msgstr "Sun" + +#: include/text.php:1114 src/Model/Event.php:386 +msgid "Jan" +msgstr "Jan" + +#: include/text.php:1114 src/Model/Event.php:387 +msgid "Feb" +msgstr "Feb" + +#: include/text.php:1114 src/Model/Event.php:388 +msgid "Mar" +msgstr "Mar" + +#: include/text.php:1114 src/Model/Event.php:389 +msgid "Apr" +msgstr "Apr" + +#: include/text.php:1114 src/Model/Event.php:392 +msgid "Jul" +msgstr "Jul" + +#: include/text.php:1114 src/Model/Event.php:393 +msgid "Aug" +msgstr "Aug" + #: include/text.php:1114 msgid "Sep" msgstr "Sep" -#: include/text.php:1315 mod/videos.php:381 +#: include/text.php:1114 src/Model/Event.php:395 +msgid "Oct" +msgstr "Oct" + +#: include/text.php:1114 src/Model/Event.php:396 +msgid "Nov" +msgstr "Nov" + +#: include/text.php:1114 src/Model/Event.php:397 +msgid "Dec" +msgstr "Dec" + +#: include/text.php:1275 +#, php-format +msgid "Content warning: %s" +msgstr "Content warning: %s" + +#: include/text.php:1345 mod/videos.php:380 msgid "View Video" msgstr "View video" -#: include/text.php:1332 +#: include/text.php:1362 msgid "bytes" msgstr "bytes" -#: include/text.php:1367 include/text.php:1378 +#: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" -msgstr "Click to open/close" +msgstr "Reveal/hide" -#: include/text.php:1502 +#: include/text.php:1559 msgid "View on separate page" msgstr "View on separate page" -#: include/text.php:1503 +#: include/text.php:1560 msgid "view on separate page" msgstr "view on separate page" -#: include/text.php:1717 include/conversation.php:146 -#: include/conversation.php:284 src/Model/Item.php:1785 -msgid "event" -msgstr "event" +#: include/text.php:1565 include/text.php:1572 src/Model/Event.php:594 +msgid "link to source" +msgstr "Link to source" -#: include/text.php:1719 include/conversation.php:154 -#: include/conversation.php:292 mod/subthread.php:97 mod/tagger.php:72 -#: src/Model/Item.php:1783 -msgid "photo" -msgstr "photo" - -#: include/text.php:1721 +#: include/text.php:1778 msgid "activity" msgstr "activity" -#: include/text.php:1723 src/Object/Post.php:421 src/Object/Post.php:433 +#: include/text.php:1780 src/Object/Post.php:429 src/Object/Post.php:441 msgid "comment" msgid_plural "comments" msgstr[0] "comment" msgstr[1] "comments" -#: include/text.php:1726 +#: include/text.php:1783 msgid "post" msgstr "post" -#: include/text.php:1883 +#: include/text.php:1940 msgid "Item filed" msgstr "Item filed" -#: include/acl_selectors.php:355 -msgid "Post to Email" -msgstr "Post to email" - -#: include/acl_selectors.php:360 -msgid "Hide your profile details from unknown viewers?" -msgstr "Hide profile details from unknown viewers?" - -#: include/acl_selectors.php:360 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Connectors are disabled since \"%s\" is enabled." - -#: include/acl_selectors.php:366 -msgid "Visible to everybody" -msgstr "Visible to everybody" - -#: include/acl_selectors.php:367 view/theme/vier/config.php:115 -msgid "show" -msgstr "show" - -#: include/acl_selectors.php:368 view/theme/vier/config.php:115 -msgid "don't show" -msgstr "don't show" - -#: include/acl_selectors.php:374 mod/editpost.php:136 -msgid "CC: email addresses" -msgstr "CC: email addresses" - -#: include/acl_selectors.php:375 mod/editpost.php:143 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Example: bob@example.com, mary@example.com" - -#: include/acl_selectors.php:377 mod/events.php:536 mod/photos.php:1098 -#: mod/photos.php:1441 -msgid "Permissions" -msgstr "Permissions" - -#: include/acl_selectors.php:378 -msgid "Close" -msgstr "Close" - -#: include/api.php:1181 -#, php-format -msgid "Daily posting limit of %d post reached. The post was rejected." -msgid_plural "Daily posting limit of %d posts reached. The post was rejected." -msgstr[0] "Daily posting limit of %d post are reached. The post was rejected." -msgstr[1] "Daily posting limit of %d posts are reached. This post was rejected." - -#: include/api.php:1205 -#, php-format -msgid "Weekly posting limit of %d post reached. The post was rejected." -msgid_plural "" -"Weekly posting limit of %d posts reached. The post was rejected." -msgstr[0] "Weekly posting limit of %d post are reached. The post was rejected." -msgstr[1] "Weekly posting limit of %d posts are reached. This post was rejected." - -#: include/api.php:1229 -#, php-format -msgid "Monthly posting limit of %d post reached. The post was rejected." -msgstr "Monthly posting limit of %d posts are reached. This post was rejected." - -#: include/api.php:4382 mod/profile_photo.php:84 mod/profile_photo.php:92 -#: mod/profile_photo.php:100 mod/profile_photo.php:223 -#: mod/profile_photo.php:317 mod/profile_photo.php:327 mod/photos.php:88 -#: mod/photos.php:194 mod/photos.php:722 mod/photos.php:1149 -#: mod/photos.php:1166 mod/photos.php:1684 src/Model/User.php:526 -#: src/Model/User.php:534 src/Model/User.php:542 -msgid "Profile Photos" -msgstr "Profile photos" - -#: include/conversation.php:149 include/conversation.php:159 -#: include/conversation.php:287 include/conversation.php:296 -#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1783 -#: src/Protocol/Diaspora.php:1946 -msgid "status" -msgstr "status" - -#: include/conversation.php:166 src/Model/Item.php:1656 -#: src/Protocol/Diaspora.php:1942 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s likes %2$s's %3$s" - -#: include/conversation.php:169 src/Model/Item.php:1661 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s doesn't like %2$s's %3$s" - -#: include/conversation.php:172 -#, php-format -msgid "%1$s attends %2$s's %3$s" -msgstr "%1$s goes to %2$s's %3$s" - -#: include/conversation.php:175 -#, php-format -msgid "%1$s doesn't attend %2$s's %3$s" -msgstr "%1$s doesn't go %2$s's %3$s" - -#: include/conversation.php:178 -#, php-format -msgid "%1$s attends maybe %2$s's %3$s" -msgstr "%1$s might go to %2$s's %3$s" - -#: include/conversation.php:211 mod/dfrn_confirm.php:431 -#: src/Protocol/Diaspora.php:2414 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s is now friends with %2$s" - -#: include/conversation.php:252 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s poked %2$s" - -#: include/conversation.php:306 mod/tagger.php:110 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s tagged %2$s's %3$s with %4$s" - -#: include/conversation.php:333 -msgid "post/item" -msgstr "Post/Item" - -#: include/conversation.php:334 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s marked %2$s's %3$s as favorite" - -#: include/conversation.php:607 mod/profiles.php:354 mod/photos.php:1501 -msgid "Likes" -msgstr "Likes" - -#: include/conversation.php:607 mod/profiles.php:358 mod/photos.php:1501 -msgid "Dislikes" -msgstr "Dislikes" - -#: include/conversation.php:608 include/conversation.php:1682 -#: mod/photos.php:1502 -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "Attending" -msgstr[1] "Attending" - -#: include/conversation.php:608 mod/photos.php:1502 -msgid "Not attending" -msgstr "Not attending" - -#: include/conversation.php:608 mod/photos.php:1502 -msgid "Might attend" -msgstr "Might attend" - -#: include/conversation.php:746 mod/photos.php:1569 src/Object/Post.php:177 -msgid "Select" -msgstr "Select" - -#: include/conversation.php:747 mod/contacts.php:821 mod/contacts.php:1019 -#: mod/admin.php:1706 mod/photos.php:1570 mod/settings.php:742 -#: src/Object/Post.php:178 -msgid "Delete" -msgstr "Delete" - -#: include/conversation.php:779 src/Object/Post.php:355 -#: src/Object/Post.php:356 -#, php-format -msgid "View %s's profile @ %s" -msgstr "View %s's profile @ %s" - -#: include/conversation.php:791 src/Object/Post.php:343 -msgid "Categories:" -msgstr "Categories:" - -#: include/conversation.php:792 src/Object/Post.php:344 -msgid "Filed under:" -msgstr "Filed under:" - -#: include/conversation.php:799 src/Object/Post.php:369 -#, php-format -msgid "%s from %s" -msgstr "%s from %s" - -#: include/conversation.php:814 -msgid "View in context" -msgstr "View in context" - -#: include/conversation.php:816 include/conversation.php:1355 -#: mod/wallmessage.php:145 mod/editpost.php:127 mod/message.php:264 -#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:394 -msgid "Please wait" -msgstr "Please wait" - -#: include/conversation.php:887 -msgid "remove" -msgstr "Remove" - -#: include/conversation.php:891 -msgid "Delete Selected Items" -msgstr "Delete selected items" - -#: include/conversation.php:1061 view/theme/frio/theme.php:352 -msgid "Follow Thread" -msgstr "Follow thread" - -#: include/conversation.php:1062 src/Model/Contact.php:554 -msgid "View Status" -msgstr "View status" - -#: include/conversation.php:1063 include/conversation.php:1079 -#: mod/allfriends.php:73 mod/suggest.php:82 mod/dirfind.php:220 -#: mod/match.php:89 mod/directory.php:160 src/Model/Contact.php:497 -#: src/Model/Contact.php:510 src/Model/Contact.php:555 -msgid "View Profile" -msgstr "View profile" - -#: include/conversation.php:1064 src/Model/Contact.php:556 -msgid "View Photos" -msgstr "View photos" - -#: include/conversation.php:1065 src/Model/Contact.php:557 -msgid "Network Posts" -msgstr "Network posts" - -#: include/conversation.php:1066 src/Model/Contact.php:558 -msgid "View Contact" -msgstr "View contact" - -#: include/conversation.php:1067 src/Model/Contact.php:560 -msgid "Send PM" -msgstr "Send PM" - -#: include/conversation.php:1071 src/Model/Contact.php:561 -msgid "Poke" -msgstr "Poke" - -#: include/conversation.php:1076 mod/allfriends.php:74 mod/suggest.php:83 -#: mod/dirfind.php:221 mod/match.php:90 mod/contacts.php:587 -#: mod/follow.php:141 src/Content/Widget.php:61 src/Model/Contact.php:511 -msgid "Connect/Follow" -msgstr "Connect/Follow" - -#: include/conversation.php:1195 -#, php-format -msgid "%s likes this." -msgstr "%s likes this." - -#: include/conversation.php:1198 -#, php-format -msgid "%s doesn't like this." -msgstr "%s doesn't like this." - -#: include/conversation.php:1201 -#, php-format -msgid "%s attends." -msgstr "%s attends." - -#: include/conversation.php:1204 -#, php-format -msgid "%s doesn't attend." -msgstr "%s doesn't attend." - -#: include/conversation.php:1207 -#, php-format -msgid "%s attends maybe." -msgstr "%s may attend." - -#: include/conversation.php:1218 -msgid "and" -msgstr "and" - -#: include/conversation.php:1224 -#, php-format -msgid "and %d other people" -msgstr "and %d other people" - -#: include/conversation.php:1233 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d people like this" - -#: include/conversation.php:1234 -#, php-format -msgid "%s like this." -msgstr "%s like this." - -#: include/conversation.php:1237 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d people don't like this" - -#: include/conversation.php:1238 -#, php-format -msgid "%s don't like this." -msgstr "%s don't like this." - -#: include/conversation.php:1241 -#, php-format -msgid "%2$d people attend" -msgstr "%2$d people attend" - -#: include/conversation.php:1242 -#, php-format -msgid "%s attend." -msgstr "%s attend." - -#: include/conversation.php:1245 -#, php-format -msgid "%2$d people don't attend" -msgstr "%2$d people don't attend" - -#: include/conversation.php:1246 -#, php-format -msgid "%s don't attend." -msgstr "%s don't attend." - -#: include/conversation.php:1249 -#, php-format -msgid "%2$d people attend maybe" -msgstr "%2$d people attend maybe" - -#: include/conversation.php:1250 -#, php-format -msgid "%s attend maybe." -msgstr "%s may be attending." - -#: include/conversation.php:1280 include/conversation.php:1296 -msgid "Visible to everybody" -msgstr "Visible to everybody" - -#: include/conversation.php:1281 include/conversation.php:1297 -#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 -#: mod/message.php:207 mod/message.php:343 mod/message.php:350 -msgid "Please enter a link URL:" -msgstr "Please enter a link URL:" - -#: include/conversation.php:1282 include/conversation.php:1298 -msgid "Please enter a video link/URL:" -msgstr "Please enter a video link/URL:" - -#: include/conversation.php:1283 include/conversation.php:1299 -msgid "Please enter an audio link/URL:" -msgstr "Please enter an audio link/URL:" - -#: include/conversation.php:1284 include/conversation.php:1300 -msgid "Tag term:" -msgstr "Tag term:" - -#: include/conversation.php:1285 include/conversation.php:1301 -#: mod/filer.php:34 -msgid "Save to Folder:" -msgstr "Save to folder:" - -#: include/conversation.php:1286 include/conversation.php:1302 -msgid "Where are you right now?" -msgstr "Where are you right now?" - -#: include/conversation.php:1287 -msgid "Delete item(s)?" -msgstr "Delete item(s)?" - -#: include/conversation.php:1336 -msgid "Share" -msgstr "Share" - -#: include/conversation.php:1337 mod/wallmessage.php:143 mod/editpost.php:113 -#: mod/message.php:262 mod/message.php:430 -msgid "Upload photo" -msgstr "Upload photo" - -#: include/conversation.php:1338 mod/editpost.php:114 -msgid "upload photo" -msgstr "upload photo" - -#: include/conversation.php:1339 mod/editpost.php:115 -msgid "Attach file" -msgstr "Attach file" - -#: include/conversation.php:1340 mod/editpost.php:116 -msgid "attach file" -msgstr "attach file" - -#: include/conversation.php:1341 mod/wallmessage.php:144 mod/editpost.php:117 -#: mod/message.php:263 mod/message.php:431 -msgid "Insert web link" -msgstr "Insert web link" - -#: include/conversation.php:1342 mod/editpost.php:118 -msgid "web link" -msgstr "web link" - -#: include/conversation.php:1343 mod/editpost.php:119 -msgid "Insert video link" -msgstr "Insert video link" - -#: include/conversation.php:1344 mod/editpost.php:120 -msgid "video link" -msgstr "video link" - -#: include/conversation.php:1345 mod/editpost.php:121 -msgid "Insert audio link" -msgstr "Insert audio link" - -#: include/conversation.php:1346 mod/editpost.php:122 -msgid "audio link" -msgstr "audio link" - -#: include/conversation.php:1347 mod/editpost.php:123 -msgid "Set your location" -msgstr "Set your location" - -#: include/conversation.php:1348 mod/editpost.php:124 -msgid "set location" -msgstr "set location" - -#: include/conversation.php:1349 mod/editpost.php:125 -msgid "Clear browser location" -msgstr "Clear browser location" - -#: include/conversation.php:1350 mod/editpost.php:126 -msgid "clear location" -msgstr "clear location" - -#: include/conversation.php:1352 mod/editpost.php:140 -msgid "Set title" -msgstr "Set title" - -#: include/conversation.php:1354 mod/editpost.php:142 -msgid "Categories (comma-separated list)" -msgstr "Categories (comma-separated list)" - -#: include/conversation.php:1356 mod/editpost.php:128 -msgid "Permission settings" -msgstr "Permission settings" - -#: include/conversation.php:1357 mod/editpost.php:157 -msgid "permissions" -msgstr "permissions" - -#: include/conversation.php:1365 mod/editpost.php:137 -msgid "Public post" -msgstr "Public post" - -#: include/conversation.php:1369 mod/editpost.php:148 mod/events.php:531 -#: mod/photos.php:1492 mod/photos.php:1531 mod/photos.php:1604 -#: src/Object/Post.php:797 -msgid "Preview" -msgstr "Preview" - -#: include/conversation.php:1378 -msgid "Post to Groups" -msgstr "Post to groups" - -#: include/conversation.php:1379 -msgid "Post to Contacts" -msgstr "Post to contacts" - -#: include/conversation.php:1380 -msgid "Private post" -msgstr "Private post" - -#: include/conversation.php:1385 mod/editpost.php:155 -#: src/Model/Profile.php:342 -msgid "Message" -msgstr "Message" - -#: include/conversation.php:1386 mod/editpost.php:156 -msgid "Browser" -msgstr "Browser" - -#: include/conversation.php:1653 -msgid "View all" -msgstr "View all" - -#: include/conversation.php:1676 -msgid "Like" -msgid_plural "Likes" -msgstr[0] "Like" -msgstr[1] "Likes" - -#: include/conversation.php:1679 -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "Dislike" -msgstr[1] "Dislikes" - -#: include/conversation.php:1685 -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "Not attending" -msgstr[1] "Not attending" - -#: include/conversation.php:1688 src/Content/ContactSelector.php:125 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "Undecided" -msgstr[1] "Undecided" - -#: include/dba.php:59 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Cannot locate DNS info for database server '%s'" - #: mod/allfriends.php:51 msgid "No friends to display." msgstr "No friends to display." -#: mod/allfriends.php:90 mod/suggest.php:101 mod/dirfind.php:218 -#: mod/match.php:105 src/Content/Widget.php:37 src/Model/Profile.php:297 +#: mod/allfriends.php:90 mod/suggest.php:101 mod/match.php:105 +#: mod/dirfind.php:215 src/Content/Widget.php:37 src/Model/Profile.php:297 msgid "Connect" msgstr "Connect" @@ -1350,17 +1216,17 @@ msgid "" " and/or create new posts for you?" msgstr "Do you want to authorize this application to access your posts and contacts and create new posts for you?" -#: mod/api.php:111 mod/profiles.php:649 mod/profiles.php:653 -#: mod/profiles.php:674 mod/dfrn_request.php:653 mod/follow.php:148 -#: mod/register.php:238 mod/settings.php:1109 mod/settings.php:1115 -#: mod/settings.php:1122 mod/settings.php:1126 mod/settings.php:1130 -#: mod/settings.php:1134 mod/settings.php:1138 mod/settings.php:1142 -#: mod/settings.php:1162 mod/settings.php:1163 mod/settings.php:1164 -#: mod/settings.php:1165 mod/settings.php:1166 +#: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 +#: mod/register.php:238 mod/settings.php:1105 mod/settings.php:1111 +#: mod/settings.php:1118 mod/settings.php:1122 mod/settings.php:1126 +#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 +#: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 +#: mod/settings.php:1161 mod/settings.php:1162 msgid "No" msgstr "No" -#: mod/apps.php:14 index.php:242 +#: mod/apps.php:14 index.php:245 msgid "You must be logged in to use addons. " msgstr "You must be logged in to use addons. " @@ -1384,7 +1250,7 @@ msgstr "Item was not found." msgid "No contacts in common." msgstr "No contacts in common." -#: mod/common.php:140 mod/contacts.php:877 +#: mod/common.php:140 mod/contacts.php:886 msgid "Common Friends" msgstr "Common friends" @@ -1407,8 +1273,8 @@ msgstr "Contact settings applied." msgid "Contact update failed." msgstr "Contact update failed." -#: mod/crepair.php:110 mod/dfrn_confirm.php:131 mod/fsuggest.php:29 -#: mod/fsuggest.php:97 +#: mod/crepair.php:110 mod/dfrn_confirm.php:131 mod/fsuggest.php:30 +#: mod/fsuggest.php:96 msgid "Contact not found." msgstr "Contact not found." @@ -1445,14 +1311,14 @@ msgid "Refetch contact data" msgstr "Re-fetch contact data." #: mod/crepair.php:148 mod/invite.php:150 mod/manage.php:184 -#: mod/profiles.php:685 mod/contacts.php:601 mod/install.php:251 -#: mod/install.php:290 mod/localtime.php:56 mod/poke.php:199 -#: mod/events.php:533 mod/fsuggest.php:116 mod/message.php:265 -#: mod/message.php:432 mod/photos.php:1080 mod/photos.php:1160 -#: mod/photos.php:1445 mod/photos.php:1491 mod/photos.php:1530 -#: mod/photos.php:1603 view/theme/duepuntozero/config.php:71 -#: view/theme/frio/config.php:113 view/theme/quattro/config.php:73 -#: view/theme/vier/config.php:119 src/Object/Post.php:788 +#: mod/localtime.php:56 mod/poke.php:199 mod/fsuggest.php:114 +#: mod/message.php:265 mod/message.php:432 mod/photos.php:1080 +#: mod/photos.php:1160 mod/photos.php:1445 mod/photos.php:1491 +#: mod/photos.php:1530 mod/photos.php:1603 mod/install.php:251 +#: mod/install.php:290 mod/events.php:530 mod/profiles.php:672 +#: mod/contacts.php:610 src/Object/Post.php:796 +#: view/theme/duepuntozero/config.php:71 view/theme/frio/config.php:113 +#: view/theme/quattro/config.php:73 view/theme/vier/config.php:119 msgid "Submit" msgstr "Submit" @@ -1470,9 +1336,9 @@ msgid "" "entries from this contact." msgstr "This will cause Friendica to repost new entries from this contact." -#: mod/crepair.php:158 mod/admin.php:439 mod/admin.php:1689 mod/admin.php:1701 -#: mod/admin.php:1714 mod/admin.php:1730 mod/settings.php:681 -#: mod/settings.php:707 +#: mod/crepair.php:158 mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 +#: mod/admin.php:1806 mod/admin.php:1822 mod/settings.php:677 +#: mod/settings.php:703 msgid "Name" msgstr "Name:" @@ -1508,8 +1374,8 @@ msgstr "Poll/Feed URL:" msgid "New photo from this URL" msgstr "New photo from this URL:" -#: mod/fbrowser.php:34 view/theme/frio/theme.php:261 src/Content/Nav.php:102 -#: src/Model/Profile.php:904 +#: mod/fbrowser.php:34 src/Content/Nav.php:102 src/Model/Profile.php:904 +#: view/theme/frio/theme.php:261 msgid "Photos" msgstr "Photos" @@ -1520,7 +1386,7 @@ msgstr "Photos" msgid "Contact Photos" msgstr "Contact photos" -#: mod/fbrowser.php:105 mod/fbrowser.php:136 mod/profile_photo.php:265 +#: mod/fbrowser.php:105 mod/fbrowser.php:136 mod/profile_photo.php:250 msgid "Upload" msgstr "Upload" @@ -1529,7 +1395,7 @@ msgid "Files" msgstr "Files" #: mod/fetch.php:16 mod/fetch.php:52 mod/fetch.php:65 mod/help.php:60 -#: mod/p.php:21 mod/p.php:48 mod/p.php:57 index.php:289 +#: mod/p.php:21 mod/p.php:48 mod/p.php:57 index.php:292 msgid "Not Found" msgstr "Not found" @@ -1541,11 +1407,11 @@ msgstr "No profile" msgid "Help:" msgstr "Help:" -#: mod/help.php:54 view/theme/vier/theme.php:298 src/Content/Nav.php:134 +#: mod/help.php:54 src/Content/Nav.php:134 view/theme/vier/theme.php:298 msgid "Help" msgstr "Help" -#: mod/help.php:63 index.php:294 +#: mod/help.php:63 index.php:297 msgid "Page not found." msgstr "Page not found" @@ -1597,8 +1463,8 @@ msgid "" " join." msgstr "On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join." -#: mod/newmember.php:19 mod/admin.php:1814 mod/admin.php:2083 -#: mod/settings.php:122 view/theme/frio/theme.php:269 src/Content/Nav.php:206 +#: mod/newmember.php:19 mod/admin.php:1906 mod/admin.php:2175 +#: mod/settings.php:123 src/Content/Nav.php:206 view/theme/frio/theme.php:269 msgid "Settings" msgstr "Settings" @@ -1621,14 +1487,14 @@ msgid "" "potential friends know exactly how to find you." msgstr "Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you." -#: mod/newmember.php:24 mod/contacts.php:662 mod/contacts.php:854 -#: mod/profperm.php:113 view/theme/frio/theme.php:260 src/Content/Nav.php:101 -#: src/Model/Profile.php:730 src/Model/Profile.php:863 -#: src/Model/Profile.php:896 +#: mod/newmember.php:24 mod/profperm.php:113 mod/contacts.php:671 +#: mod/contacts.php:863 src/Content/Nav.php:101 src/Model/Profile.php:730 +#: src/Model/Profile.php:863 src/Model/Profile.php:896 +#: view/theme/frio/theme.php:260 msgid "Profile" msgstr "Profile" -#: mod/newmember.php:26 mod/profiles.php:704 mod/profile_photo.php:264 +#: mod/newmember.php:26 mod/profile_photo.php:249 mod/profiles.php:691 msgid "Upload Profile Photo" msgstr "Upload profile photo" @@ -1711,7 +1577,7 @@ msgid "" "hours." msgstr "On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours." -#: mod/newmember.php:43 src/Model/Group.php:402 +#: mod/newmember.php:43 src/Model/Group.php:401 msgid "Groups" msgstr "Groups" @@ -1751,13 +1617,13 @@ msgid "" " features and resources." msgstr "Our help pages may be consulted for detail on other program features and resources." -#: mod/nogroup.php:42 mod/contacts.php:610 mod/contacts.php:943 -#: mod/viewcontacts.php:112 +#: mod/nogroup.php:42 mod/viewcontacts.php:112 mod/contacts.php:619 +#: mod/contacts.php:959 #, php-format msgid "Visit %s's profile [%s]" msgstr "Visit %s's profile [%s]" -#: mod/nogroup.php:43 mod/contacts.php:944 +#: mod/nogroup.php:43 mod/contacts.php:960 msgid "Edit contact" msgstr "Edit contact" @@ -1777,11 +1643,11 @@ msgstr "Resubscribing to OStatus contacts" msgid "Error" msgstr "Error" -#: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:61 +#: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:64 msgid "Done" msgstr "Done" -#: mod/repair_ostatus.php:54 mod/ostatus_subscribe.php:85 +#: mod/repair_ostatus.php:54 mod/ostatus_subscribe.php:88 msgid "Keep this window open until done." msgstr "Keep this window open until done." @@ -1799,53 +1665,10 @@ msgstr "No suggestions available. If this is a new site, please try again in 24 msgid "Ignore/Hide" msgstr "Ignore/Hide" -#: mod/suggest.php:114 view/theme/vier/theme.php:203 src/Content/Widget.php:64 +#: mod/suggest.php:114 src/Content/Widget.php:64 view/theme/vier/theme.php:203 msgid "Friend Suggestions" msgstr "Friend suggestions" -#: mod/unfollow.php:34 -msgid "Contact wasn't found or can't be unfollowed." -msgstr "Contact wasn't found or can't be unfollowed." - -#: mod/unfollow.php:47 -msgid "Contact unfollowed" -msgstr "Contact unfollowed" - -#: mod/unfollow.php:65 mod/dfrn_request.php:662 mod/follow.php:61 -msgid "Submit Request" -msgstr "Submit request" - -#: mod/unfollow.php:73 -msgid "You aren't a friend of this contact." -msgstr "You aren't a friend of this contact." - -#: mod/unfollow.php:79 -msgid "Unfollowing is currently not supported by your network." -msgstr "Unfollowing is currently not supported by your network." - -#: mod/unfollow.php:100 mod/contacts.php:590 -msgid "Disconnect/Unfollow" -msgstr "Disconnect/Unfollow" - -#: mod/unfollow.php:113 mod/dfrn_request.php:660 mod/follow.php:155 -msgid "Your Identity Address:" -msgstr "My identity address:" - -#: mod/unfollow.php:122 mod/notifications.php:258 mod/contacts.php:647 -#: mod/follow.php:164 mod/admin.php:439 mod/admin.php:449 -msgid "Profile URL" -msgstr "Profile URL:" - -#: mod/unfollow.php:132 mod/contacts.php:849 mod/follow.php:181 -#: src/Model/Profile.php:891 -msgid "Status Messages and Posts" -msgstr "Status Messages and Posts" - -#: mod/update_community.php:27 mod/update_display.php:27 -#: mod/update_notes.php:40 mod/update_profile.php:39 mod/update_network.php:33 -msgid "[Embedded content - reload page to view]" -msgstr "[Embedded content - reload page to view]" - #: mod/uimport.php:55 mod/register.php:191 msgid "" "This site has exceeded the number of allowed daily account registrations. " @@ -1887,74 +1710,16 @@ msgid "" "select \"Export account\"" msgstr "To export your account, go to \"Settings->Export personal data\" and select \"Export account\"" +#: mod/update_community.php:27 mod/update_display.php:27 +#: mod/update_notes.php:40 mod/update_profile.php:39 mod/update_network.php:33 +msgid "[Embedded content - reload page to view]" +msgstr "[Embedded content - reload page to view]" + #: mod/dfrn_poll.php:123 mod/dfrn_poll.php:543 #, php-format msgid "%1$s welcomes %2$s" msgstr "%1$s welcomes %2$s" -#: mod/dirfind.php:48 -#, php-format -msgid "People Search - %s" -msgstr "People search - %s" - -#: mod/dirfind.php:59 -#, php-format -msgid "Forum Search - %s" -msgstr "Forum search - %s" - -#: mod/dirfind.php:256 mod/match.php:125 -msgid "No matches" -msgstr "No matches" - -#: mod/friendica.php:77 -msgid "This is Friendica, version" -msgstr "This is Friendica, version" - -#: mod/friendica.php:78 -msgid "running at web location" -msgstr "running at web location" - -#: mod/friendica.php:82 -msgid "" -"Please visit Friendi.ca to learn more " -"about the Friendica project." -msgstr "Please visit Friendi.ca to learn more about the Friendica project." - -#: mod/friendica.php:86 -msgid "Bug reports and issues: please visit" -msgstr "Bug reports and issues: please visit" - -#: mod/friendica.php:86 -msgid "the bugtracker at github" -msgstr "the bugtracker at github" - -#: mod/friendica.php:89 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com" - -#: mod/friendica.php:103 -msgid "Installed addons/apps:" -msgstr "Installed addons/apps:" - -#: mod/friendica.php:117 -msgid "No installed addons/apps" -msgstr "No installed addons/apps" - -#: mod/friendica.php:122 -msgid "On this server the following remote servers are blocked." -msgstr "On this server the following remote servers are blocked." - -#: mod/friendica.php:123 mod/dfrn_request.php:351 mod/admin.php:302 -#: mod/admin.php:320 src/Model/Contact.php:1142 -msgid "Blocked domain" -msgstr "Blocked domain" - -#: mod/friendica.php:123 mod/admin.php:303 mod/admin.php:321 -msgid "Reason for the block" -msgstr "Reason for the block" - #: mod/match.php:48 msgid "No keywords to match. Please add keywords to your default profile." msgstr "No keywords to match. Please add keywords to your default profile." @@ -1967,6 +1732,10 @@ msgstr "is interested in:" msgid "Profile Match" msgstr "Profile Match" +#: mod/match.php:125 mod/dirfind.php:253 +msgid "No matches" +msgstr "No matches" + #: mod/notifications.php:37 msgid "Invalid request identifier." msgstr "Invalid request identifier." @@ -1977,8 +1746,8 @@ msgid "Discard" msgstr "Discard" #: mod/notifications.php:62 mod/notifications.php:182 -#: mod/notifications.php:266 mod/contacts.php:629 mod/contacts.php:819 -#: mod/contacts.php:1003 +#: mod/notifications.php:266 mod/contacts.php:638 mod/contacts.php:828 +#: mod/contacts.php:1019 msgid "Ignore" msgstr "Ignore" @@ -2019,7 +1788,7 @@ msgstr "Notification type: " msgid "suggested by %s" msgstr "suggested by %s" -#: mod/notifications.php:175 mod/notifications.php:254 mod/contacts.php:637 +#: mod/notifications.php:175 mod/notifications.php:254 mod/contacts.php:646 msgid "Hide this contact from others" msgstr "Hide this contact from others" @@ -2031,7 +1800,7 @@ msgstr "Post a new friend activity" msgid "if applicable" msgstr "if applicable" -#: mod/notifications.php:179 mod/notifications.php:264 mod/admin.php:1704 +#: mod/notifications.php:179 mod/notifications.php:264 mod/admin.php:1796 msgid "Approve" msgstr "Approve" @@ -2084,22 +1853,33 @@ msgstr "Sharer" msgid "Subscriber" msgstr "Subscriber" -#: mod/notifications.php:249 mod/contacts.php:655 mod/directory.php:155 +#: mod/notifications.php:247 mod/events.php:518 mod/directory.php:148 +#: mod/contacts.php:660 src/Model/Profile.php:417 src/Model/Event.php:60 +#: src/Model/Event.php:85 src/Model/Event.php:421 src/Model/Event.php:900 +msgid "Location:" +msgstr "Location:" + +#: mod/notifications.php:249 mod/directory.php:154 mod/contacts.php:664 #: src/Model/Profile.php:423 src/Model/Profile.php:806 msgid "About:" msgstr "About:" -#: mod/notifications.php:251 mod/contacts.php:657 mod/follow.php:172 +#: mod/notifications.php:251 mod/follow.php:174 mod/contacts.php:666 #: src/Model/Profile.php:794 msgid "Tags:" msgstr "Tags:" -#: mod/notifications.php:253 mod/directory.php:152 src/Model/Profile.php:420 +#: mod/notifications.php:253 mod/directory.php:151 src/Model/Profile.php:420 #: src/Model/Profile.php:745 msgid "Gender:" msgstr "Gender:" -#: mod/notifications.php:261 mod/contacts.php:63 src/Model/Profile.php:518 +#: mod/notifications.php:258 mod/unfollow.php:122 mod/follow.php:166 +#: mod/contacts.php:656 mod/admin.php:490 mod/admin.php:500 +msgid "Profile URL" +msgstr "Profile URL:" + +#: mod/notifications.php:261 mod/contacts.php:71 src/Model/Profile.php:518 msgid "Network:" msgstr "Network:" @@ -2120,10 +1900,6 @@ msgstr "Show all" msgid "No more %s notifications." msgstr "No more %s notifications." -#: mod/oexchange.php:30 -msgid "Post successful." -msgstr "Post successful." - #: mod/openid.php:29 msgid "OpenID protocol error. No ID returned." msgstr "OpenID protocol error. No ID returned." @@ -2137,78 +1913,8 @@ msgstr "Account not found and OpenID registration is not permitted on this site. msgid "Login failed." msgstr "Login failed." -#: mod/ostatus_subscribe.php:21 -msgid "Subscribing to OStatus contacts" -msgstr "Subscribing to OStatus contacts" - -#: mod/ostatus_subscribe.php:32 -msgid "No contact provided." -msgstr "No contact provided." - -#: mod/ostatus_subscribe.php:38 -msgid "Couldn't fetch information for contact." -msgstr "Couldn't fetch information for contact." - -#: mod/ostatus_subscribe.php:47 -msgid "Couldn't fetch friends for contact." -msgstr "Couldn't fetch friends for contact." - -#: mod/ostatus_subscribe.php:75 -msgid "success" -msgstr "success" - -#: mod/ostatus_subscribe.php:77 -msgid "failed" -msgstr "failed" - -#: mod/ostatus_subscribe.php:80 src/Object/Post.php:278 -msgid "ignored" -msgstr "Ignored" - -#: mod/cal.php:142 mod/display.php:308 mod/profile.php:173 -msgid "Access to this profile has been restricted." -msgstr "Access to this profile has been restricted." - -#: mod/cal.php:274 mod/events.php:392 view/theme/frio/theme.php:263 -#: view/theme/frio/theme.php:267 src/Content/Nav.php:104 -#: src/Content/Nav.php:169 src/Model/Profile.php:924 src/Model/Profile.php:935 -msgid "Events" -msgstr "Events" - -#: mod/cal.php:275 mod/events.php:393 -msgid "View" -msgstr "View" - -#: mod/cal.php:276 mod/events.php:395 -msgid "Previous" -msgstr "Previous" - -#: mod/cal.php:277 mod/install.php:209 mod/events.php:396 -msgid "Next" -msgstr "Next" - -#: mod/cal.php:284 mod/events.php:405 -msgid "list" -msgstr "List" - -#: mod/cal.php:297 src/Model/User.php:202 -msgid "User not found" -msgstr "User not found" - -#: mod/cal.php:313 -msgid "This calendar format is not supported" -msgstr "This calendar format is not supported" - -#: mod/cal.php:315 -msgid "No exportable data found" -msgstr "No exportable data found" - -#: mod/cal.php:332 -msgid "calendar" -msgstr "calendar" - -#: mod/dfrn_confirm.php:74 mod/profiles.php:38 mod/profiles.php:148 -#: mod/profiles.php:195 mod/profiles.php:631 +#: mod/dfrn_confirm.php:74 mod/profiles.php:39 mod/profiles.php:149 +#: mod/profiles.php:196 mod/profiles.php:618 msgid "Profile not found." msgstr "Profile not found." @@ -2283,7 +1989,7 @@ msgid "Unable to update your contact profile details on our system" msgstr "Unable to update your contact profile details on our system" #: mod/dfrn_confirm.php:661 mod/dfrn_request.php:568 -#: src/Model/Contact.php:1434 +#: src/Model/Contact.php:1520 msgid "[Name Withheld]" msgstr "[Name Withheld]" @@ -2401,376 +2107,6 @@ msgid "" "important, please visit http://friendi.ca" msgstr "For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca" -#: mod/manage.php:180 -msgid "Manage Identities and/or Pages" -msgstr "Manage Identities and Pages" - -#: mod/manage.php:181 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Accounts that I manage or own." - -#: mod/manage.php:182 -msgid "Select an identity to manage: " -msgstr "Select identity:" - -#: mod/profiles.php:57 -msgid "Profile deleted." -msgstr "Profile deleted." - -#: mod/profiles.php:73 mod/profiles.php:109 -msgid "Profile-" -msgstr "Profile-" - -#: mod/profiles.php:92 mod/profiles.php:131 -msgid "New profile created." -msgstr "New profile created." - -#: mod/profiles.php:115 -msgid "Profile unavailable to clone." -msgstr "Profile unavailable to clone." - -#: mod/profiles.php:205 -msgid "Profile Name is required." -msgstr "Profile name is required." - -#: mod/profiles.php:346 -msgid "Marital Status" -msgstr "Marital status" - -#: mod/profiles.php:350 -msgid "Romantic Partner" -msgstr "Romantic partner" - -#: mod/profiles.php:362 -msgid "Work/Employment" -msgstr "Work/Employment:" - -#: mod/profiles.php:365 -msgid "Religion" -msgstr "Religion" - -#: mod/profiles.php:369 -msgid "Political Views" -msgstr "Political views" - -#: mod/profiles.php:373 -msgid "Gender" -msgstr "Gender" - -#: mod/profiles.php:377 -msgid "Sexual Preference" -msgstr "Sexual preference" - -#: mod/profiles.php:381 -msgid "XMPP" -msgstr "XMPP" - -#: mod/profiles.php:385 -msgid "Homepage" -msgstr "Homepage" - -#: mod/profiles.php:389 mod/profiles.php:699 -msgid "Interests" -msgstr "Interests" - -#: mod/profiles.php:393 mod/admin.php:439 -msgid "Address" -msgstr "Address" - -#: mod/profiles.php:400 mod/profiles.php:695 -msgid "Location" -msgstr "Location" - -#: mod/profiles.php:485 -msgid "Profile updated." -msgstr "Profile updated." - -#: mod/profiles.php:577 -msgid " and " -msgstr " and " - -#: mod/profiles.php:586 -msgid "public profile" -msgstr "public profile" - -#: mod/profiles.php:589 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s changed %2$s to “%3$s”" - -#: mod/profiles.php:590 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr " - Visit %1$s's %2$s" - -#: mod/profiles.php:592 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s has an updated %2$s, changing %3$s." - -#: mod/profiles.php:646 -msgid "Hide contacts and friends:" -msgstr "Hide contacts and friends:" - -#: mod/profiles.php:651 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Hide your contact/friend list from viewers of this profile?" - -#: mod/profiles.php:671 -msgid "Show more profile fields:" -msgstr "Show more profile fields:" - -#: mod/profiles.php:683 -msgid "Profile Actions" -msgstr "Profile actions" - -#: mod/profiles.php:684 -msgid "Edit Profile Details" -msgstr "Edit Profile Details" - -#: mod/profiles.php:686 -msgid "Change Profile Photo" -msgstr "Change profile photo" - -#: mod/profiles.php:687 -msgid "View this profile" -msgstr "View this profile" - -#: mod/profiles.php:688 mod/profiles.php:783 src/Model/Profile.php:393 -msgid "Edit visibility" -msgstr "Edit visibility" - -#: mod/profiles.php:689 -msgid "Create a new profile using these settings" -msgstr "Create a new profile using these settings" - -#: mod/profiles.php:690 -msgid "Clone this profile" -msgstr "Clone this profile" - -#: mod/profiles.php:691 -msgid "Delete this profile" -msgstr "Delete this profile" - -#: mod/profiles.php:693 -msgid "Basic information" -msgstr "Basic information" - -#: mod/profiles.php:694 -msgid "Profile picture" -msgstr "Profile picture" - -#: mod/profiles.php:696 -msgid "Preferences" -msgstr "Preferences" - -#: mod/profiles.php:697 -msgid "Status information" -msgstr "Status information" - -#: mod/profiles.php:698 -msgid "Additional information" -msgstr "Additional information" - -#: mod/profiles.php:700 mod/network.php:940 -#: src/Core/NotificationsManager.php:185 -msgid "Personal" -msgstr "Personal" - -#: mod/profiles.php:701 -msgid "Relation" -msgstr "Relation" - -#: mod/profiles.php:702 src/Util/Temporal.php:81 src/Util/Temporal.php:83 -msgid "Miscellaneous" -msgstr "Miscellaneous" - -#: mod/profiles.php:705 -msgid "Your Gender:" -msgstr "Gender:" - -#: mod/profiles.php:706 -msgid " Marital Status:" -msgstr " Marital status:" - -#: mod/profiles.php:707 src/Model/Profile.php:782 -msgid "Sexual Preference:" -msgstr "Sexual preference:" - -#: mod/profiles.php:708 -msgid "Example: fishing photography software" -msgstr "Example: fishing photography software" - -#: mod/profiles.php:713 -msgid "Profile Name:" -msgstr "Profile name:" - -#: mod/profiles.php:713 mod/events.php:511 mod/events.php:523 -msgid "Required" -msgstr "Required" - -#: mod/profiles.php:715 -msgid "" -"This is your public profile.
It may " -"be visible to anybody using the internet." -msgstr "This is your public profile.
It may be visible to anybody using the internet." - -#: mod/profiles.php:716 -msgid "Your Full Name:" -msgstr "My full name:" - -#: mod/profiles.php:717 -msgid "Title/Description:" -msgstr "Title/Description:" - -#: mod/profiles.php:720 -msgid "Street Address:" -msgstr "Street address:" - -#: mod/profiles.php:721 -msgid "Locality/City:" -msgstr "Locality/City:" - -#: mod/profiles.php:722 -msgid "Region/State:" -msgstr "Region/State:" - -#: mod/profiles.php:723 -msgid "Postal/Zip Code:" -msgstr "Postcode:" - -#: mod/profiles.php:724 -msgid "Country:" -msgstr "Country:" - -#: mod/profiles.php:725 src/Util/Temporal.php:149 -msgid "Age: " -msgstr "Age: " - -#: mod/profiles.php:728 -msgid "Who: (if applicable)" -msgstr "Who: (if applicable)" - -#: mod/profiles.php:728 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Examples: cathy123, Cathy Williams, cathy@example.com" - -#: mod/profiles.php:729 -msgid "Since [date]:" -msgstr "Since when:" - -#: mod/profiles.php:731 -msgid "Tell us about yourself..." -msgstr "About myself:" - -#: mod/profiles.php:732 -msgid "XMPP (Jabber) address:" -msgstr "XMPP (Jabber) address:" - -#: mod/profiles.php:732 -msgid "" -"The XMPP address will be propagated to your contacts so that they can follow" -" you." -msgstr "The XMPP address will be propagated to your contacts so that they can follow you." - -#: mod/profiles.php:733 -msgid "Homepage URL:" -msgstr "Homepage URL:" - -#: mod/profiles.php:734 src/Model/Profile.php:790 -msgid "Hometown:" -msgstr "Home town:" - -#: mod/profiles.php:735 src/Model/Profile.php:798 -msgid "Political Views:" -msgstr "Political views:" - -#: mod/profiles.php:736 -msgid "Religious Views:" -msgstr "Religious views:" - -#: mod/profiles.php:737 -msgid "Public Keywords:" -msgstr "Public keywords:" - -#: mod/profiles.php:737 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "Used for suggesting potential friends, can be seen by others." - -#: mod/profiles.php:738 -msgid "Private Keywords:" -msgstr "Private keywords:" - -#: mod/profiles.php:738 -msgid "(Used for searching profiles, never shown to others)" -msgstr "Used for searching profiles, never shown to others." - -#: mod/profiles.php:739 src/Model/Profile.php:814 -msgid "Likes:" -msgstr "Likes:" - -#: mod/profiles.php:740 src/Model/Profile.php:818 -msgid "Dislikes:" -msgstr "Dislikes:" - -#: mod/profiles.php:741 -msgid "Musical interests" -msgstr "Music:" - -#: mod/profiles.php:742 -msgid "Books, literature" -msgstr "Books, literature, poetry:" - -#: mod/profiles.php:743 -msgid "Television" -msgstr "Television:" - -#: mod/profiles.php:744 -msgid "Film/dance/culture/entertainment" -msgstr "Film, dance, culture, entertainment" - -#: mod/profiles.php:745 -msgid "Hobbies/Interests" -msgstr "Hobbies/Interests:" - -#: mod/profiles.php:746 -msgid "Love/romance" -msgstr "Love/Romance:" - -#: mod/profiles.php:747 -msgid "Work/employment" -msgstr "Work/Employment:" - -#: mod/profiles.php:748 -msgid "School/education" -msgstr "School/Education:" - -#: mod/profiles.php:749 -msgid "Contact information and Social Networks" -msgstr "Contact information and other social networks:" - -#: mod/profiles.php:780 src/Model/Profile.php:389 -msgid "Profile Image" -msgstr "Profile image" - -#: mod/profiles.php:782 src/Model/Profile.php:392 -msgid "visible to everybody" -msgstr "Visible to everybody" - -#: mod/profiles.php:789 -msgid "Edit/Manage Profiles" -msgstr "Edit/Manage Profiles" - -#: mod/profiles.php:790 src/Model/Profile.php:379 src/Model/Profile.php:401 -msgid "Change profile photo" -msgstr "Change profile photo" - -#: mod/profiles.php:791 src/Model/Profile.php:380 -msgid "Create New Profile" -msgstr "Create new profile" - #: mod/wall_attach.php:24 mod/wall_attach.php:32 mod/wall_attach.php:83 #: mod/wall_upload.php:38 mod/wall_upload.php:54 mod/wall_upload.php:112 #: mod/wall_upload.php:155 mod/wall_upload.php:158 @@ -2794,454 +2130,19 @@ msgstr "File exceeds size limit of %s" msgid "File upload failed." msgstr "File upload failed." -#: mod/contacts.php:149 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited." -msgstr[0] "%d contact edited." -msgstr[1] "%d contacts edited." +#: mod/manage.php:180 +msgid "Manage Identities and/or Pages" +msgstr "Manage Identities and Pages" -#: mod/contacts.php:176 mod/contacts.php:392 -msgid "Could not access contact record." -msgstr "Could not access contact record." - -#: mod/contacts.php:186 -msgid "Could not locate selected profile." -msgstr "Could not locate selected profile." - -#: mod/contacts.php:220 -msgid "Contact updated." -msgstr "Contact updated." - -#: mod/contacts.php:222 mod/dfrn_request.php:419 -msgid "Failed to update contact record." -msgstr "Failed to update contact record." - -#: mod/contacts.php:413 -msgid "Contact has been blocked" -msgstr "Contact has been blocked" - -#: mod/contacts.php:413 -msgid "Contact has been unblocked" -msgstr "Contact has been unblocked" - -#: mod/contacts.php:424 -msgid "Contact has been ignored" -msgstr "Contact has been ignored" - -#: mod/contacts.php:424 -msgid "Contact has been unignored" -msgstr "Contact has been unignored" - -#: mod/contacts.php:435 -msgid "Contact has been archived" -msgstr "Contact has been archived" - -#: mod/contacts.php:435 -msgid "Contact has been unarchived" -msgstr "Contact has been unarchived" - -#: mod/contacts.php:459 -msgid "Drop contact" -msgstr "Drop contact" - -#: mod/contacts.php:462 mod/contacts.php:814 -msgid "Do you really want to delete this contact?" -msgstr "Do you really want to delete this contact?" - -#: mod/contacts.php:480 -msgid "Contact has been removed." -msgstr "Contact has been removed." - -#: mod/contacts.php:511 -#, php-format -msgid "You are mutual friends with %s" -msgstr "You are mutual friends with %s" - -#: mod/contacts.php:515 -#, php-format -msgid "You are sharing with %s" -msgstr "You are sharing with %s" - -#: mod/contacts.php:519 -#, php-format -msgid "%s is sharing with you" -msgstr "%s is sharing with you" - -#: mod/contacts.php:539 -msgid "Private communications are not available for this contact." -msgstr "Private communications are not available for this contact." - -#: mod/contacts.php:541 -msgid "Never" -msgstr "Never" - -#: mod/contacts.php:544 -msgid "(Update was successful)" -msgstr "(Update was successful)" - -#: mod/contacts.php:544 -msgid "(Update was not successful)" -msgstr "(Update was not successful)" - -#: mod/contacts.php:546 mod/contacts.php:976 -msgid "Suggest friends" -msgstr "Suggest friends" - -#: mod/contacts.php:550 -#, php-format -msgid "Network type: %s" -msgstr "Network type: %s" - -#: mod/contacts.php:555 -msgid "Communications lost with this contact!" -msgstr "Communications lost with this contact!" - -#: mod/contacts.php:561 -msgid "Fetch further information for feeds" -msgstr "Fetch further information for feeds" - -#: mod/contacts.php:563 +#: mod/manage.php:181 msgid "" -"Fetch information like preview pictures, title and teaser from the feed " -"item. You can activate this if the feed doesn't contain much text. Keywords " -"are taken from the meta header in the feed item and are posted as hash tags." -msgstr "Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags." +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Accounts that I manage or own." -#: mod/contacts.php:564 mod/admin.php:1190 -msgid "Disabled" -msgstr "Disabled" - -#: mod/contacts.php:565 -msgid "Fetch information" -msgstr "Fetch information" - -#: mod/contacts.php:566 -msgid "Fetch keywords" -msgstr "Fetch keywords" - -#: mod/contacts.php:567 -msgid "Fetch information and keywords" -msgstr "Fetch information and keywords" - -#: mod/contacts.php:599 -msgid "Contact" -msgstr "Contact" - -#: mod/contacts.php:602 -msgid "Profile Visibility" -msgstr "Profile visibility" - -#: mod/contacts.php:603 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Please choose the profile you would like to display to %s when viewing your profile securely." - -#: mod/contacts.php:604 -msgid "Contact Information / Notes" -msgstr "Personal note" - -#: mod/contacts.php:605 -msgid "Their personal note" -msgstr "Their personal note" - -#: mod/contacts.php:607 -msgid "Edit contact notes" -msgstr "Edit contact notes" - -#: mod/contacts.php:611 -msgid "Block/Unblock contact" -msgstr "Block/Unblock contact" - -#: mod/contacts.php:612 -msgid "Ignore contact" -msgstr "Ignore contact" - -#: mod/contacts.php:613 -msgid "Repair URL settings" -msgstr "Repair URL settings" - -#: mod/contacts.php:614 -msgid "View conversations" -msgstr "View conversations" - -#: mod/contacts.php:619 -msgid "Last update:" -msgstr "Last update:" - -#: mod/contacts.php:621 -msgid "Update public posts" -msgstr "Update public posts" - -#: mod/contacts.php:623 mod/contacts.php:986 -msgid "Update now" -msgstr "Update now" - -#: mod/contacts.php:628 mod/contacts.php:818 mod/contacts.php:995 -#: mod/admin.php:434 mod/admin.php:1708 -msgid "Unblock" -msgstr "Unblock" - -#: mod/contacts.php:628 mod/contacts.php:818 mod/contacts.php:995 -#: mod/admin.php:433 mod/admin.php:1707 -msgid "Block" -msgstr "Block" - -#: mod/contacts.php:629 mod/contacts.php:819 mod/contacts.php:1003 -msgid "Unignore" -msgstr "Unignore" - -#: mod/contacts.php:633 -msgid "Currently blocked" -msgstr "Currently blocked" - -#: mod/contacts.php:634 -msgid "Currently ignored" -msgstr "Currently ignored" - -#: mod/contacts.php:635 -msgid "Currently archived" -msgstr "Currently archived" - -#: mod/contacts.php:636 -msgid "Awaiting connection acknowledge" -msgstr "Awaiting connection acknowledgement" - -#: mod/contacts.php:637 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Replies/Likes to your public posts may still be visible" - -#: mod/contacts.php:638 -msgid "Notification for new posts" -msgstr "Notification for new posts" - -#: mod/contacts.php:638 -msgid "Send a notification of every new post of this contact" -msgstr "Send notification for every new post from this contact" - -#: mod/contacts.php:641 -msgid "Blacklisted keywords" -msgstr "Blacklisted keywords" - -#: mod/contacts.php:641 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected" - -#: mod/contacts.php:653 src/Model/Profile.php:424 -msgid "XMPP:" -msgstr "XMPP:" - -#: mod/contacts.php:658 -msgid "Actions" -msgstr "Actions" - -#: mod/contacts.php:660 mod/contacts.php:846 view/theme/frio/theme.php:259 -#: src/Content/Nav.php:100 src/Model/Profile.php:888 -msgid "Status" -msgstr "Status" - -#: mod/contacts.php:661 -msgid "Contact Settings" -msgstr "Notification and privacy " - -#: mod/contacts.php:702 -msgid "Suggestions" -msgstr "Suggestions" - -#: mod/contacts.php:705 -msgid "Suggest potential friends" -msgstr "Suggest potential friends" - -#: mod/contacts.php:710 mod/group.php:216 -msgid "All Contacts" -msgstr "All contacts" - -#: mod/contacts.php:713 -msgid "Show all contacts" -msgstr "Show all contacts" - -#: mod/contacts.php:718 -msgid "Unblocked" -msgstr "Unblocked" - -#: mod/contacts.php:721 -msgid "Only show unblocked contacts" -msgstr "Only show unblocked contacts" - -#: mod/contacts.php:726 -msgid "Blocked" -msgstr "Blocked" - -#: mod/contacts.php:729 -msgid "Only show blocked contacts" -msgstr "Only show blocked contacts" - -#: mod/contacts.php:734 -msgid "Ignored" -msgstr "Ignored" - -#: mod/contacts.php:737 -msgid "Only show ignored contacts" -msgstr "Only show ignored contacts" - -#: mod/contacts.php:742 -msgid "Archived" -msgstr "Archived" - -#: mod/contacts.php:745 -msgid "Only show archived contacts" -msgstr "Only show archived contacts" - -#: mod/contacts.php:750 -msgid "Hidden" -msgstr "Hidden" - -#: mod/contacts.php:753 -msgid "Only show hidden contacts" -msgstr "Only show hidden contacts" - -#: mod/contacts.php:809 -msgid "Search your contacts" -msgstr "Search your contacts" - -#: mod/contacts.php:810 mod/search.php:236 -#, php-format -msgid "Results for: %s" -msgstr "Results for: %s" - -#: mod/contacts.php:811 mod/directory.php:210 src/Content/Widget.php:63 -msgid "Find" -msgstr "Find" - -#: mod/contacts.php:817 mod/settings.php:169 mod/settings.php:705 -msgid "Update" -msgstr "Update" - -#: mod/contacts.php:820 mod/contacts.php:1011 -msgid "Archive" -msgstr "Archive" - -#: mod/contacts.php:820 mod/contacts.php:1011 -msgid "Unarchive" -msgstr "Unarchive" - -#: mod/contacts.php:823 -msgid "Batch Actions" -msgstr "Batch actions" - -#: mod/contacts.php:857 src/Model/Profile.php:899 -msgid "Profile Details" -msgstr "Profile Details" - -#: mod/contacts.php:869 -msgid "View all contacts" -msgstr "View all contacts" - -#: mod/contacts.php:880 -msgid "View all common friends" -msgstr "View all common friends" - -#: mod/contacts.php:886 mod/admin.php:1269 mod/events.php:535 -#: src/Model/Profile.php:865 -msgid "Advanced" -msgstr "Advanced" - -#: mod/contacts.php:889 -msgid "Advanced Contact Settings" -msgstr "Advanced contact settings" - -#: mod/contacts.php:921 -msgid "Mutual Friendship" -msgstr "Mutual friendship" - -#: mod/contacts.php:925 -msgid "is a fan of yours" -msgstr "is a fan of yours" - -#: mod/contacts.php:929 -msgid "you are a fan of" -msgstr "I follow them" - -#: mod/contacts.php:997 -msgid "Toggle Blocked status" -msgstr "Toggle blocked status" - -#: mod/contacts.php:1005 -msgid "Toggle Ignored status" -msgstr "Toggle ignored status" - -#: mod/contacts.php:1013 -msgid "Toggle Archive status" -msgstr "Toggle archive status" - -#: mod/contacts.php:1021 -msgid "Delete contact" -msgstr "Delete contact" - -#: mod/delegate.php:142 -msgid "No parent user" -msgstr "No parent user" - -#: mod/delegate.php:158 -msgid "Parent User" -msgstr "Parent user" - -#: mod/delegate.php:160 -msgid "" -"Parent users have total control about this account, including the account " -"settings. Please double check whom you give this access." -msgstr "Parent users have total control of this account, including core settings. Please double-check whom you grant such access." - -#: mod/delegate.php:161 mod/admin.php:1264 mod/admin.php:1873 -#: mod/admin.php:2126 mod/admin.php:2200 mod/admin.php:2347 -#: mod/settings.php:679 mod/settings.php:788 mod/settings.php:874 -#: mod/settings.php:963 mod/settings.php:1198 -msgid "Save Settings" -msgstr "Save settings" - -#: mod/delegate.php:162 src/Content/Nav.php:204 -msgid "Delegate Page Management" -msgstr "Delegate Page Management" - -#: mod/delegate.php:163 -msgid "Delegates" -msgstr "Delegates" - -#: mod/delegate.php:165 -msgid "" -"Delegates are able to manage all aspects of this account/page except for " -"basic account settings. Please do not delegate your personal account to " -"anybody that you do not trust completely." -msgstr "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely." - -#: mod/delegate.php:166 -msgid "Existing Page Managers" -msgstr "Existing page managers" - -#: mod/delegate.php:168 -msgid "Existing Page Delegates" -msgstr "Existing page delegates" - -#: mod/delegate.php:170 -msgid "Potential Delegates" -msgstr "Potential delegates" - -#: mod/delegate.php:172 mod/tagrm.php:98 -msgid "Remove" -msgstr "Remove" - -#: mod/delegate.php:173 -msgid "Add" -msgstr "Add" - -#: mod/delegate.php:174 -msgid "No entries." -msgstr "No entries." +#: mod/manage.php:182 +msgid "Select an identity to manage: " +msgstr "Select identity:" #: mod/dfrn_request.php:94 msgid "This introduction has already been accepted." @@ -3308,10 +2209,19 @@ msgstr "Apparently you are already friends with %s." msgid "Invalid profile URL." msgstr "Invalid profile URL." -#: mod/dfrn_request.php:345 src/Model/Contact.php:1137 +#: mod/dfrn_request.php:345 src/Model/Contact.php:1223 msgid "Disallowed profile URL." msgstr "Disallowed profile URL." +#: mod/dfrn_request.php:351 mod/friendica.php:128 mod/admin.php:353 +#: mod/admin.php:371 src/Model/Contact.php:1228 +msgid "Blocked domain" +msgstr "Blocked domain" + +#: mod/dfrn_request.php:419 mod/contacts.php:230 +msgid "Failed to update contact record." +msgstr "Failed to update contact record." + #: mod/dfrn_request.php:439 msgid "Your introduction has been sent." msgstr "Your introduction has been sent." @@ -3350,10 +2260,10 @@ msgstr "Welcome home %s." msgid "Please confirm your introduction/connection request to %s." msgstr "Please confirm your introduction/connection request to %s." -#: mod/dfrn_request.php:607 mod/probe.php:13 mod/search.php:98 -#: mod/search.php:104 mod/viewcontacts.php:45 mod/webfinger.php:16 -#: mod/community.php:25 mod/directory.php:42 mod/display.php:201 -#: mod/photos.php:932 mod/videos.php:200 +#: mod/dfrn_request.php:607 mod/probe.php:13 mod/viewcontacts.php:45 +#: mod/webfinger.php:16 mod/search.php:98 mod/search.php:104 +#: mod/community.php:27 mod/photos.php:932 mod/videos.php:199 +#: mod/display.php:203 mod/directory.php:42 msgid "Public access denied." msgstr "Public access denied." @@ -3380,16 +2290,16 @@ msgid "" "testuser@gnusocial.de" msgstr "Examples: jojo@demo.friendi.ca, http://demo.friendi.ca/profile/jojo, user@gnusocial.de" -#: mod/dfrn_request.php:652 mod/follow.php:147 +#: mod/dfrn_request.php:652 mod/follow.php:149 msgid "Please answer the following:" msgstr "Please answer the following:" -#: mod/dfrn_request.php:653 mod/follow.php:148 +#: mod/dfrn_request.php:653 mod/follow.php:150 #, php-format msgid "Does %s know you?" msgstr "Does %s know you?" -#: mod/dfrn_request.php:654 mod/follow.php:149 +#: mod/dfrn_request.php:654 mod/follow.php:151 msgid "Add a personal note:" msgstr "Add a personal note:" @@ -3412,29 +2322,972 @@ msgid "" " bar." msgstr " - please do not use this form. Instead, enter %s into your Diaspora search bar." +#: mod/dfrn_request.php:660 mod/unfollow.php:113 mod/follow.php:157 +msgid "Your Identity Address:" +msgstr "My identity address:" + +#: mod/dfrn_request.php:662 mod/unfollow.php:65 mod/follow.php:62 +msgid "Submit Request" +msgstr "Submit request" + +#: mod/localtime.php:19 src/Model/Event.php:36 src/Model/Event.php:814 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" + +#: mod/localtime.php:33 +msgid "Time Conversion" +msgstr "Time conversion" + +#: mod/localtime.php:35 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica provides this service for sharing events with other networks and friends in unknown time zones." + +#: mod/localtime.php:39 +#, php-format +msgid "UTC time: %s" +msgstr "UTC time: %s" + +#: mod/localtime.php:42 +#, php-format +msgid "Current timezone: %s" +msgstr "Current time zone: %s" + +#: mod/localtime.php:46 +#, php-format +msgid "Converted localtime: %s" +msgstr "Converted local time: %s" + +#: mod/localtime.php:52 +msgid "Please select your timezone:" +msgstr "Please select your time zone:" + +#: mod/probe.php:14 mod/webfinger.php:17 +msgid "Only logged in users are permitted to perform a probing." +msgstr "Only logged in users are permitted to perform a probing." + +#: mod/profperm.php:28 mod/group.php:83 index.php:415 +msgid "Permission denied" +msgstr "Permission denied" + +#: mod/profperm.php:34 mod/profperm.php:65 +msgid "Invalid profile identifier." +msgstr "Invalid profile identifier." + +#: mod/profperm.php:111 +msgid "Profile Visibility Editor" +msgstr "Profile Visibility Editor" + +#: mod/profperm.php:115 mod/group.php:265 +msgid "Click on a contact to add or remove." +msgstr "Click on a contact to add or remove it." + +#: mod/profperm.php:124 +msgid "Visible To" +msgstr "Visible to" + +#: mod/profperm.php:140 +msgid "All Contacts (with secure profile access)" +msgstr "All contacts with secure profile access" + +#: mod/regmod.php:68 +msgid "Account approved." +msgstr "Account approved." + +#: mod/regmod.php:93 +#, php-format +msgid "Registration revoked for %s" +msgstr "Registration revoked for %s" + +#: mod/regmod.php:102 +msgid "Please login." +msgstr "Please login." + +#: mod/removeme.php:55 mod/removeme.php:58 +msgid "Remove My Account" +msgstr "Remove My Account" + +#: mod/removeme.php:56 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "This will completely remove your account. Once this has been done it is not recoverable." + +#: mod/removeme.php:57 +msgid "Please enter your password for verification:" +msgstr "Please enter your password for verification:" + +#: mod/viewcontacts.php:87 +msgid "No contacts." +msgstr "No contacts." + +#: mod/viewsrc.php:12 +msgid "Access denied." +msgstr "Access denied." + +#: mod/wallmessage.php:49 mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Number of daily wall messages for %s exceeded. Message failed." + +#: mod/wallmessage.php:57 mod/message.php:73 +msgid "No recipient selected." +msgstr "No recipient selected." + +#: mod/wallmessage.php:60 +msgid "Unable to check your home location." +msgstr "Unable to check your home location." + +#: mod/wallmessage.php:63 mod/message.php:80 +msgid "Message could not be sent." +msgstr "Message could not be sent." + +#: mod/wallmessage.php:66 mod/message.php:83 +msgid "Message collection failure." +msgstr "Message collection failure." + +#: mod/wallmessage.php:69 mod/message.php:86 +msgid "Message sent." +msgstr "Message sent." + +#: mod/wallmessage.php:86 mod/wallmessage.php:95 +msgid "No recipient." +msgstr "No recipient." + +#: mod/wallmessage.php:132 mod/message.php:250 +msgid "Send Private Message" +msgstr "Send private message" + +#: mod/wallmessage.php:133 +#, php-format +msgid "" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders." + +#: mod/wallmessage.php:134 mod/message.php:251 mod/message.php:421 +msgid "To:" +msgstr "To:" + +#: mod/wallmessage.php:135 mod/message.php:255 mod/message.php:423 +msgid "Subject:" +msgstr "Subject:" + +#: mod/uexport.php:44 +msgid "Export account" +msgstr "Export account" + +#: mod/uexport.php:44 +msgid "" +"Export your account info and contacts. Use this to make a backup of your " +"account and/or to move it to another server." +msgstr "Export your account info and contacts. Use this to backup your account or to move it to another server." + +#: mod/uexport.php:45 +msgid "Export all" +msgstr "Export all" + +#: mod/uexport.php:45 +msgid "" +"Export your accout info, contacts and all your items as json. Could be a " +"very big file, and could take a lot of time. Use this to make a full backup " +"of your account (photos are not exported)" +msgstr "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)" + +#: mod/uexport.php:52 mod/settings.php:107 +msgid "Export personal data" +msgstr "Export personal data" + #: mod/filer.php:34 msgid "- select -" msgstr "- select -" -#: mod/follow.php:44 -msgid "The contact could not be added." -msgstr "Contact could not be added." +#: mod/notify.php:77 +msgid "No more system notifications." +msgstr "No more system notifications." -#: mod/follow.php:72 -msgid "You already added this contact." -msgstr "You already added this contact." +#: mod/ping.php:292 +msgid "{0} wants to be your friend" +msgstr "{0} wants to be your friend" -#: mod/follow.php:81 -msgid "Diaspora support isn't enabled. Contact can't be added." -msgstr "Diaspora support isn't enabled. Contact can't be added." +#: mod/ping.php:307 +msgid "{0} sent you a message" +msgstr "{0} sent you a message" -#: mod/follow.php:88 -msgid "OStatus support is disabled. Contact can't be added." -msgstr "OStatus support is disabled. Contact can't be added." +#: mod/ping.php:322 +msgid "{0} requested registration" +msgstr "{0} requested registration" -#: mod/follow.php:95 -msgid "The network type couldn't be detected. Contact can't be added." -msgstr "The network type couldn't be detected. Contact can't be added." +#: mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Poke/Prod" + +#: mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "Poke, prod or do other things to somebody" + +#: mod/poke.php:194 +msgid "Recipient" +msgstr "Recipient:" + +#: mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Choose what you wish to do:" + +#: mod/poke.php:198 +msgid "Make this post private" +msgstr "Make this post private" + +#: mod/subthread.php:113 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s is following %2$s's %3$s" + +#: mod/tagrm.php:47 +msgid "Tag removed" +msgstr "Tag removed" + +#: mod/tagrm.php:85 +msgid "Remove Item Tag" +msgstr "Remove Item tag" + +#: mod/tagrm.php:87 +msgid "Select a tag to remove: " +msgstr "Select a tag to remove: " + +#: mod/tagrm.php:98 mod/delegate.php:177 +msgid "Remove" +msgstr "Remove" + +#: mod/wall_upload.php:186 mod/photos.php:763 mod/photos.php:766 +#: mod/photos.php:795 mod/profile_photo.php:153 +#, php-format +msgid "Image exceeds size limit of %s" +msgstr "Image exceeds size limit of %s" + +#: mod/wall_upload.php:200 mod/photos.php:818 mod/profile_photo.php:162 +msgid "Unable to process image." +msgstr "Unable to process image." + +#: mod/wall_upload.php:231 mod/item.php:471 src/Object/Image.php:953 +#: src/Object/Image.php:969 src/Object/Image.php:977 src/Object/Image.php:1002 +msgid "Wall Photos" +msgstr "Wall photos" + +#: mod/wall_upload.php:239 mod/photos.php:847 mod/profile_photo.php:307 +msgid "Image upload failed." +msgstr "Image upload failed." + +#: mod/search.php:37 mod/network.php:194 +msgid "Remove term" +msgstr "Remove term" + +#: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 +msgid "Saved Searches" +msgstr "Saved searches" + +#: mod/search.php:105 +msgid "Only logged in users are permitted to perform a search." +msgstr "Only logged in users are permitted to perform a search." + +#: mod/search.php:129 +msgid "Too Many Requests" +msgstr "Too many requests" + +#: mod/search.php:130 +msgid "Only one search per minute is permitted for not logged in users." +msgstr "Only one search per minute is permitted for not logged in users." + +#: mod/search.php:228 mod/community.php:136 +msgid "No results." +msgstr "No results." + +#: mod/search.php:234 +#, php-format +msgid "Items tagged with: %s" +msgstr "Items tagged with: %s" + +#: mod/search.php:236 mod/contacts.php:819 +#, php-format +msgid "Results for: %s" +msgstr "Results for: %s" + +#: mod/bookmarklet.php:23 src/Content/Nav.php:114 src/Module/Login.php:312 +msgid "Login" +msgstr "Login" + +#: mod/bookmarklet.php:51 +msgid "The post was created" +msgstr "The post was created" + +#: mod/community.php:46 +msgid "Community option not available." +msgstr "Community option not available." + +#: mod/community.php:63 +msgid "Not available." +msgstr "Not available." + +#: mod/community.php:76 +msgid "Local Community" +msgstr "Local community" + +#: mod/community.php:79 +msgid "Posts from local users on this server" +msgstr "Posts from local users on this server" + +#: mod/community.php:87 +msgid "Global Community" +msgstr "Global community" + +#: mod/community.php:90 +msgid "Posts from users of the whole federated network" +msgstr "Posts from users of the whole federated network" + +#: mod/community.php:180 +msgid "" +"This community stream shows all public posts received by this node. They may" +" not reflect the opinions of this node’s users." +msgstr "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users." + +#: mod/editpost.php:25 mod/editpost.php:35 +msgid "Item not found" +msgstr "Item not found" + +#: mod/editpost.php:42 +msgid "Edit post" +msgstr "Edit post" + +#: mod/editpost.php:134 src/Core/ACL.php:315 +msgid "CC: email addresses" +msgstr "CC: email addresses" + +#: mod/editpost.php:141 src/Core/ACL.php:316 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Example: bob@example.com, mary@example.com" + +#: mod/feedtest.php:20 +msgid "You must be logged in to use this module" +msgstr "You must be logged in to use this module" + +#: mod/feedtest.php:48 +msgid "Source URL" +msgstr "Source URL" + +#: mod/fsuggest.php:72 +msgid "Friend suggestion sent." +msgstr "Friend suggestion sent" + +#: mod/fsuggest.php:101 +msgid "Suggest Friends" +msgstr "Suggest friends" + +#: mod/fsuggest.php:103 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Suggest a friend for %s" + +#: mod/group.php:36 +msgid "Group created." +msgstr "Group created." + +#: mod/group.php:42 +msgid "Could not create group." +msgstr "Could not create group." + +#: mod/group.php:56 mod/group.php:157 +msgid "Group not found." +msgstr "Group not found." + +#: mod/group.php:70 +msgid "Group name changed." +msgstr "Group name changed." + +#: mod/group.php:97 +msgid "Save Group" +msgstr "Save group" + +#: mod/group.php:102 +msgid "Create a group of contacts/friends." +msgstr "Create a group of contacts/friends." + +#: mod/group.php:103 mod/group.php:199 src/Model/Group.php:408 +msgid "Group Name: " +msgstr "Group name: " + +#: mod/group.php:127 +msgid "Group removed." +msgstr "Group removed." + +#: mod/group.php:129 +msgid "Unable to remove group." +msgstr "Unable to remove group." + +#: mod/group.php:192 +msgid "Delete Group" +msgstr "Delete group" + +#: mod/group.php:198 +msgid "Group Editor" +msgstr "Group Editor" + +#: mod/group.php:203 +msgid "Edit Group Name" +msgstr "Edit group name" + +#: mod/group.php:213 +msgid "Members" +msgstr "Members" + +#: mod/group.php:215 mod/contacts.php:719 +msgid "All Contacts" +msgstr "All contacts" + +#: mod/group.php:216 mod/network.php:639 +msgid "Group is empty" +msgstr "Group is empty" + +#: mod/group.php:229 +msgid "Remove Contact" +msgstr "Remove contact" + +#: mod/group.php:253 +msgid "Add Contact" +msgstr "Add contact" + +#: mod/item.php:114 +msgid "Unable to locate original post." +msgstr "Unable to locate original post." + +#: mod/item.php:274 +msgid "Empty post discarded." +msgstr "Empty post discarded." + +#: mod/item.php:799 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "This message was sent to you by %s, a member of the Friendica social network." + +#: mod/item.php:801 +#, php-format +msgid "You may visit them online at %s" +msgstr "You may visit them online at %s" + +#: mod/item.php:802 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Please contact the sender by replying to this post if you do not wish to receive these messages." + +#: mod/item.php:806 +#, php-format +msgid "%s posted an update." +msgstr "%s posted an update." + +#: mod/message.php:30 src/Content/Nav.php:198 +msgid "New Message" +msgstr "New Message" + +#: mod/message.php:77 +msgid "Unable to locate contact information." +msgstr "Unable to locate contact information." + +#: mod/message.php:112 src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Messages" +msgstr "Messages" + +#: mod/message.php:136 +msgid "Do you really want to delete this message?" +msgstr "Do you really want to delete this message?" + +#: mod/message.php:156 +msgid "Message deleted." +msgstr "Message deleted." + +#: mod/message.php:185 +msgid "Conversation removed." +msgstr "Conversation removed." + +#: mod/message.php:291 +msgid "No messages." +msgstr "No messages." + +#: mod/message.php:330 +msgid "Message not available." +msgstr "Message not available." + +#: mod/message.php:397 +msgid "Delete message" +msgstr "Delete message" + +#: mod/message.php:399 mod/message.php:500 +msgid "D, d M Y - g:i A" +msgstr "D, d M Y - g:i A" + +#: mod/message.php:414 mod/message.php:497 +msgid "Delete conversation" +msgstr "Delete conversation" + +#: mod/message.php:416 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "No secure communications available. You may be able to respond from the sender's profile page." + +#: mod/message.php:420 +msgid "Send Reply" +msgstr "Send reply" + +#: mod/message.php:471 +#, php-format +msgid "Unknown sender - %s" +msgstr "Unknown sender - %s" + +#: mod/message.php:473 +#, php-format +msgid "You and %s" +msgstr "Me and %s" + +#: mod/message.php:475 +#, php-format +msgid "%s and You" +msgstr "%s and me" + +#: mod/message.php:503 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d message" +msgstr[1] "%d messages" + +#: mod/network.php:202 src/Model/Group.php:400 +msgid "add" +msgstr "add" + +#: mod/network.php:547 +#, php-format +msgid "" +"Warning: This group contains %s member from a network that doesn't allow non" +" public messages." +msgid_plural "" +"Warning: This group contains %s members from a network that doesn't allow " +"non public messages." +msgstr[0] "Warning: This group contains %s member from a network that doesn't allow non public messages." +msgstr[1] "Warning: This group contains %s members from a network that doesn't allow non public messages." + +#: mod/network.php:550 +msgid "Messages in this group won't be send to these receivers." +msgstr "Messages in this group won't be send to these receivers." + +#: mod/network.php:618 +msgid "No such group" +msgstr "No such group" + +#: mod/network.php:643 +#, php-format +msgid "Group: %s" +msgstr "Group: %s" + +#: mod/network.php:669 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "Private messages to this person are at risk of public disclosure." + +#: mod/network.php:672 +msgid "Invalid contact." +msgstr "Invalid contact." + +#: mod/network.php:921 +msgid "Commented Order" +msgstr "Commented last" + +#: mod/network.php:924 +msgid "Sort by Comment Date" +msgstr "Sort by comment date" + +#: mod/network.php:929 +msgid "Posted Order" +msgstr "Posted last" + +#: mod/network.php:932 +msgid "Sort by Post Date" +msgstr "Sort by post date" + +#: mod/network.php:940 mod/profiles.php:687 +#: src/Core/NotificationsManager.php:185 +msgid "Personal" +msgstr "Personal" + +#: mod/network.php:943 +msgid "Posts that mention or involve you" +msgstr "Posts mentioning or involving me" + +#: mod/network.php:951 +msgid "New" +msgstr "New" + +#: mod/network.php:954 +msgid "Activity Stream - by date" +msgstr "Activity Stream - by date" + +#: mod/network.php:962 +msgid "Shared Links" +msgstr "Shared links" + +#: mod/network.php:965 +msgid "Interesting Links" +msgstr "Interesting links" + +#: mod/network.php:973 +msgid "Starred" +msgstr "Starred" + +#: mod/network.php:976 +msgid "Favourite Posts" +msgstr "My favorite posts" + +#: mod/notes.php:52 src/Model/Profile.php:946 +msgid "Personal Notes" +msgstr "Personal notes" + +#: mod/oexchange.php:30 +msgid "Post successful." +msgstr "Post successful." + +#: mod/photos.php:108 src/Model/Profile.php:907 +msgid "Photo Albums" +msgstr "Photo Albums" + +#: mod/photos.php:109 mod/photos.php:1713 +msgid "Recent Photos" +msgstr "Recent photos" + +#: mod/photos.php:112 mod/photos.php:1210 mod/photos.php:1715 +msgid "Upload New Photos" +msgstr "Upload new photos" + +#: mod/photos.php:126 mod/settings.php:50 +msgid "everybody" +msgstr "everybody" + +#: mod/photos.php:184 +msgid "Contact information unavailable" +msgstr "Contact information unavailable" + +#: mod/photos.php:204 +msgid "Album not found." +msgstr "Album not found." + +#: mod/photos.php:234 mod/photos.php:245 mod/photos.php:1161 +msgid "Delete Album" +msgstr "Delete album" + +#: mod/photos.php:243 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Do you really want to delete this photo album and all its photos?" + +#: mod/photos.php:310 mod/photos.php:321 mod/photos.php:1446 +msgid "Delete Photo" +msgstr "Delete photo" + +#: mod/photos.php:319 +msgid "Do you really want to delete this photo?" +msgstr "Do you really want to delete this photo?" + +#: mod/photos.php:667 +msgid "a photo" +msgstr "a photo" + +#: mod/photos.php:667 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s was tagged in %2$s by %3$s" + +#: mod/photos.php:769 +msgid "Image upload didn't complete, please try again" +msgstr "Image upload didn't complete, please try again" + +#: mod/photos.php:772 +msgid "Image file is missing" +msgstr "Image file is missing" + +#: mod/photos.php:777 +msgid "" +"Server can't accept new file upload at this time, please contact your " +"administrator" +msgstr "Server can't accept new file upload at this time, please contact your administrator" + +#: mod/photos.php:803 +msgid "Image file is empty." +msgstr "Image file is empty." + +#: mod/photos.php:940 +msgid "No photos selected" +msgstr "No photos selected" + +#: mod/photos.php:1036 mod/videos.php:309 +msgid "Access to this item is restricted." +msgstr "Access to this item is restricted." + +#: mod/photos.php:1090 +msgid "Upload Photos" +msgstr "Upload photos" + +#: mod/photos.php:1094 mod/photos.php:1156 +msgid "New album name: " +msgstr "New album name: " + +#: mod/photos.php:1095 +msgid "or existing album name: " +msgstr "or existing album name: " + +#: mod/photos.php:1096 +msgid "Do not show a status post for this upload" +msgstr "Do not show a status post for this upload" + +#: mod/photos.php:1098 mod/photos.php:1441 mod/events.php:533 +#: src/Core/ACL.php:318 +msgid "Permissions" +msgstr "Permissions" + +#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1229 +msgid "Show to Groups" +msgstr "Show to groups" + +#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1230 +msgid "Show to Contacts" +msgstr "Show to contacts" + +#: mod/photos.php:1167 +msgid "Edit Album" +msgstr "Edit album" + +#: mod/photos.php:1172 +msgid "Show Newest First" +msgstr "Show newest first" + +#: mod/photos.php:1174 +msgid "Show Oldest First" +msgstr "Show oldest first" + +#: mod/photos.php:1195 mod/photos.php:1698 +msgid "View Photo" +msgstr "View photo" + +#: mod/photos.php:1236 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permission denied. Access to this item may be restricted." + +#: mod/photos.php:1238 +msgid "Photo not available" +msgstr "Photo not available" + +#: mod/photos.php:1301 +msgid "View photo" +msgstr "View photo" + +#: mod/photos.php:1301 +msgid "Edit photo" +msgstr "Edit photo" + +#: mod/photos.php:1302 +msgid "Use as profile photo" +msgstr "Use as profile photo" + +#: mod/photos.php:1308 src/Object/Post.php:149 +msgid "Private Message" +msgstr "Private message" + +#: mod/photos.php:1327 +msgid "View Full Size" +msgstr "View full size" + +#: mod/photos.php:1414 +msgid "Tags: " +msgstr "Tags: " + +#: mod/photos.php:1417 +msgid "[Remove any tag]" +msgstr "[Remove any tag]" + +#: mod/photos.php:1432 +msgid "New album name" +msgstr "New album name" + +#: mod/photos.php:1433 +msgid "Caption" +msgstr "Caption" + +#: mod/photos.php:1434 +msgid "Add a Tag" +msgstr "Add Tag" + +#: mod/photos.php:1434 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Example: @bob, @jojo@example.com, #California, #camping" + +#: mod/photos.php:1435 +msgid "Do not rotate" +msgstr "Do not rotate" + +#: mod/photos.php:1436 +msgid "Rotate CW (right)" +msgstr "Rotate right (CW)" + +#: mod/photos.php:1437 +msgid "Rotate CCW (left)" +msgstr "Rotate left (CCW)" + +#: mod/photos.php:1471 src/Object/Post.php:296 +msgid "I like this (toggle)" +msgstr "I like this (toggle)" + +#: mod/photos.php:1472 src/Object/Post.php:297 +msgid "I don't like this (toggle)" +msgstr "I don't like this (toggle)" + +#: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 +#: mod/contacts.php:953 src/Object/Post.php:793 +msgid "This is you" +msgstr "This is me" + +#: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 +#: src/Object/Post.php:399 src/Object/Post.php:795 +msgid "Comment" +msgstr "Comment" + +#: mod/photos.php:1634 +msgid "Map" +msgstr "Map" + +#: mod/photos.php:1704 mod/videos.php:387 +msgid "View Album" +msgstr "View album" + +#: mod/profile.php:37 src/Model/Profile.php:118 +msgid "Requested profile is not available." +msgstr "Requested profile is unavailable." + +#: mod/profile.php:78 src/Protocol/OStatus.php:1252 +#, php-format +msgid "%s's posts" +msgstr "%s's posts" + +#: mod/profile.php:79 src/Protocol/OStatus.php:1253 +#, php-format +msgid "%s's comments" +msgstr "%s's comments" + +#: mod/profile.php:80 src/Protocol/OStatus.php:1251 +#, php-format +msgid "%s's timeline" +msgstr "%s's timeline" + +#: mod/profile.php:173 mod/display.php:313 mod/cal.php:142 +msgid "Access to this profile has been restricted." +msgstr "Access to this profile has been restricted." + +#: mod/profile.php:194 +msgid "Tips for New Members" +msgstr "Tips for New Members" + +#: mod/videos.php:139 +msgid "Do you really want to delete this video?" +msgstr "Do you really want to delete this video?" + +#: mod/videos.php:144 +msgid "Delete Video" +msgstr "Delete video" + +#: mod/videos.php:207 +msgid "No videos selected" +msgstr "No videos selected" + +#: mod/videos.php:396 +msgid "Recent Videos" +msgstr "Recent videos" + +#: mod/videos.php:398 +msgid "Upload New Videos" +msgstr "Upload new videos" + +#: mod/delegate.php:37 +msgid "Parent user not found." +msgstr "Parent user not found." + +#: mod/delegate.php:144 +msgid "No parent user" +msgstr "No parent user" + +#: mod/delegate.php:159 +msgid "Parent Password:" +msgstr "Parent Password:" + +#: mod/delegate.php:159 +msgid "" +"Please enter the password of the parent account to legitimize your request." +msgstr "Please enter the password of the parent account to authorize this request." + +#: mod/delegate.php:164 +msgid "Parent User" +msgstr "Parent user" + +#: mod/delegate.php:167 +msgid "" +"Parent users have total control about this account, including the account " +"settings. Please double check whom you give this access." +msgstr "Parent users have total control of this account, including core settings. Please double-check whom you grant such access." + +#: mod/delegate.php:168 mod/admin.php:307 mod/admin.php:1346 +#: mod/admin.php:1965 mod/admin.php:2218 mod/admin.php:2292 mod/admin.php:2439 +#: mod/settings.php:675 mod/settings.php:784 mod/settings.php:872 +#: mod/settings.php:961 mod/settings.php:1194 +msgid "Save Settings" +msgstr "Save settings" + +#: mod/delegate.php:169 src/Content/Nav.php:204 +msgid "Delegate Page Management" +msgstr "Delegate Page Management" + +#: mod/delegate.php:170 +msgid "Delegates" +msgstr "Delegates" + +#: mod/delegate.php:172 +msgid "" +"Delegates are able to manage all aspects of this account/page except for " +"basic account settings. Please do not delegate your personal account to " +"anybody that you do not trust completely." +msgstr "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely." + +#: mod/delegate.php:173 +msgid "Existing Page Delegates" +msgstr "Existing page delegates" + +#: mod/delegate.php:175 +msgid "Potential Delegates" +msgstr "Potential delegates" + +#: mod/delegate.php:178 +msgid "Add" +msgstr "Add" + +#: mod/delegate.php:179 +msgid "No entries." +msgstr "No entries." + +#: mod/dirfind.php:49 +#, php-format +msgid "People Search - %s" +msgstr "People search - %s" + +#: mod/dirfind.php:60 +#, php-format +msgid "Forum Search - %s" +msgstr "Forum search - %s" #: mod/install.php:114 msgid "Friendica Communications Server - Setup" @@ -3458,7 +3311,7 @@ msgid "" "or mysql." msgstr "You may need to import the file \"database.sql\" manually using phpmyadmin or mysql." -#: mod/install.php:136 mod/install.php:208 mod/install.php:553 +#: mod/install.php:136 mod/install.php:208 mod/install.php:558 msgid "Please see the file \"INSTALL.txt\"." msgstr "Please see the file \"INSTALL.txt\"." @@ -3470,6 +3323,10 @@ msgstr "Database already in use." msgid "System check" msgstr "System check" +#: mod/install.php:209 mod/cal.php:277 mod/events.php:395 +msgid "Next" +msgstr "Next" + #: mod/install.php:210 msgid "Check again" msgstr "Check again" @@ -3637,147 +3494,155 @@ msgid "XML PHP module" msgstr "XML PHP module" #: mod/install.php:400 -msgid "iconv module" -msgstr "iconv module" +msgid "iconv PHP module" +msgstr "iconv PHP module" -#: mod/install.php:404 mod/install.php:406 +#: mod/install.php:401 +msgid "POSIX PHP module" +msgstr "POSIX PHP module" + +#: mod/install.php:405 mod/install.php:407 msgid "Apache mod_rewrite module" msgstr "Apache mod_rewrite module" -#: mod/install.php:404 +#: mod/install.php:405 msgid "" "Error: Apache webserver mod-rewrite module is required but not installed." msgstr "Error: Apache web server mod-rewrite module is required but not installed." -#: mod/install.php:412 +#: mod/install.php:413 msgid "Error: libCURL PHP module required but not installed." msgstr "Error: libCURL PHP module required but not installed." -#: mod/install.php:416 +#: mod/install.php:417 msgid "" "Error: GD graphics PHP module with JPEG support required but not installed." msgstr "Error: GD graphics PHP module with JPEG support required but not installed." -#: mod/install.php:420 +#: mod/install.php:421 msgid "Error: openssl PHP module required but not installed." msgstr "Error: openssl PHP module required but not installed." -#: mod/install.php:424 +#: mod/install.php:425 msgid "Error: PDO or MySQLi PHP module required but not installed." msgstr "Error: PDO or MySQLi PHP module required but not installed." -#: mod/install.php:428 +#: mod/install.php:429 msgid "Error: The MySQL driver for PDO is not installed." msgstr "Error: MySQL driver for PDO is not installed." -#: mod/install.php:432 +#: mod/install.php:433 msgid "Error: mb_string PHP module required but not installed." msgstr "Error: mb_string PHP module required but not installed." -#: mod/install.php:436 +#: mod/install.php:437 msgid "Error: iconv PHP module required but not installed." msgstr "Error: iconv PHP module required but not installed." -#: mod/install.php:446 +#: mod/install.php:441 +msgid "Error: POSIX PHP module required but not installed." +msgstr "Error: POSIX PHP module required but not installed." + +#: mod/install.php:451 msgid "Error, XML PHP module required but not installed." msgstr "Error, XML PHP module required but not installed." -#: mod/install.php:458 +#: mod/install.php:463 msgid "" "The web installer needs to be able to create a file called \".htconfig.php\"" " in the top folder of your web server and it is unable to do so." msgstr "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so." -#: mod/install.php:459 +#: mod/install.php:464 msgid "" "This is most often a permission setting, as the web server may not be able " "to write files in your folder - even if you can." msgstr "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can." -#: mod/install.php:460 +#: mod/install.php:465 msgid "" "At the end of this procedure, we will give you a text to save in a file " "named .htconfig.php in your Friendica top folder." msgstr "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top-level directory." -#: mod/install.php:461 +#: mod/install.php:466 msgid "" "You can alternatively skip this procedure and perform a manual installation." " Please see the file \"INSTALL.txt\" for instructions." msgstr "Alternatively, you may skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions." -#: mod/install.php:464 +#: mod/install.php:469 msgid ".htconfig.php is writable" msgstr ".htconfig.php is writable" -#: mod/install.php:474 +#: mod/install.php:479 msgid "" "Friendica uses the Smarty3 template engine to render its web views. Smarty3 " "compiles templates to PHP to speed up rendering." msgstr "Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering." -#: mod/install.php:475 +#: mod/install.php:480 msgid "" "In order to store these compiled templates, the web server needs to have " "write access to the directory view/smarty3/ under the Friendica top level " "folder." msgstr "In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top-level directory." -#: mod/install.php:476 +#: mod/install.php:481 msgid "" "Please ensure that the user that your web server runs as (e.g. www-data) has" " write access to this folder." msgstr "Please ensure the user (e.g. www-data) that your web server runs as has write access to this directory." -#: mod/install.php:477 +#: mod/install.php:482 msgid "" "Note: as a security measure, you should give the web server write access to " "view/smarty3/ only--not the template files (.tpl) that it contains." msgstr "Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains." -#: mod/install.php:480 +#: mod/install.php:485 msgid "view/smarty3 is writable" msgstr "view/smarty3 is writable" -#: mod/install.php:496 +#: mod/install.php:501 msgid "" "Url rewrite in .htaccess is not working. Check your server configuration." msgstr "URL rewrite in .htaccess is not working. Check your server configuration." -#: mod/install.php:498 +#: mod/install.php:503 msgid "Url rewrite is working" msgstr "URL rewrite is working" -#: mod/install.php:517 +#: mod/install.php:522 msgid "ImageMagick PHP extension is not installed" msgstr "ImageMagick PHP extension is not installed" -#: mod/install.php:519 +#: mod/install.php:524 msgid "ImageMagick PHP extension is installed" msgstr "ImageMagick PHP extension is installed" -#: mod/install.php:521 +#: mod/install.php:526 msgid "ImageMagick supports GIF" msgstr "ImageMagick supports GIF" -#: mod/install.php:528 +#: mod/install.php:533 msgid "" "The database configuration file \".htconfig.php\" could not be written. " "Please use the enclosed text to create a configuration file in your web " "server root." msgstr "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root." -#: mod/install.php:551 +#: mod/install.php:556 msgid "

What next

" msgstr "

What next

" -#: mod/install.php:552 +#: mod/install.php:557 msgid "" "IMPORTANT: You will need to [manually] setup a scheduled task for the " "worker." msgstr "IMPORTANT: You will need to [manually] setup a scheduled task for the worker." -#: mod/install.php:555 +#: mod/install.php:560 #, php-format msgid "" "Go to your new Friendica node registration page " @@ -3785,34 +3650,1156 @@ msgid "" " administrator email. This will allow you to enter the site admin panel." msgstr "Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel." -#: mod/localtime.php:33 -msgid "Time Conversion" -msgstr "Time conversion" +#: mod/ostatus_subscribe.php:21 +msgid "Subscribing to OStatus contacts" +msgstr "Subscribing to OStatus contacts" -#: mod/localtime.php:35 +#: mod/ostatus_subscribe.php:33 +msgid "No contact provided." +msgstr "No contact provided." + +#: mod/ostatus_subscribe.php:40 +msgid "Couldn't fetch information for contact." +msgstr "Couldn't fetch information for contact." + +#: mod/ostatus_subscribe.php:50 +msgid "Couldn't fetch friends for contact." +msgstr "Couldn't fetch friends for contact." + +#: mod/ostatus_subscribe.php:78 +msgid "success" +msgstr "success" + +#: mod/ostatus_subscribe.php:80 +msgid "failed" +msgstr "failed" + +#: mod/ostatus_subscribe.php:83 src/Object/Post.php:279 +msgid "ignored" +msgstr "Ignored" + +#: mod/unfollow.php:34 +msgid "Contact wasn't found or can't be unfollowed." +msgstr "Contact wasn't found or can't be unfollowed." + +#: mod/unfollow.php:47 +msgid "Contact unfollowed" +msgstr "Contact unfollowed" + +#: mod/unfollow.php:73 +msgid "You aren't a friend of this contact." +msgstr "You aren't a friend of this contact." + +#: mod/unfollow.php:79 +msgid "Unfollowing is currently not supported by your network." +msgstr "Unfollowing is currently not supported by your network." + +#: mod/unfollow.php:100 mod/contacts.php:599 +msgid "Disconnect/Unfollow" +msgstr "Disconnect/Unfollow" + +#: mod/unfollow.php:132 mod/follow.php:186 mod/contacts.php:858 +#: src/Model/Profile.php:891 +msgid "Status Messages and Posts" +msgstr "Status Messages and Posts" + +#: mod/cal.php:274 mod/events.php:391 src/Content/Nav.php:104 +#: src/Content/Nav.php:169 src/Model/Profile.php:924 src/Model/Profile.php:935 +#: view/theme/frio/theme.php:263 view/theme/frio/theme.php:267 +msgid "Events" +msgstr "Events" + +#: mod/cal.php:275 mod/events.php:392 +msgid "View" +msgstr "View" + +#: mod/cal.php:276 mod/events.php:394 +msgid "Previous" +msgstr "Previous" + +#: mod/cal.php:280 mod/events.php:400 src/Model/Event.php:412 +msgid "today" +msgstr "today" + +#: mod/cal.php:281 mod/events.php:401 src/Util/Temporal.php:304 +#: src/Model/Event.php:413 +msgid "month" +msgstr "month" + +#: mod/cal.php:282 mod/events.php:402 src/Util/Temporal.php:305 +#: src/Model/Event.php:414 +msgid "week" +msgstr "week" + +#: mod/cal.php:283 mod/events.php:403 src/Util/Temporal.php:306 +#: src/Model/Event.php:415 +msgid "day" +msgstr "day" + +#: mod/cal.php:284 mod/events.php:404 +msgid "list" +msgstr "List" + +#: mod/cal.php:297 src/Core/Console/NewPassword.php:74 src/Model/User.php:204 +msgid "User not found" +msgstr "User not found" + +#: mod/cal.php:313 +msgid "This calendar format is not supported" +msgstr "This calendar format is not supported" + +#: mod/cal.php:315 +msgid "No exportable data found" +msgstr "No exportable data found" + +#: mod/cal.php:332 +msgid "calendar" +msgstr "calendar" + +#: mod/events.php:105 mod/events.php:107 +msgid "Event can not end before it has started." +msgstr "Event cannot end before it has started." + +#: mod/events.php:114 mod/events.php:116 +msgid "Event title and start time are required." +msgstr "Event title and starting time are required." + +#: mod/events.php:393 +msgid "Create New Event" +msgstr "Create new event" + +#: mod/events.php:506 +msgid "Event details" +msgstr "Event details" + +#: mod/events.php:507 +msgid "Starting date and Title are required." +msgstr "Starting date and title are required." + +#: mod/events.php:508 mod/events.php:509 +msgid "Event Starts:" +msgstr "Event starts:" + +#: mod/events.php:508 mod/events.php:520 mod/profiles.php:700 +msgid "Required" +msgstr "Required" + +#: mod/events.php:510 mod/events.php:526 +msgid "Finish date/time is not known or not relevant" +msgstr "Finish date/time is not known or not relevant" + +#: mod/events.php:512 mod/events.php:513 +msgid "Event Finishes:" +msgstr "Event finishes:" + +#: mod/events.php:514 mod/events.php:527 +msgid "Adjust for viewer timezone" +msgstr "Adjust for viewer's time zone" + +#: mod/events.php:516 +msgid "Description:" +msgstr "Description:" + +#: mod/events.php:520 mod/events.php:522 +msgid "Title:" +msgstr "Title:" + +#: mod/events.php:523 mod/events.php:524 +msgid "Share this event" +msgstr "Share this event" + +#: mod/events.php:531 src/Model/Profile.php:864 +msgid "Basic" +msgstr "Basic" + +#: mod/events.php:532 mod/contacts.php:895 mod/admin.php:1351 +#: src/Model/Profile.php:865 +msgid "Advanced" +msgstr "Advanced" + +#: mod/events.php:552 +msgid "Failed to remove event" +msgstr "Failed to remove event" + +#: mod/events.php:554 +msgid "Event removed" +msgstr "Event removed" + +#: mod/profile_photo.php:55 +msgid "Image uploaded but image cropping failed." +msgstr "Image uploaded but image cropping failed." + +#: mod/profile_photo.php:88 mod/profile_photo.php:96 mod/profile_photo.php:104 +#: mod/profile_photo.php:315 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Image size reduction [%s] failed." + +#: mod/profile_photo.php:125 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica provides this service for sharing events with other networks and friends in unknown time zones." +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Shift-reload the page or clear browser cache if the new photo does not display immediately." -#: mod/localtime.php:39 +#: mod/profile_photo.php:134 +msgid "Unable to process image" +msgstr "Unable to process image" + +#: mod/profile_photo.php:247 +msgid "Upload File:" +msgstr "Upload File:" + +#: mod/profile_photo.php:248 +msgid "Select a profile:" +msgstr "Select a profile:" + +#: mod/profile_photo.php:253 +msgid "or" +msgstr "or" + +#: mod/profile_photo.php:253 +msgid "skip this step" +msgstr "skip this step" + +#: mod/profile_photo.php:253 +msgid "select a photo from your photo albums" +msgstr "select a photo from your photo albums" + +#: mod/profile_photo.php:266 +msgid "Crop Image" +msgstr "Crop Image" + +#: mod/profile_photo.php:267 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Please adjust the image cropping for optimum viewing." + +#: mod/profile_photo.php:269 +msgid "Done Editing" +msgstr "Done editing" + +#: mod/profile_photo.php:305 +msgid "Image uploaded successfully." +msgstr "Image uploaded successfully." + +#: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 +msgid "Status:" +msgstr "Status:" + +#: mod/directory.php:153 src/Model/Profile.php:422 src/Model/Profile.php:786 +msgid "Homepage:" +msgstr "Homepage:" + +#: mod/directory.php:202 view/theme/vier/theme.php:201 +msgid "Global Directory" +msgstr "Global Directory" + +#: mod/directory.php:204 +msgid "Find on this site" +msgstr "Find on this site" + +#: mod/directory.php:206 +msgid "Results for:" +msgstr "Results for:" + +#: mod/directory.php:208 +msgid "Site Directory" +msgstr "Site directory" + +#: mod/directory.php:209 mod/contacts.php:820 src/Content/Widget.php:63 +msgid "Find" +msgstr "Find" + +#: mod/directory.php:213 +msgid "No entries (some entries may be hidden)." +msgstr "No entries (entries may be hidden)." + +#: mod/babel.php:22 +msgid "Source input" +msgstr "Source input" + +#: mod/babel.php:28 +msgid "BBCode::convert (raw HTML)" +msgstr "BBCode::convert (raw HTML)" + +#: mod/babel.php:33 +msgid "BBCode::convert" +msgstr "BBCode::convert" + +#: mod/babel.php:39 +msgid "BBCode::convert => HTML::toBBCode" +msgstr "BBCode::convert => HTML::toBBCode" + +#: mod/babel.php:45 +msgid "BBCode::toMarkdown" +msgstr "BBCode::toMarkdown" + +#: mod/babel.php:51 +msgid "BBCode::toMarkdown => Markdown::convert" +msgstr "BBCode::toMarkdown => Markdown::convert" + +#: mod/babel.php:57 +msgid "BBCode::toMarkdown => Markdown::toBBCode" +msgstr "BBCode::toMarkdown => Markdown::toBBCode" + +#: mod/babel.php:63 +msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" +msgstr "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" + +#: mod/babel.php:70 +msgid "Source input \\x28Diaspora format\\x29" +msgstr "Source input \\x28Diaspora format\\x29" + +#: mod/babel.php:76 +msgid "Markdown::toBBCode" +msgstr "Markdown::toBBCode" + +#: mod/babel.php:83 +msgid "Raw HTML input" +msgstr "Raw HTML input" + +#: mod/babel.php:88 +msgid "HTML Input" +msgstr "HTML input" + +#: mod/babel.php:94 +msgid "HTML::toBBCode" +msgstr "HTML::toBBCode" + +#: mod/babel.php:100 +msgid "HTML::toPlaintext" +msgstr "HTML::toPlaintext" + +#: mod/babel.php:108 +msgid "Source text" +msgstr "Source text" + +#: mod/babel.php:109 +msgid "BBCode" +msgstr "BBCode" + +#: mod/babel.php:110 +msgid "Markdown" +msgstr "Markdown" + +#: mod/babel.php:111 +msgid "HTML" +msgstr "HTML" + +#: mod/follow.php:45 +msgid "The contact could not be added." +msgstr "Contact could not be added." + +#: mod/follow.php:73 +msgid "You already added this contact." +msgstr "You already added this contact." + +#: mod/follow.php:83 +msgid "Diaspora support isn't enabled. Contact can't be added." +msgstr "Diaspora support isn't enabled. Contact can't be added." + +#: mod/follow.php:90 +msgid "OStatus support is disabled. Contact can't be added." +msgstr "OStatus support is disabled. Contact can't be added." + +#: mod/follow.php:97 +msgid "The network type couldn't be detected. Contact can't be added." +msgstr "The network type couldn't be detected. Contact can't be added." + +#: mod/profiles.php:58 +msgid "Profile deleted." +msgstr "Profile deleted." + +#: mod/profiles.php:74 mod/profiles.php:110 +msgid "Profile-" +msgstr "Profile-" + +#: mod/profiles.php:93 mod/profiles.php:132 +msgid "New profile created." +msgstr "New profile created." + +#: mod/profiles.php:116 +msgid "Profile unavailable to clone." +msgstr "Profile unavailable to clone." + +#: mod/profiles.php:206 +msgid "Profile Name is required." +msgstr "Profile name is required." + +#: mod/profiles.php:347 +msgid "Marital Status" +msgstr "Marital status" + +#: mod/profiles.php:351 +msgid "Romantic Partner" +msgstr "Romantic partner" + +#: mod/profiles.php:363 +msgid "Work/Employment" +msgstr "Work/Employment:" + +#: mod/profiles.php:366 +msgid "Religion" +msgstr "Religion" + +#: mod/profiles.php:370 +msgid "Political Views" +msgstr "Political views" + +#: mod/profiles.php:374 +msgid "Gender" +msgstr "Gender" + +#: mod/profiles.php:378 +msgid "Sexual Preference" +msgstr "Sexual preference" + +#: mod/profiles.php:382 +msgid "XMPP" +msgstr "XMPP" + +#: mod/profiles.php:386 +msgid "Homepage" +msgstr "Homepage" + +#: mod/profiles.php:390 mod/profiles.php:686 +msgid "Interests" +msgstr "Interests" + +#: mod/profiles.php:394 mod/admin.php:490 +msgid "Address" +msgstr "Address" + +#: mod/profiles.php:401 mod/profiles.php:682 +msgid "Location" +msgstr "Location" + +#: mod/profiles.php:486 +msgid "Profile updated." +msgstr "Profile updated." + +#: mod/profiles.php:564 +msgid " and " +msgstr " and " + +#: mod/profiles.php:573 +msgid "public profile" +msgstr "public profile" + +#: mod/profiles.php:576 #, php-format -msgid "UTC time: %s" -msgstr "UTC time: %s" +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s changed %2$s to “%3$s”" -#: mod/localtime.php:42 +#: mod/profiles.php:577 #, php-format -msgid "Current timezone: %s" -msgstr "Current time zone: %s" +msgid " - Visit %1$s's %2$s" +msgstr " - Visit %1$s's %2$s" -#: mod/localtime.php:46 +#: mod/profiles.php:579 #, php-format -msgid "Converted localtime: %s" -msgstr "Converted local time: %s" +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s has an updated %2$s, changing %3$s." -#: mod/localtime.php:52 -msgid "Please select your timezone:" -msgstr "Please select your time zone:" +#: mod/profiles.php:633 +msgid "Hide contacts and friends:" +msgstr "Hide contacts and friends:" + +#: mod/profiles.php:638 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Hide your contact/friend list from viewers of this profile?" + +#: mod/profiles.php:658 +msgid "Show more profile fields:" +msgstr "Show more profile fields:" + +#: mod/profiles.php:670 +msgid "Profile Actions" +msgstr "Profile actions" + +#: mod/profiles.php:671 +msgid "Edit Profile Details" +msgstr "Edit Profile Details" + +#: mod/profiles.php:673 +msgid "Change Profile Photo" +msgstr "Change profile photo" + +#: mod/profiles.php:674 +msgid "View this profile" +msgstr "View this profile" + +#: mod/profiles.php:675 mod/profiles.php:770 src/Model/Profile.php:393 +msgid "Edit visibility" +msgstr "Edit visibility" + +#: mod/profiles.php:676 +msgid "Create a new profile using these settings" +msgstr "Create a new profile using these settings" + +#: mod/profiles.php:677 +msgid "Clone this profile" +msgstr "Clone this profile" + +#: mod/profiles.php:678 +msgid "Delete this profile" +msgstr "Delete this profile" + +#: mod/profiles.php:680 +msgid "Basic information" +msgstr "Basic information" + +#: mod/profiles.php:681 +msgid "Profile picture" +msgstr "Profile picture" + +#: mod/profiles.php:683 +msgid "Preferences" +msgstr "Preferences" + +#: mod/profiles.php:684 +msgid "Status information" +msgstr "Status information" + +#: mod/profiles.php:685 +msgid "Additional information" +msgstr "Additional information" + +#: mod/profiles.php:688 +msgid "Relation" +msgstr "Relation" + +#: mod/profiles.php:689 src/Util/Temporal.php:81 src/Util/Temporal.php:83 +msgid "Miscellaneous" +msgstr "Miscellaneous" + +#: mod/profiles.php:692 +msgid "Your Gender:" +msgstr "Gender:" + +#: mod/profiles.php:693 +msgid " Marital Status:" +msgstr " Marital status:" + +#: mod/profiles.php:694 src/Model/Profile.php:782 +msgid "Sexual Preference:" +msgstr "Sexual preference:" + +#: mod/profiles.php:695 +msgid "Example: fishing photography software" +msgstr "Example: fishing photography software" + +#: mod/profiles.php:700 +msgid "Profile Name:" +msgstr "Profile name:" + +#: mod/profiles.php:702 +msgid "" +"This is your public profile.
It may " +"be visible to anybody using the internet." +msgstr "This is your public profile.
It may be visible to anybody using the internet." + +#: mod/profiles.php:703 +msgid "Your Full Name:" +msgstr "My full name:" + +#: mod/profiles.php:704 +msgid "Title/Description:" +msgstr "Title/Description:" + +#: mod/profiles.php:707 +msgid "Street Address:" +msgstr "Street address:" + +#: mod/profiles.php:708 +msgid "Locality/City:" +msgstr "Locality/City:" + +#: mod/profiles.php:709 +msgid "Region/State:" +msgstr "Region/State:" + +#: mod/profiles.php:710 +msgid "Postal/Zip Code:" +msgstr "Postcode:" + +#: mod/profiles.php:711 +msgid "Country:" +msgstr "Country:" + +#: mod/profiles.php:712 src/Util/Temporal.php:149 +msgid "Age: " +msgstr "Age: " + +#: mod/profiles.php:715 +msgid "Who: (if applicable)" +msgstr "Who: (if applicable)" + +#: mod/profiles.php:715 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Examples: cathy123, Cathy Williams, cathy@example.com" + +#: mod/profiles.php:716 +msgid "Since [date]:" +msgstr "Since when:" + +#: mod/profiles.php:718 +msgid "Tell us about yourself..." +msgstr "About myself:" + +#: mod/profiles.php:719 +msgid "XMPP (Jabber) address:" +msgstr "XMPP (Jabber) address:" + +#: mod/profiles.php:719 +msgid "" +"The XMPP address will be propagated to your contacts so that they can follow" +" you." +msgstr "The XMPP address will be propagated to your contacts so that they can follow you." + +#: mod/profiles.php:720 +msgid "Homepage URL:" +msgstr "Homepage URL:" + +#: mod/profiles.php:721 src/Model/Profile.php:790 +msgid "Hometown:" +msgstr "Home town:" + +#: mod/profiles.php:722 src/Model/Profile.php:798 +msgid "Political Views:" +msgstr "Political views:" + +#: mod/profiles.php:723 +msgid "Religious Views:" +msgstr "Religious views:" + +#: mod/profiles.php:724 +msgid "Public Keywords:" +msgstr "Public keywords:" + +#: mod/profiles.php:724 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "Used for suggesting potential friends, can be seen by others." + +#: mod/profiles.php:725 +msgid "Private Keywords:" +msgstr "Private keywords:" + +#: mod/profiles.php:725 +msgid "(Used for searching profiles, never shown to others)" +msgstr "Used for searching profiles, never shown to others." + +#: mod/profiles.php:726 src/Model/Profile.php:814 +msgid "Likes:" +msgstr "Likes:" + +#: mod/profiles.php:727 src/Model/Profile.php:818 +msgid "Dislikes:" +msgstr "Dislikes:" + +#: mod/profiles.php:728 +msgid "Musical interests" +msgstr "Music:" + +#: mod/profiles.php:729 +msgid "Books, literature" +msgstr "Books, literature, poetry:" + +#: mod/profiles.php:730 +msgid "Television" +msgstr "Television:" + +#: mod/profiles.php:731 +msgid "Film/dance/culture/entertainment" +msgstr "Film, dance, culture, entertainment" + +#: mod/profiles.php:732 +msgid "Hobbies/Interests" +msgstr "Hobbies/Interests:" + +#: mod/profiles.php:733 +msgid "Love/romance" +msgstr "Love/Romance:" + +#: mod/profiles.php:734 +msgid "Work/employment" +msgstr "Work/Employment:" + +#: mod/profiles.php:735 +msgid "School/education" +msgstr "School/Education:" + +#: mod/profiles.php:736 +msgid "Contact information and Social Networks" +msgstr "Contact information and other social networks:" + +#: mod/profiles.php:767 src/Model/Profile.php:389 +msgid "Profile Image" +msgstr "Profile image" + +#: mod/profiles.php:769 src/Model/Profile.php:392 +msgid "visible to everybody" +msgstr "Visible to everybody" + +#: mod/profiles.php:776 +msgid "Edit/Manage Profiles" +msgstr "Edit/Manage Profiles" + +#: mod/profiles.php:777 src/Model/Profile.php:379 src/Model/Profile.php:401 +msgid "Change profile photo" +msgstr "Change profile photo" + +#: mod/profiles.php:778 src/Model/Profile.php:380 +msgid "Create New Profile" +msgstr "Create new profile" + +#: mod/contacts.php:157 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited." +msgstr[0] "%d contact edited." +msgstr[1] "%d contacts edited." + +#: mod/contacts.php:184 mod/contacts.php:400 +msgid "Could not access contact record." +msgstr "Could not access contact record." + +#: mod/contacts.php:194 +msgid "Could not locate selected profile." +msgstr "Could not locate selected profile." + +#: mod/contacts.php:228 +msgid "Contact updated." +msgstr "Contact updated." + +#: mod/contacts.php:421 +msgid "Contact has been blocked" +msgstr "Contact has been blocked" + +#: mod/contacts.php:421 +msgid "Contact has been unblocked" +msgstr "Contact has been unblocked" + +#: mod/contacts.php:432 +msgid "Contact has been ignored" +msgstr "Contact has been ignored" + +#: mod/contacts.php:432 +msgid "Contact has been unignored" +msgstr "Contact has been unignored" + +#: mod/contacts.php:443 +msgid "Contact has been archived" +msgstr "Contact has been archived" + +#: mod/contacts.php:443 +msgid "Contact has been unarchived" +msgstr "Contact has been unarchived" + +#: mod/contacts.php:467 +msgid "Drop contact" +msgstr "Drop contact" + +#: mod/contacts.php:470 mod/contacts.php:823 +msgid "Do you really want to delete this contact?" +msgstr "Do you really want to delete this contact?" + +#: mod/contacts.php:488 +msgid "Contact has been removed." +msgstr "Contact has been removed." + +#: mod/contacts.php:519 +#, php-format +msgid "You are mutual friends with %s" +msgstr "You are mutual friends with %s" + +#: mod/contacts.php:523 +#, php-format +msgid "You are sharing with %s" +msgstr "You are sharing with %s" + +#: mod/contacts.php:527 +#, php-format +msgid "%s is sharing with you" +msgstr "%s is sharing with you" + +#: mod/contacts.php:547 +msgid "Private communications are not available for this contact." +msgstr "Private communications are not available for this contact." + +#: mod/contacts.php:549 +msgid "Never" +msgstr "Never" + +#: mod/contacts.php:552 +msgid "(Update was successful)" +msgstr "(Update was successful)" + +#: mod/contacts.php:552 +msgid "(Update was not successful)" +msgstr "(Update was not successful)" + +#: mod/contacts.php:554 mod/contacts.php:992 +msgid "Suggest friends" +msgstr "Suggest friends" + +#: mod/contacts.php:558 +#, php-format +msgid "Network type: %s" +msgstr "Network type: %s" + +#: mod/contacts.php:563 +msgid "Communications lost with this contact!" +msgstr "Communications lost with this contact!" + +#: mod/contacts.php:569 +msgid "Fetch further information for feeds" +msgstr "Fetch further information for feeds" + +#: mod/contacts.php:571 +msgid "" +"Fetch information like preview pictures, title and teaser from the feed " +"item. You can activate this if the feed doesn't contain much text. Keywords " +"are taken from the meta header in the feed item and are posted as hash tags." +msgstr "Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags." + +#: mod/contacts.php:572 mod/admin.php:1272 mod/admin.php:1435 +#: mod/admin.php:1445 +msgid "Disabled" +msgstr "Disabled" + +#: mod/contacts.php:573 +msgid "Fetch information" +msgstr "Fetch information" + +#: mod/contacts.php:574 +msgid "Fetch keywords" +msgstr "Fetch keywords" + +#: mod/contacts.php:575 +msgid "Fetch information and keywords" +msgstr "Fetch information and keywords" + +#: mod/contacts.php:608 +msgid "Contact" +msgstr "Contact" + +#: mod/contacts.php:611 +msgid "Profile Visibility" +msgstr "Profile visibility" + +#: mod/contacts.php:612 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Please choose the profile you would like to display to %s when viewing your profile securely." + +#: mod/contacts.php:613 +msgid "Contact Information / Notes" +msgstr "Personal note" + +#: mod/contacts.php:614 +msgid "Their personal note" +msgstr "Their personal note" + +#: mod/contacts.php:616 +msgid "Edit contact notes" +msgstr "Edit contact notes" + +#: mod/contacts.php:620 +msgid "Block/Unblock contact" +msgstr "Block/Unblock contact" + +#: mod/contacts.php:621 +msgid "Ignore contact" +msgstr "Ignore contact" + +#: mod/contacts.php:622 +msgid "Repair URL settings" +msgstr "Repair URL settings" + +#: mod/contacts.php:623 +msgid "View conversations" +msgstr "View conversations" + +#: mod/contacts.php:628 +msgid "Last update:" +msgstr "Last update:" + +#: mod/contacts.php:630 +msgid "Update public posts" +msgstr "Update public posts" + +#: mod/contacts.php:632 mod/contacts.php:1002 +msgid "Update now" +msgstr "Update now" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:485 mod/admin.php:1800 +msgid "Unblock" +msgstr "Unblock" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:484 mod/admin.php:1799 +msgid "Block" +msgstr "Block" + +#: mod/contacts.php:638 mod/contacts.php:828 mod/contacts.php:1019 +msgid "Unignore" +msgstr "Unignore" + +#: mod/contacts.php:642 +msgid "Currently blocked" +msgstr "Currently blocked" + +#: mod/contacts.php:643 +msgid "Currently ignored" +msgstr "Currently ignored" + +#: mod/contacts.php:644 +msgid "Currently archived" +msgstr "Currently archived" + +#: mod/contacts.php:645 +msgid "Awaiting connection acknowledge" +msgstr "Awaiting connection acknowledgement" + +#: mod/contacts.php:646 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Replies/Likes to your public posts may still be visible" + +#: mod/contacts.php:647 +msgid "Notification for new posts" +msgstr "Notification for new posts" + +#: mod/contacts.php:647 +msgid "Send a notification of every new post of this contact" +msgstr "Send notification for every new post from this contact" + +#: mod/contacts.php:650 +msgid "Blacklisted keywords" +msgstr "Blacklisted keywords" + +#: mod/contacts.php:650 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected" + +#: mod/contacts.php:662 src/Model/Profile.php:424 +msgid "XMPP:" +msgstr "XMPP:" + +#: mod/contacts.php:667 +msgid "Actions" +msgstr "Actions" + +#: mod/contacts.php:669 mod/contacts.php:855 src/Content/Nav.php:100 +#: src/Model/Profile.php:888 view/theme/frio/theme.php:259 +msgid "Status" +msgstr "Status" + +#: mod/contacts.php:670 +msgid "Contact Settings" +msgstr "Notification and privacy " + +#: mod/contacts.php:711 +msgid "Suggestions" +msgstr "Suggestions" + +#: mod/contacts.php:714 +msgid "Suggest potential friends" +msgstr "Suggest potential friends" + +#: mod/contacts.php:722 +msgid "Show all contacts" +msgstr "Show all contacts" + +#: mod/contacts.php:727 +msgid "Unblocked" +msgstr "Unblocked" + +#: mod/contacts.php:730 +msgid "Only show unblocked contacts" +msgstr "Only show unblocked contacts" + +#: mod/contacts.php:735 +msgid "Blocked" +msgstr "Blocked" + +#: mod/contacts.php:738 +msgid "Only show blocked contacts" +msgstr "Only show blocked contacts" + +#: mod/contacts.php:743 +msgid "Ignored" +msgstr "Ignored" + +#: mod/contacts.php:746 +msgid "Only show ignored contacts" +msgstr "Only show ignored contacts" + +#: mod/contacts.php:751 +msgid "Archived" +msgstr "Archived" + +#: mod/contacts.php:754 +msgid "Only show archived contacts" +msgstr "Only show archived contacts" + +#: mod/contacts.php:759 +msgid "Hidden" +msgstr "Hidden" + +#: mod/contacts.php:762 +msgid "Only show hidden contacts" +msgstr "Only show hidden contacts" + +#: mod/contacts.php:818 +msgid "Search your contacts" +msgstr "Search your contacts" + +#: mod/contacts.php:826 mod/settings.php:170 mod/settings.php:701 +msgid "Update" +msgstr "Update" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Archive" +msgstr "Archive" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Unarchive" +msgstr "Unarchive" + +#: mod/contacts.php:832 +msgid "Batch Actions" +msgstr "Batch actions" + +#: mod/contacts.php:866 src/Model/Profile.php:899 +msgid "Profile Details" +msgstr "Profile Details" + +#: mod/contacts.php:878 +msgid "View all contacts" +msgstr "View all contacts" + +#: mod/contacts.php:889 +msgid "View all common friends" +msgstr "View all common friends" + +#: mod/contacts.php:898 +msgid "Advanced Contact Settings" +msgstr "Advanced contact settings" + +#: mod/contacts.php:930 +msgid "Mutual Friendship" +msgstr "Mutual friendship" + +#: mod/contacts.php:934 +msgid "is a fan of yours" +msgstr "is a fan of yours" + +#: mod/contacts.php:938 +msgid "you are a fan of" +msgstr "I follow them" + +#: mod/contacts.php:1013 +msgid "Toggle Blocked status" +msgstr "Toggle blocked status" + +#: mod/contacts.php:1021 +msgid "Toggle Ignored status" +msgstr "Toggle ignored status" + +#: mod/contacts.php:1029 +msgid "Toggle Archive status" +msgstr "Toggle archive status" + +#: mod/contacts.php:1037 +msgid "Delete contact" +msgstr "Delete contact" + +#: mod/_tos.php:48 mod/register.php:288 mod/admin.php:188 mod/admin.php:302 +#: src/Module/Tos.php:48 +msgid "Terms of Service" +msgstr "Terms of Service" + +#: mod/_tos.php:51 src/Module/Tos.php:51 +msgid "Privacy Statement" +msgstr "Privacy Statement" + +#: mod/_tos.php:52 src/Module/Tos.php:52 +msgid "" +"At the time of registration, and for providing communications between the " +"user account and their contacts, the user has to provide a display name (pen" +" name), an username (nickname) and a working email address. The names will " +"be accessible on the profile page of the account by any visitor of the page," +" even if other profile details are not displayed. The email address will " +"only be used to send the user notifications about interactions, but wont be " +"visibly displayed. The listing of an account in the node's user directory or" +" the global user directory is optional and can be controlled in the user " +"settings, it is not necessary for communication." +msgstr "At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication." + +#: mod/_tos.php:53 src/Module/Tos.php:53 +#, php-format +msgid "" +"At any point in time a logged in user can export their account data from the" +" account settings. If the user wants " +"to delete their account they can do so at %1$s/removeme. The deletion of the account will " +"be permanent." +msgstr "At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1$s/removeme. The deletion of the account will be permanent." + +#: mod/friendica.php:77 +msgid "This is Friendica, version" +msgstr "This is Friendica, version" + +#: mod/friendica.php:78 +msgid "running at web location" +msgstr "running at web location" + +#: mod/friendica.php:82 +msgid "" +"Please visit Friendi.ca to learn more " +"about the Friendica project." +msgstr "Please visit Friendi.ca to learn more about the Friendica project." + +#: mod/friendica.php:86 +msgid "Bug reports and issues: please visit" +msgstr "Bug reports and issues: please visit" + +#: mod/friendica.php:86 +msgid "the bugtracker at github" +msgstr "the bugtracker at github" + +#: mod/friendica.php:89 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com" + +#: mod/friendica.php:103 +msgid "Installed addons/apps:" +msgstr "Installed addons/apps:" + +#: mod/friendica.php:117 +msgid "No installed addons/apps" +msgstr "No installed addons/apps" + +#: mod/friendica.php:122 +#, php-format +msgid "Read about the Terms of Service of this node." +msgstr "Read about the Terms of Service of this node." + +#: mod/friendica.php:127 +msgid "On this server the following remote servers are blocked." +msgstr "On this server the following remote servers are blocked." + +#: mod/friendica.php:128 mod/admin.php:354 mod/admin.php:372 +msgid "Reason for the block" +msgstr "Reason for the block" #: mod/lostpass.php:27 msgid "No valid account found." @@ -3855,66 +4842,66 @@ msgid "" "\t\tLogin Name:\t%3$s" msgstr "\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2$s\n\t\tLogin Name:\t%3$s" -#: mod/lostpass.php:72 +#: mod/lostpass.php:73 #, php-format msgid "Password reset requested at %s" msgstr "Password reset requested at %s" -#: mod/lostpass.php:88 +#: mod/lostpass.php:89 msgid "" "Request could not be verified. (You may have previously submitted it.) " "Password reset failed." msgstr "Request could not be verified. (You may have previously submitted it.) Password reset failed." -#: mod/lostpass.php:101 +#: mod/lostpass.php:102 msgid "Request has expired, please make a new one." msgstr "Request has expired, please make a new one." -#: mod/lostpass.php:116 +#: mod/lostpass.php:117 msgid "Forgot your Password?" msgstr "Reset My Password" -#: mod/lostpass.php:117 +#: mod/lostpass.php:118 msgid "" "Enter your email address and submit to have your password reset. Then check " "your email for further instructions." msgstr "Enter email address or nickname to reset your password. You will receive further instruction via email." -#: mod/lostpass.php:118 src/Module/Login.php:314 +#: mod/lostpass.php:119 src/Module/Login.php:314 msgid "Nickname or Email: " msgstr "Nickname or email: " -#: mod/lostpass.php:119 +#: mod/lostpass.php:120 msgid "Reset" msgstr "Reset" -#: mod/lostpass.php:135 src/Module/Login.php:326 +#: mod/lostpass.php:136 src/Module/Login.php:326 msgid "Password Reset" msgstr "Forgotten password?" -#: mod/lostpass.php:136 +#: mod/lostpass.php:137 msgid "Your password has been reset as requested." msgstr "Your password has been reset as requested." -#: mod/lostpass.php:137 +#: mod/lostpass.php:138 msgid "Your new password is" msgstr "Your new password is" -#: mod/lostpass.php:138 +#: mod/lostpass.php:139 msgid "Save or copy your new password - and then" msgstr "Save or copy your new password - and then" -#: mod/lostpass.php:139 +#: mod/lostpass.php:140 msgid "click here to login" msgstr "click here to login" -#: mod/lostpass.php:140 +#: mod/lostpass.php:141 msgid "" "Your password may be changed from the Settings page after " "successful login." msgstr "Your password may be changed from the Settings page after successful login." -#: mod/lostpass.php:148 +#: mod/lostpass.php:149 #, php-format msgid "" "\n" @@ -3925,7 +4912,7 @@ msgid "" "\t\t" msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t" -#: mod/lostpass.php:154 +#: mod/lostpass.php:155 #, php-format msgid "" "\n" @@ -3939,335 +4926,11 @@ msgid "" "\t\t" msgstr "\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1$s\n\t\t\tLogin Name:\t%2$s\n\t\t\tPassword:\t%3$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t" -#: mod/lostpass.php:167 +#: mod/lostpass.php:169 #, php-format msgid "Your password has been changed at %s" msgstr "Your password has been changed at %s" -#: mod/notify.php:77 -msgid "No more system notifications." -msgstr "No more system notifications." - -#: mod/ping.php:292 -msgid "{0} wants to be your friend" -msgstr "{0} wants to be your friend" - -#: mod/ping.php:307 -msgid "{0} sent you a message" -msgstr "{0} sent you a message" - -#: mod/ping.php:322 -msgid "{0} requested registration" -msgstr "{0} requested registration" - -#: mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Poke/Prod" - -#: mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "Poke, prod or do other things to somebody" - -#: mod/poke.php:194 -msgid "Recipient" -msgstr "Recipient:" - -#: mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Choose what you wish to do:" - -#: mod/poke.php:198 -msgid "Make this post private" -msgstr "Make this post private" - -#: mod/probe.php:14 mod/webfinger.php:17 -msgid "Only logged in users are permitted to perform a probing." -msgstr "Only logged in users are permitted to perform a probing." - -#: mod/profile_photo.php:54 -msgid "Image uploaded but image cropping failed." -msgstr "Image uploaded but image cropping failed." - -#: mod/profile_photo.php:87 mod/profile_photo.php:95 mod/profile_photo.php:103 -#: mod/profile_photo.php:330 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Image size reduction [%s] failed." - -#: mod/profile_photo.php:137 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Shift-reload the page or clear browser cache if the new photo does not display immediately." - -#: mod/profile_photo.php:146 -msgid "Unable to process image" -msgstr "Unable to process image" - -#: mod/profile_photo.php:165 mod/wall_upload.php:186 mod/photos.php:763 -#: mod/photos.php:766 mod/photos.php:795 -#, php-format -msgid "Image exceeds size limit of %s" -msgstr "Image exceeds size limit of %s" - -#: mod/profile_photo.php:174 mod/wall_upload.php:200 mod/photos.php:818 -msgid "Unable to process image." -msgstr "Unable to process image." - -#: mod/profile_photo.php:262 -msgid "Upload File:" -msgstr "Upload File:" - -#: mod/profile_photo.php:263 -msgid "Select a profile:" -msgstr "Select a profile:" - -#: mod/profile_photo.php:268 -msgid "or" -msgstr "or" - -#: mod/profile_photo.php:268 -msgid "skip this step" -msgstr "skip this step" - -#: mod/profile_photo.php:268 -msgid "select a photo from your photo albums" -msgstr "select a photo from your photo albums" - -#: mod/profile_photo.php:281 -msgid "Crop Image" -msgstr "Crop Image" - -#: mod/profile_photo.php:282 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Please adjust the image cropping for optimum viewing." - -#: mod/profile_photo.php:284 -msgid "Done Editing" -msgstr "Done editing" - -#: mod/profile_photo.php:320 -msgid "Image uploaded successfully." -msgstr "Image uploaded successfully." - -#: mod/profile_photo.php:322 mod/wall_upload.php:239 mod/photos.php:847 -msgid "Image upload failed." -msgstr "Image upload failed." - -#: mod/profperm.php:28 mod/group.php:83 index.php:412 -msgid "Permission denied" -msgstr "Permission denied" - -#: mod/profperm.php:34 mod/profperm.php:65 -msgid "Invalid profile identifier." -msgstr "Invalid profile identifier." - -#: mod/profperm.php:111 -msgid "Profile Visibility Editor" -msgstr "Profile Visibility Editor" - -#: mod/profperm.php:115 mod/group.php:266 -msgid "Click on a contact to add or remove." -msgstr "Click on a contact to add or remove." - -#: mod/profperm.php:124 -msgid "Visible To" -msgstr "Visible to" - -#: mod/profperm.php:140 -msgid "All Contacts (with secure profile access)" -msgstr "All contacts with secure profile access" - -#: mod/regmod.php:68 -msgid "Account approved." -msgstr "Account approved." - -#: mod/regmod.php:93 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registration revoked for %s" - -#: mod/regmod.php:102 -msgid "Please login." -msgstr "Please login." - -#: mod/removeme.php:55 mod/removeme.php:58 -msgid "Remove My Account" -msgstr "Remove My Account" - -#: mod/removeme.php:56 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "This will completely remove your account. Once this has been done it is not recoverable." - -#: mod/removeme.php:57 -msgid "Please enter your password for verification:" -msgstr "Please enter your password for verification:" - -#: mod/search.php:37 mod/network.php:194 -msgid "Remove term" -msgstr "Remove term" - -#: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 -msgid "Saved Searches" -msgstr "Saved searches" - -#: mod/search.php:105 -msgid "Only logged in users are permitted to perform a search." -msgstr "Only logged in users are permitted to perform a search." - -#: mod/search.php:129 -msgid "Too Many Requests" -msgstr "Too many requests" - -#: mod/search.php:130 -msgid "Only one search per minute is permitted for not logged in users." -msgstr "Only one search per minute is permitted for not logged in users." - -#: mod/search.php:228 mod/community.php:134 -msgid "No results." -msgstr "No results." - -#: mod/search.php:234 -#, php-format -msgid "Items tagged with: %s" -msgstr "Items tagged with: %s" - -#: mod/subthread.php:113 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s is following %2$s's %3$s" - -#: mod/tagrm.php:47 -msgid "Tag removed" -msgstr "Tag removed" - -#: mod/tagrm.php:85 -msgid "Remove Item Tag" -msgstr "Remove Item tag" - -#: mod/tagrm.php:87 -msgid "Select a tag to remove: " -msgstr "Select a tag to remove: " - -#: mod/uexport.php:44 -msgid "Export account" -msgstr "Export account" - -#: mod/uexport.php:44 -msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." -msgstr "Export your account info and contacts. Use this to backup your account or to move it to another server." - -#: mod/uexport.php:45 -msgid "Export all" -msgstr "Export all" - -#: mod/uexport.php:45 -msgid "" -"Export your accout info, contacts and all your items as json. Could be a " -"very big file, and could take a lot of time. Use this to make a full backup " -"of your account (photos are not exported)" -msgstr "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)" - -#: mod/uexport.php:52 mod/settings.php:106 -msgid "Export personal data" -msgstr "Export personal data" - -#: mod/viewcontacts.php:87 -msgid "No contacts." -msgstr "No contacts." - -#: mod/viewsrc.php:12 -msgid "Access denied." -msgstr "Access denied." - -#: mod/wall_upload.php:231 mod/item.php:471 src/Object/Image.php:949 -#: src/Object/Image.php:965 src/Object/Image.php:973 src/Object/Image.php:998 -msgid "Wall Photos" -msgstr "Wall photos" - -#: mod/wallmessage.php:49 mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Number of daily wall messages for %s exceeded. Message failed." - -#: mod/wallmessage.php:57 mod/message.php:73 -msgid "No recipient selected." -msgstr "No recipient selected." - -#: mod/wallmessage.php:60 -msgid "Unable to check your home location." -msgstr "Unable to check your home location." - -#: mod/wallmessage.php:63 mod/message.php:80 -msgid "Message could not be sent." -msgstr "Message could not be sent." - -#: mod/wallmessage.php:66 mod/message.php:83 -msgid "Message collection failure." -msgstr "Message collection failure." - -#: mod/wallmessage.php:69 mod/message.php:86 -msgid "Message sent." -msgstr "Message sent." - -#: mod/wallmessage.php:86 mod/wallmessage.php:95 -msgid "No recipient." -msgstr "No recipient." - -#: mod/wallmessage.php:132 mod/message.php:250 -msgid "Send Private Message" -msgstr "Send private message" - -#: mod/wallmessage.php:133 -#, php-format -msgid "" -"If you wish for %s to respond, please check that the privacy settings on " -"your site allow private mail from unknown senders." -msgstr "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders." - -#: mod/wallmessage.php:134 mod/message.php:251 mod/message.php:421 -msgid "To:" -msgstr "To:" - -#: mod/wallmessage.php:135 mod/message.php:255 mod/message.php:423 -msgid "Subject:" -msgstr "Subject:" - -#: mod/item.php:114 -msgid "Unable to locate original post." -msgstr "Unable to locate original post." - -#: mod/item.php:274 -msgid "Empty post discarded." -msgstr "Empty post discarded." - -#: mod/item.php:799 -#, php-format -msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "This message was sent to you by %s, a member of the Friendica social network." - -#: mod/item.php:801 -#, php-format -msgid "You may visit them online at %s" -msgstr "You may visit them online at %s" - -#: mod/item.php:802 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Please contact the sender by replying to this post if you do not wish to receive these messages." - -#: mod/item.php:806 -#, php-format -msgid "%s posted an update." -msgstr "%s posted an update." - #: mod/register.php:99 msgid "" "Registration successful. Please check your email for further instructions." @@ -4328,7 +4991,7 @@ msgstr "Membership on this site is by invitation only." msgid "Your invitation code: " msgstr "Your invitation code: " -#: mod/register.php:264 mod/admin.php:1266 +#: mod/register.php:264 mod/admin.php:1348 msgid "Registration" msgstr "Join this Friendica Node Today" @@ -4342,7 +5005,7 @@ msgid "" "be an existing address.)" msgstr "Your Email Address: (Initial information will be send there; so this must be an existing address.)" -#: mod/register.php:273 mod/settings.php:1205 +#: mod/register.php:273 mod/settings.php:1201 msgid "New Password:" msgstr "New password:" @@ -4350,7 +5013,7 @@ msgstr "New password:" msgid "Leave empty for an auto generated password." msgstr "Leave empty for an auto generated password." -#: mod/register.php:274 mod/settings.php:1206 +#: mod/register.php:274 mod/settings.php:1202 msgid "Confirm:" msgstr "Confirm new password:" @@ -4377,130 +5040,161 @@ msgstr "Import an existing Friendica profile to this node." msgid "Theme settings updated." msgstr "Theme settings updated." -#: mod/admin.php:176 src/Content/Nav.php:174 +#: mod/admin.php:179 src/Content/Nav.php:174 msgid "Information" msgstr "Information" -#: mod/admin.php:177 +#: mod/admin.php:180 msgid "Overview" msgstr "Overview" -#: mod/admin.php:178 mod/admin.php:654 +#: mod/admin.php:181 mod/admin.php:718 msgid "Federation Statistics" msgstr "Federation statistics" -#: mod/admin.php:179 +#: mod/admin.php:182 msgid "Configuration" msgstr "Configuration" -#: mod/admin.php:180 mod/admin.php:1263 +#: mod/admin.php:183 mod/admin.php:1345 msgid "Site" msgstr "Site" -#: mod/admin.php:181 mod/admin.php:1191 mod/admin.php:1696 mod/admin.php:1712 +#: mod/admin.php:184 mod/admin.php:1273 mod/admin.php:1788 mod/admin.php:1804 msgid "Users" msgstr "Users" -#: mod/admin.php:182 mod/admin.php:1812 mod/admin.php:1872 mod/settings.php:85 +#: mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 mod/settings.php:86 msgid "Addons" msgstr "Addons" -#: mod/admin.php:183 mod/admin.php:2081 mod/admin.php:2125 +#: mod/admin.php:186 mod/admin.php:2173 mod/admin.php:2217 msgid "Themes" msgstr "Theme selection" -#: mod/admin.php:184 mod/settings.php:63 +#: mod/admin.php:187 mod/settings.php:64 msgid "Additional features" msgstr "Additional features" -#: mod/admin.php:185 +#: mod/admin.php:189 msgid "Database" msgstr "Database" -#: mod/admin.php:186 +#: mod/admin.php:190 msgid "DB updates" msgstr "DB updates" -#: mod/admin.php:187 mod/admin.php:689 +#: mod/admin.php:191 mod/admin.php:753 msgid "Inspect Queue" msgstr "Inspect queue" -#: mod/admin.php:188 +#: mod/admin.php:192 msgid "Tools" msgstr "Tools" -#: mod/admin.php:189 +#: mod/admin.php:193 msgid "Contact Blocklist" msgstr "Contact blocklist" -#: mod/admin.php:190 mod/admin.php:311 +#: mod/admin.php:194 mod/admin.php:362 msgid "Server Blocklist" msgstr "Server blocklist" -#: mod/admin.php:191 mod/admin.php:470 +#: mod/admin.php:195 mod/admin.php:521 msgid "Delete Item" msgstr "Delete item" -#: mod/admin.php:192 mod/admin.php:193 mod/admin.php:2199 +#: mod/admin.php:196 mod/admin.php:197 mod/admin.php:2291 msgid "Logs" msgstr "Logs" -#: mod/admin.php:194 mod/admin.php:2266 +#: mod/admin.php:198 mod/admin.php:2358 msgid "View Logs" msgstr "View logs" -#: mod/admin.php:196 +#: mod/admin.php:200 msgid "Diagnostics" msgstr "Diagnostics" -#: mod/admin.php:197 +#: mod/admin.php:201 msgid "PHP Info" msgstr "PHP info" -#: mod/admin.php:198 +#: mod/admin.php:202 msgid "probe address" msgstr "Probe address" -#: mod/admin.php:199 +#: mod/admin.php:203 msgid "check webfinger" msgstr "Check webfinger" -#: mod/admin.php:218 src/Content/Nav.php:217 +#: mod/admin.php:222 src/Content/Nav.php:217 msgid "Admin" msgstr "Admin" -#: mod/admin.php:219 +#: mod/admin.php:223 msgid "Addon Features" msgstr "Addon features" -#: mod/admin.php:220 +#: mod/admin.php:224 msgid "User registrations waiting for confirmation" msgstr "User registrations awaiting confirmation" -#: mod/admin.php:302 -msgid "The blocked domain" -msgstr "Blocked domain" - -#: mod/admin.php:303 mod/admin.php:316 -msgid "The reason why you blocked this domain." -msgstr "Reason why you blocked this domain." - -#: mod/admin.php:304 -msgid "Delete domain" -msgstr "Delete domain" - -#: mod/admin.php:304 -msgid "Check to delete this entry from the blocklist" -msgstr "Check to delete this entry from the blocklist" - -#: mod/admin.php:310 mod/admin.php:427 mod/admin.php:469 mod/admin.php:653 -#: mod/admin.php:688 mod/admin.php:784 mod/admin.php:1262 mod/admin.php:1695 -#: mod/admin.php:1811 mod/admin.php:1871 mod/admin.php:2080 mod/admin.php:2124 -#: mod/admin.php:2198 mod/admin.php:2265 +#: mod/admin.php:301 mod/admin.php:361 mod/admin.php:478 mod/admin.php:520 +#: mod/admin.php:717 mod/admin.php:752 mod/admin.php:848 mod/admin.php:1344 +#: mod/admin.php:1787 mod/admin.php:1903 mod/admin.php:1963 mod/admin.php:2172 +#: mod/admin.php:2216 mod/admin.php:2290 mod/admin.php:2357 msgid "Administration" msgstr "Administration" -#: mod/admin.php:312 +#: mod/admin.php:303 +msgid "Display Terms of Service" +msgstr "Display Terms of Service" + +#: mod/admin.php:303 +msgid "" +"Enable the Terms of Service page. If this is enabled a link to the terms " +"will be added to the registration form and the general information page." +msgstr "Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page." + +#: mod/admin.php:304 +msgid "Display Privacy Statement" +msgstr "Display Privacy Statement" + +#: mod/admin.php:304 +#, php-format +msgid "" +"Show some informations regarding the needed information to operate the node " +"according e.g. to EU-GDPR." +msgstr "Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR." + +#: mod/admin.php:305 +msgid "The Terms of Service" +msgstr "Terms of Service" + +#: mod/admin.php:305 +msgid "" +"Enter the Terms of Service for your node here. You can use BBCode. Headers " +"of sections should be [h2] and below." +msgstr "Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] or less." + +#: mod/admin.php:353 +msgid "The blocked domain" +msgstr "Blocked domain" + +#: mod/admin.php:354 mod/admin.php:367 +msgid "The reason why you blocked this domain." +msgstr "Reason why you blocked this domain." + +#: mod/admin.php:355 +msgid "Delete domain" +msgstr "Delete domain" + +#: mod/admin.php:355 +msgid "Check to delete this entry from the blocklist" +msgstr "Check to delete this entry from the blocklist" + +#: mod/admin.php:363 msgid "" "This page can be used to define a black list of servers from the federated " "network that are not allowed to interact with your node. For all entered " @@ -4508,688 +5202,694 @@ msgid "" "server." msgstr "This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server." -#: mod/admin.php:313 +#: mod/admin.php:364 msgid "" "The list of blocked servers will be made publically available on the " "/friendica page so that your users and people investigating communication " "problems can find the reason easily." msgstr "The list of blocked servers will publicly available on the Friendica page so that your users and people investigating communication problems can readily find the reason." -#: mod/admin.php:314 +#: mod/admin.php:365 msgid "Add new entry to block list" msgstr "Add new entry to block list" -#: mod/admin.php:315 +#: mod/admin.php:366 msgid "Server Domain" msgstr "Server domain" -#: mod/admin.php:315 +#: mod/admin.php:366 msgid "" "The domain of the new server to add to the block list. Do not include the " "protocol." msgstr "The domain of the new server to add to the block list. Do not include the protocol." -#: mod/admin.php:316 +#: mod/admin.php:367 msgid "Block reason" msgstr "Block reason" -#: mod/admin.php:317 +#: mod/admin.php:368 msgid "Add Entry" msgstr "Add entry" -#: mod/admin.php:318 +#: mod/admin.php:369 msgid "Save changes to the blocklist" msgstr "Save changes to the blocklist" -#: mod/admin.php:319 +#: mod/admin.php:370 msgid "Current Entries in the Blocklist" msgstr "Current entries in the blocklist" -#: mod/admin.php:322 +#: mod/admin.php:373 msgid "Delete entry from blocklist" msgstr "Delete entry from blocklist" -#: mod/admin.php:325 +#: mod/admin.php:376 msgid "Delete entry from blocklist?" msgstr "Delete entry from blocklist?" -#: mod/admin.php:351 +#: mod/admin.php:402 msgid "Server added to blocklist." msgstr "Server added to blocklist." -#: mod/admin.php:367 +#: mod/admin.php:418 msgid "Site blocklist updated." msgstr "Site blocklist updated." -#: mod/admin.php:390 util/global_community_block.php:53 +#: mod/admin.php:441 src/Core/Console/GlobalCommunityBlock.php:72 msgid "The contact has been blocked from the node" msgstr "This contact has been blocked from the node" -#: mod/admin.php:392 util/global_community_block.php:48 +#: mod/admin.php:443 src/Core/Console/GlobalCommunityBlock.php:69 #, php-format msgid "Could not find any contact entry for this URL (%s)" msgstr "Could not find any contact entry for this URL (%s)" -#: mod/admin.php:399 +#: mod/admin.php:450 #, php-format msgid "%s contact unblocked" msgid_plural "%s contacts unblocked" msgstr[0] "%s contact unblocked" msgstr[1] "%s contacts unblocked" -#: mod/admin.php:428 +#: mod/admin.php:479 msgid "Remote Contact Blocklist" msgstr "Remote contact blocklist" -#: mod/admin.php:429 +#: mod/admin.php:480 msgid "" "This page allows you to prevent any message from a remote contact to reach " "your node." msgstr "This page allows you to prevent any message from a remote contact to reach your node." -#: mod/admin.php:430 +#: mod/admin.php:481 msgid "Block Remote Contact" msgstr "Block remote contact" -#: mod/admin.php:431 mod/admin.php:1698 +#: mod/admin.php:482 mod/admin.php:1790 msgid "select all" msgstr "select all" -#: mod/admin.php:432 +#: mod/admin.php:483 msgid "select none" msgstr "select none" -#: mod/admin.php:435 +#: mod/admin.php:486 msgid "No remote contact is blocked from this node." msgstr "No remote contact is blocked from this node." -#: mod/admin.php:437 +#: mod/admin.php:488 msgid "Blocked Remote Contacts" msgstr "Blocked remote contacts" -#: mod/admin.php:438 +#: mod/admin.php:489 msgid "Block New Remote Contact" msgstr "Block new remote contact" -#: mod/admin.php:439 +#: mod/admin.php:490 msgid "Photo" msgstr "Photo" -#: mod/admin.php:447 +#: mod/admin.php:498 #, php-format msgid "%s total blocked contact" msgid_plural "%s total blocked contacts" msgstr[0] "%s total blocked contact" msgstr[1] "%s blocked contacts" -#: mod/admin.php:449 +#: mod/admin.php:500 msgid "URL of the remote contact to block." msgstr "URL of the remote contact to block." -#: mod/admin.php:471 +#: mod/admin.php:522 msgid "Delete this Item" msgstr "Delete" -#: mod/admin.php:472 +#: mod/admin.php:523 msgid "" "On this page you can delete an item from your node. If the item is a top " "level posting, the entire thread will be deleted." msgstr "Here you can delete an item from this node. If the item is a top-level posting, the entire thread will be deleted." -#: mod/admin.php:473 +#: mod/admin.php:524 msgid "" "You need to know the GUID of the item. You can find it e.g. by looking at " "the display URL. The last part of http://example.com/display/123456 is the " "GUID, here 123456." msgstr "You need to know the global unique identifier (GUID) of the item, which you can find by looking at the display URL. The last part of http://example.com/display/123456 is the GUID: i.e. 123456." -#: mod/admin.php:474 +#: mod/admin.php:525 msgid "GUID" msgstr "GUID" -#: mod/admin.php:474 +#: mod/admin.php:525 msgid "The GUID of the item you want to delete." msgstr "GUID of item to be deleted." -#: mod/admin.php:513 +#: mod/admin.php:564 msgid "Item marked for deletion." msgstr "Item marked for deletion." -#: mod/admin.php:584 +#: mod/admin.php:635 msgid "unknown" msgstr "unknown" -#: mod/admin.php:647 +#: mod/admin.php:711 msgid "" "This page offers you some numbers to the known part of the federated social " "network your Friendica node is part of. These numbers are not complete but " "only reflect the part of the network your node is aware of." msgstr "This page offers you the amount of known part of the federated social network your Friendica node is part of. These numbers are not complete and only reflect the part of the network your node is aware of." -#: mod/admin.php:648 +#: mod/admin.php:712 msgid "" "The Auto Discovered Contact Directory feature is not enabled, it " "will improve the data displayed here." msgstr "The Auto Discovered Contact Directory feature is not enabled; enabling it will improve the data displayed here." -#: mod/admin.php:660 +#: mod/admin.php:724 #, php-format msgid "" "Currently this node is aware of %d nodes with %d registered users from the " "following platforms:" msgstr "Currently this node is aware of %d nodes with %d registered users from the following platforms:" -#: mod/admin.php:691 +#: mod/admin.php:755 msgid "ID" msgstr "ID" -#: mod/admin.php:692 +#: mod/admin.php:756 msgid "Recipient Name" msgstr "Recipient name" -#: mod/admin.php:693 +#: mod/admin.php:757 msgid "Recipient Profile" msgstr "Recipient profile" -#: mod/admin.php:694 view/theme/frio/theme.php:266 -#: src/Core/NotificationsManager.php:178 src/Content/Nav.php:178 +#: mod/admin.php:758 src/Core/NotificationsManager.php:178 +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 msgid "Network" msgstr "Network" -#: mod/admin.php:695 +#: mod/admin.php:759 msgid "Created" msgstr "Created" -#: mod/admin.php:696 +#: mod/admin.php:760 msgid "Last Tried" msgstr "Last Tried" -#: mod/admin.php:697 +#: mod/admin.php:761 msgid "" "This page lists the content of the queue for outgoing postings. These are " "postings the initial delivery failed for. They will be resend later and " "eventually deleted if the delivery fails permanently." msgstr "This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently." -#: mod/admin.php:721 +#: mod/admin.php:785 #, php-format msgid "" "Your DB still runs with MyISAM tables. You should change the engine type to " "InnoDB. As Friendica will use InnoDB only features in the future, you should" " change this! See here for a guide that may be helpful " "converting the table engines. You may also use the command php " -"scripts/dbstructure.php toinnodb of your Friendica installation for an " -"automatic conversion.
" -msgstr "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB, because Friendica will use InnoDB only features in the future. See here for a guide that may be helpful converting the table engines. You may also use the command php scripts/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
" +"bin/console.php dbstructure toinnodb
of your Friendica installation for" +" an automatic conversion.
" +msgstr "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
" -#: mod/admin.php:728 +#: mod/admin.php:792 #, php-format msgid "" "There is a new version of Friendica available for download. Your current " "version is %1$s, upstream version is %2$s" msgstr "A new Friendica version is available now. Your current version is %1$s, upstream version is %2$s" -#: mod/admin.php:738 +#: mod/admin.php:802 msgid "" -"The database update failed. Please run \"php scripts/dbstructure.php " +"The database update failed. Please run \"php bin/console.php dbstructure " "update\" from the command line and have a look at the errors that might " "appear." -msgstr "The database update failed. Please run \"php scripts/dbstructure.php update\" from the command line; check logs for errors." +msgstr "The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and check for errors that may appear." -#: mod/admin.php:744 +#: mod/admin.php:808 msgid "The worker was never executed. Please check your database structure!" msgstr "The worker process has never been executed. Please check your database structure!" -#: mod/admin.php:747 +#: mod/admin.php:811 #, php-format msgid "" "The last worker execution was on %s UTC. This is older than one hour. Please" " check your crontab settings." msgstr "The last worker process started at %s UTC. This is more than one hour ago. Please adjust your crontab settings." -#: mod/admin.php:752 mod/admin.php:1647 +#: mod/admin.php:816 mod/admin.php:1739 msgid "Normal Account" msgstr "Standard account" -#: mod/admin.php:753 mod/admin.php:1648 +#: mod/admin.php:817 mod/admin.php:1740 msgid "Automatic Follower Account" msgstr "Automatic follower account" -#: mod/admin.php:754 mod/admin.php:1649 +#: mod/admin.php:818 mod/admin.php:1741 msgid "Public Forum Account" msgstr "Public forum account" -#: mod/admin.php:755 mod/admin.php:1650 +#: mod/admin.php:819 mod/admin.php:1742 msgid "Automatic Friend Account" msgstr "Automatic friend account" -#: mod/admin.php:756 +#: mod/admin.php:820 msgid "Blog Account" msgstr "Blog account" -#: mod/admin.php:757 +#: mod/admin.php:821 msgid "Private Forum Account" msgstr "Private forum account" -#: mod/admin.php:779 +#: mod/admin.php:843 msgid "Message queues" msgstr "Message queues" -#: mod/admin.php:785 +#: mod/admin.php:849 msgid "Summary" msgstr "Summary" -#: mod/admin.php:787 +#: mod/admin.php:851 msgid "Registered users" msgstr "Signed up users" -#: mod/admin.php:789 +#: mod/admin.php:853 msgid "Pending registrations" msgstr "Pending registrations" -#: mod/admin.php:790 +#: mod/admin.php:854 msgid "Version" msgstr "Version" -#: mod/admin.php:795 +#: mod/admin.php:859 msgid "Active addons" msgstr "Active addons" -#: mod/admin.php:826 +#: mod/admin.php:890 msgid "Can not parse base url. Must have at least ://" msgstr "Can not parse base URL. Must have at least ://" -#: mod/admin.php:1127 +#: mod/admin.php:1209 msgid "Site settings updated." msgstr "Site settings updated." -#: mod/admin.php:1154 mod/settings.php:907 +#: mod/admin.php:1236 mod/settings.php:905 msgid "No special theme for mobile devices" msgstr "No special theme for mobile devices" -#: mod/admin.php:1183 +#: mod/admin.php:1265 msgid "No community page" msgstr "No community page" -#: mod/admin.php:1184 +#: mod/admin.php:1266 msgid "Public postings from users of this site" msgstr "Public postings from users of this site" -#: mod/admin.php:1185 +#: mod/admin.php:1267 msgid "Public postings from the federated network" msgstr "Public postings from the federated network" -#: mod/admin.php:1186 +#: mod/admin.php:1268 msgid "Public postings from local users and the federated network" msgstr "Public postings from local users and the federated network" -#: mod/admin.php:1192 +#: mod/admin.php:1274 msgid "Users, Global Contacts" msgstr "Users, Global Contacts" -#: mod/admin.php:1193 +#: mod/admin.php:1275 msgid "Users, Global Contacts/fallback" msgstr "Users, Global Contacts/fallback" -#: mod/admin.php:1197 +#: mod/admin.php:1279 msgid "One month" msgstr "One month" -#: mod/admin.php:1198 +#: mod/admin.php:1280 msgid "Three months" msgstr "Three months" -#: mod/admin.php:1199 +#: mod/admin.php:1281 msgid "Half a year" msgstr "Half a year" -#: mod/admin.php:1200 +#: mod/admin.php:1282 msgid "One year" msgstr "One a year" -#: mod/admin.php:1205 +#: mod/admin.php:1287 msgid "Multi user instance" msgstr "Multi user instance" -#: mod/admin.php:1228 +#: mod/admin.php:1310 msgid "Closed" msgstr "Closed" -#: mod/admin.php:1229 +#: mod/admin.php:1311 msgid "Requires approval" msgstr "Requires approval" -#: mod/admin.php:1230 +#: mod/admin.php:1312 msgid "Open" msgstr "Open" -#: mod/admin.php:1234 +#: mod/admin.php:1316 msgid "No SSL policy, links will track page SSL state" msgstr "No SSL policy, links will track page SSL state" -#: mod/admin.php:1235 +#: mod/admin.php:1317 msgid "Force all links to use SSL" msgstr "Force all links to use SSL" -#: mod/admin.php:1236 +#: mod/admin.php:1318 msgid "Self-signed certificate, use SSL for local links only (discouraged)" msgstr "Self-signed certificate, use SSL for local links only (discouraged)" -#: mod/admin.php:1240 +#: mod/admin.php:1322 msgid "Don't check" msgstr "Don't check" -#: mod/admin.php:1241 +#: mod/admin.php:1323 msgid "check the stable version" msgstr "check for stable version updates" -#: mod/admin.php:1242 +#: mod/admin.php:1324 msgid "check the development version" msgstr "check for development version updates" -#: mod/admin.php:1265 +#: mod/admin.php:1347 msgid "Republish users to directory" msgstr "Republish users to directory" -#: mod/admin.php:1267 +#: mod/admin.php:1349 msgid "File upload" msgstr "File upload" -#: mod/admin.php:1268 +#: mod/admin.php:1350 msgid "Policies" msgstr "Policies" -#: mod/admin.php:1270 +#: mod/admin.php:1352 msgid "Auto Discovered Contact Directory" msgstr "Auto-discovered contact directory" -#: mod/admin.php:1271 +#: mod/admin.php:1353 msgid "Performance" msgstr "Performance" -#: mod/admin.php:1272 +#: mod/admin.php:1354 msgid "Worker" msgstr "Worker" -#: mod/admin.php:1273 +#: mod/admin.php:1355 +msgid "Message Relay" +msgstr "Message relay" + +#: mod/admin.php:1356 msgid "" "Relocate - WARNING: advanced function. Could make this server unreachable." msgstr "Relocate - Warning, advanced function: This could make this server unreachable." -#: mod/admin.php:1276 +#: mod/admin.php:1359 msgid "Site name" msgstr "Site name" -#: mod/admin.php:1277 +#: mod/admin.php:1360 msgid "Host name" msgstr "Host name" -#: mod/admin.php:1278 +#: mod/admin.php:1361 msgid "Sender Email" msgstr "Sender email" -#: mod/admin.php:1278 +#: mod/admin.php:1361 msgid "" "The email address your server shall use to send notification emails from." msgstr "The email address your server shall use to send notification emails from." -#: mod/admin.php:1279 +#: mod/admin.php:1362 msgid "Banner/Logo" msgstr "Banner/Logo" -#: mod/admin.php:1280 +#: mod/admin.php:1363 msgid "Shortcut icon" msgstr "Shortcut icon" -#: mod/admin.php:1280 +#: mod/admin.php:1363 msgid "Link to an icon that will be used for browsers." msgstr "Link to an icon that will be used for browsers." -#: mod/admin.php:1281 +#: mod/admin.php:1364 msgid "Touch icon" msgstr "Touch icon" -#: mod/admin.php:1281 +#: mod/admin.php:1364 msgid "Link to an icon that will be used for tablets and mobiles." msgstr "Link to an icon that will be used for tablets and mobiles." -#: mod/admin.php:1282 +#: mod/admin.php:1365 msgid "Additional Info" msgstr "Additional Info" -#: mod/admin.php:1282 +#: mod/admin.php:1365 #, php-format msgid "" "For public servers: you can add additional information here that will be " "listed at %s/servers." msgstr "For public servers: You can add additional information here that will be listed at %s/servers." -#: mod/admin.php:1283 +#: mod/admin.php:1366 msgid "System language" msgstr "System language" -#: mod/admin.php:1284 +#: mod/admin.php:1367 msgid "System theme" msgstr "System theme" -#: mod/admin.php:1284 +#: mod/admin.php:1367 msgid "" "Default system theme - may be over-ridden by user profiles - change theme settings" msgstr "Default system theme - may be overridden by user profiles - change theme settings" -#: mod/admin.php:1285 +#: mod/admin.php:1368 msgid "Mobile system theme" msgstr "Mobile system theme" -#: mod/admin.php:1285 +#: mod/admin.php:1368 msgid "Theme for mobile devices" msgstr "Theme for mobile devices" -#: mod/admin.php:1286 +#: mod/admin.php:1369 msgid "SSL link policy" msgstr "SSL link policy" -#: mod/admin.php:1286 +#: mod/admin.php:1369 msgid "Determines whether generated links should be forced to use SSL" msgstr "Determines whether generated links should be forced to use SSL" -#: mod/admin.php:1287 +#: mod/admin.php:1370 msgid "Force SSL" msgstr "Force SSL" -#: mod/admin.php:1287 +#: mod/admin.php:1370 msgid "" "Force all Non-SSL requests to SSL - Attention: on some systems it could lead" " to endless loops." msgstr "Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops." -#: mod/admin.php:1288 +#: mod/admin.php:1371 msgid "Hide help entry from navigation menu" msgstr "Hide help entry from navigation menu" -#: mod/admin.php:1288 +#: mod/admin.php:1371 msgid "" "Hides the menu entry for the Help pages from the navigation menu. You can " "still access it calling /help directly." msgstr "Hides the menu entry for the Help pages from the navigation menu. Help pages can still be accessed by calling ../help directly via its URL." -#: mod/admin.php:1289 +#: mod/admin.php:1372 msgid "Single user instance" msgstr "Single user instance" -#: mod/admin.php:1289 +#: mod/admin.php:1372 msgid "Make this instance multi-user or single-user for the named user" msgstr "Make this instance multi-user or single-user for the named user" -#: mod/admin.php:1290 +#: mod/admin.php:1373 msgid "Maximum image size" msgstr "Maximum image size" -#: mod/admin.php:1290 +#: mod/admin.php:1373 msgid "" "Maximum size in bytes of uploaded images. Default is 0, which means no " "limits." msgstr "Maximum size in bytes of uploaded images. Default is 0, which means no limits." -#: mod/admin.php:1291 +#: mod/admin.php:1374 msgid "Maximum image length" msgstr "Maximum image length" -#: mod/admin.php:1291 +#: mod/admin.php:1374 msgid "" "Maximum length in pixels of the longest side of uploaded images. Default is " "-1, which means no limits." msgstr "Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits." -#: mod/admin.php:1292 +#: mod/admin.php:1375 msgid "JPEG image quality" msgstr "JPEG image quality" -#: mod/admin.php:1292 +#: mod/admin.php:1375 msgid "" "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " "100, which is full quality." msgstr "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is the original quality level." -#: mod/admin.php:1294 +#: mod/admin.php:1377 msgid "Register policy" msgstr "Registration policy" -#: mod/admin.php:1295 +#: mod/admin.php:1378 msgid "Maximum Daily Registrations" msgstr "Maximum daily registrations" -#: mod/admin.php:1295 +#: mod/admin.php:1378 msgid "" "If registration is permitted above, this sets the maximum number of new user" " registrations to accept per day. If register is set to closed, this " "setting has no effect." msgstr "If open registration is permitted, this sets the maximum number of new registrations per day. This setting has no effect for registrations by approval." -#: mod/admin.php:1296 +#: mod/admin.php:1379 msgid "Register text" msgstr "Registration text" -#: mod/admin.php:1296 -msgid "Will be displayed prominently on the registration page." -msgstr "Will be displayed prominently on the registration page." +#: mod/admin.php:1379 +msgid "" +"Will be displayed prominently on the registration page. You can use BBCode " +"here." +msgstr "Will be displayed prominently on the registration page. You may use BBCode here." -#: mod/admin.php:1297 +#: mod/admin.php:1380 msgid "Accounts abandoned after x days" msgstr "Accounts abandoned after so many days" -#: mod/admin.php:1297 +#: mod/admin.php:1380 msgid "" "Will not waste system resources polling external sites for abandonded " "accounts. Enter 0 for no time limit." msgstr "Will not waste system resources polling external sites for abandoned accounts. Enter 0 for no time limit." -#: mod/admin.php:1298 +#: mod/admin.php:1381 msgid "Allowed friend domains" msgstr "Allowed friend domains" -#: mod/admin.php:1298 +#: mod/admin.php:1381 msgid "" "Comma separated list of domains which are allowed to establish friendships " "with this site. Wildcards are accepted. Empty to allow any domains" msgstr "Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Leave empty to allow any domains" -#: mod/admin.php:1299 +#: mod/admin.php:1382 msgid "Allowed email domains" msgstr "Allowed email domains" -#: mod/admin.php:1299 +#: mod/admin.php:1382 msgid "" "Comma separated list of domains which are allowed in email addresses for " "registrations to this site. Wildcards are accepted. Empty to allow any " "domains" msgstr "Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Leave empty to allow any domains" -#: mod/admin.php:1300 +#: mod/admin.php:1383 msgid "No OEmbed rich content" msgstr "No OEmbed rich content" -#: mod/admin.php:1300 +#: mod/admin.php:1383 msgid "" "Don't show the rich content (e.g. embedded PDF), except from the domains " "listed below." msgstr "Don't show rich content (e.g. embedded PDF), except from the domains listed below." -#: mod/admin.php:1301 +#: mod/admin.php:1384 msgid "Allowed OEmbed domains" msgstr "Allowed OEmbed domains" -#: mod/admin.php:1301 +#: mod/admin.php:1384 msgid "" "Comma separated list of domains which oembed content is allowed to be " "displayed. Wildcards are accepted." msgstr "Comma separated list of domains from where OEmbed content is allowed. Wildcards are possible." -#: mod/admin.php:1302 +#: mod/admin.php:1385 msgid "Block public" msgstr "Block public" -#: mod/admin.php:1302 +#: mod/admin.php:1385 msgid "" "Check to block public access to all otherwise public personal pages on this " "site unless you are currently logged in." msgstr "Block public access to all otherwise public personal pages on this site, except for local users when logged in." -#: mod/admin.php:1303 +#: mod/admin.php:1386 msgid "Force publish" msgstr "Mandatory directory listing" -#: mod/admin.php:1303 +#: mod/admin.php:1386 msgid "" "Check to force all profiles on this site to be listed in the site directory." msgstr "Force all profiles on this site to be listed in the site directory." -#: mod/admin.php:1304 +#: mod/admin.php:1387 msgid "Global directory URL" msgstr "Global directory URL" -#: mod/admin.php:1304 +#: mod/admin.php:1387 msgid "" "URL to the global directory. If this is not set, the global directory is " "completely unavailable to the application." msgstr "URL to the global directory: If this is not set, the global directory is completely unavailable to the application." -#: mod/admin.php:1305 +#: mod/admin.php:1388 msgid "Private posts by default for new users" msgstr "Private posts by default for new users" -#: mod/admin.php:1305 +#: mod/admin.php:1388 msgid "" "Set default post permissions for all new members to the default privacy " "group rather than public." msgstr "Set default post permissions for all new members to the default privacy group rather than public." -#: mod/admin.php:1306 +#: mod/admin.php:1389 msgid "Don't include post content in email notifications" msgstr "Don't include post content in email notifications" -#: mod/admin.php:1306 +#: mod/admin.php:1389 msgid "" "Don't include the content of a post/comment/private message/etc. in the " "email notifications that are sent out from this site, as a privacy measure." msgstr "Don't include the content of a post/comment/private message in the email notifications sent from this site, as a privacy measure." -#: mod/admin.php:1307 +#: mod/admin.php:1390 msgid "Disallow public access to addons listed in the apps menu." msgstr "Disallow public access to addons listed in the apps menu." -#: mod/admin.php:1307 +#: mod/admin.php:1390 msgid "" "Checking this box will restrict addons listed in the apps menu to members " "only." msgstr "Checking this box will restrict addons listed in the apps menu to members only." -#: mod/admin.php:1308 +#: mod/admin.php:1391 msgid "Don't embed private images in posts" msgstr "Don't embed private images in posts" -#: mod/admin.php:1308 +#: mod/admin.php:1391 msgid "" "Don't replace locally-hosted private photos in posts with an embedded copy " "of the image. This means that contacts who receive posts containing private " @@ -5197,210 +5897,210 @@ msgid "" "while." msgstr "Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while." -#: mod/admin.php:1309 +#: mod/admin.php:1392 msgid "Allow Users to set remote_self" msgstr "Allow users to set \"Remote self\"" -#: mod/admin.php:1309 +#: mod/admin.php:1392 msgid "" "With checking this, every user is allowed to mark every contact as a " "remote_self in the repair contact dialog. Setting this flag on a contact " "causes mirroring every posting of that contact in the users stream." msgstr "This allows every user to mark contacts as a \"Remote self\" in the repair contact dialogue. Setting this flag on a contact will mirror every posting of that contact in the users stream." -#: mod/admin.php:1310 +#: mod/admin.php:1393 msgid "Block multiple registrations" msgstr "Block multiple registrations" -#: mod/admin.php:1310 +#: mod/admin.php:1393 msgid "Disallow users to register additional accounts for use as pages." msgstr "Disallow users to sign up for additional accounts." -#: mod/admin.php:1311 +#: mod/admin.php:1394 msgid "OpenID support" msgstr "OpenID support" -#: mod/admin.php:1311 +#: mod/admin.php:1394 msgid "OpenID support for registration and logins." msgstr "OpenID support for registration and logins." -#: mod/admin.php:1312 +#: mod/admin.php:1395 msgid "Fullname check" msgstr "Full name check" -#: mod/admin.php:1312 +#: mod/admin.php:1395 msgid "" "Force users to register with a space between firstname and lastname in Full " "name, as an antispam measure" msgstr "Force users to sign up with a space between first name and last name in the full name field; it may reduce spam and abuse registrations." -#: mod/admin.php:1313 +#: mod/admin.php:1396 msgid "Community pages for visitors" msgstr "Community pages for visitors" -#: mod/admin.php:1313 +#: mod/admin.php:1396 msgid "" "Which community pages should be available for visitors. Local users always " "see both pages." msgstr "Which community pages should be available for visitors. Local users always see both pages." -#: mod/admin.php:1314 +#: mod/admin.php:1397 msgid "Posts per user on community page" msgstr "Posts per user on community page" -#: mod/admin.php:1314 +#: mod/admin.php:1397 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "'Global Community')" msgstr "Maximum number of posts per user on the community page (not valid for 'Global Community')." -#: mod/admin.php:1315 +#: mod/admin.php:1398 msgid "Enable OStatus support" msgstr "Enable OStatus support" -#: mod/admin.php:1315 +#: mod/admin.php:1398 msgid "" "Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." msgstr "Provide built-in OStatus (StatusNet, GNU Social, etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed." -#: mod/admin.php:1316 +#: mod/admin.php:1399 msgid "Only import OStatus threads from our contacts" msgstr "Only import OStatus threads from known contacts" -#: mod/admin.php:1316 +#: mod/admin.php:1399 msgid "" "Normally we import every content from our OStatus contacts. With this option" " we only store threads that are started by a contact that is known on our " "system." msgstr "Normally we import every content from our OStatus contacts. With this option we only store threads that are started by a contact that is known on our system." -#: mod/admin.php:1317 +#: mod/admin.php:1400 msgid "OStatus support can only be enabled if threading is enabled." msgstr "OStatus support can only be enabled if threading is enabled." -#: mod/admin.php:1319 +#: mod/admin.php:1402 msgid "" "Diaspora support can't be enabled because Friendica was installed into a sub" " directory." msgstr "Diaspora support can't be enabled because Friendica was installed into a sub directory." -#: mod/admin.php:1320 +#: mod/admin.php:1403 msgid "Enable Diaspora support" msgstr "Enable Diaspora support" -#: mod/admin.php:1320 +#: mod/admin.php:1403 msgid "Provide built-in Diaspora network compatibility." msgstr "Provide built-in Diaspora network compatibility." -#: mod/admin.php:1321 +#: mod/admin.php:1404 msgid "Only allow Friendica contacts" msgstr "Only allow Friendica contacts" -#: mod/admin.php:1321 +#: mod/admin.php:1404 msgid "" "All contacts must use Friendica protocols. All other built-in communication " "protocols disabled." msgstr "All contacts must use Friendica protocols. All other built-in communication protocols will be disabled." -#: mod/admin.php:1322 +#: mod/admin.php:1405 msgid "Verify SSL" msgstr "Verify SSL" -#: mod/admin.php:1322 +#: mod/admin.php:1405 msgid "" "If you wish, you can turn on strict certificate checking. This will mean you" " cannot connect (at all) to self-signed SSL sites." msgstr "If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites." -#: mod/admin.php:1323 +#: mod/admin.php:1406 msgid "Proxy user" msgstr "Proxy user" -#: mod/admin.php:1324 +#: mod/admin.php:1407 msgid "Proxy URL" msgstr "Proxy URL" -#: mod/admin.php:1325 +#: mod/admin.php:1408 msgid "Network timeout" msgstr "Network timeout" -#: mod/admin.php:1325 +#: mod/admin.php:1408 msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." msgstr "Value is in seconds. Set to 0 for unlimited (not recommended)." -#: mod/admin.php:1326 +#: mod/admin.php:1409 msgid "Maximum Load Average" msgstr "Maximum load average" -#: mod/admin.php:1326 +#: mod/admin.php:1409 msgid "" "Maximum system load before delivery and poll processes are deferred - " "default 50." msgstr "Maximum system load before delivery and poll processes are deferred (default 50)." -#: mod/admin.php:1327 +#: mod/admin.php:1410 msgid "Maximum Load Average (Frontend)" msgstr "Maximum load average (frontend)" -#: mod/admin.php:1327 +#: mod/admin.php:1410 msgid "Maximum system load before the frontend quits service - default 50." msgstr "Maximum system load before the frontend quits service (default 50)." -#: mod/admin.php:1328 +#: mod/admin.php:1411 msgid "Minimal Memory" msgstr "Minimal memory" -#: mod/admin.php:1328 +#: mod/admin.php:1411 msgid "" "Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " "default 0 (deactivated)." msgstr "Minimal free memory in MB for the worker. Needs access to /proc/meminfo - default 0 (deactivated)." -#: mod/admin.php:1329 +#: mod/admin.php:1412 msgid "Maximum table size for optimization" msgstr "Maximum table size for optimization" -#: mod/admin.php:1329 +#: mod/admin.php:1412 msgid "" "Maximum table size (in MB) for the automatic optimization - default 100 MB. " "Enter -1 to disable it." msgstr "Maximum table size (in MB) for the automatic optimization (default 100 MB; -1 to deactivate)." -#: mod/admin.php:1330 +#: mod/admin.php:1413 msgid "Minimum level of fragmentation" msgstr "Minimum level of fragmentation" -#: mod/admin.php:1330 +#: mod/admin.php:1413 msgid "" "Minimum fragmenation level to start the automatic optimization - default " "value is 30%." msgstr "Minimum fragmentation level to start the automatic optimization (default 30%)." -#: mod/admin.php:1332 +#: mod/admin.php:1415 msgid "Periodical check of global contacts" msgstr "Periodical check of global contacts" -#: mod/admin.php:1332 +#: mod/admin.php:1415 msgid "" "If enabled, the global contacts are checked periodically for missing or " "outdated data and the vitality of the contacts and servers." msgstr "This checks global contacts periodically for missing or outdated data and the vitality of the contacts and servers." -#: mod/admin.php:1333 +#: mod/admin.php:1416 msgid "Days between requery" msgstr "Days between enquiry" -#: mod/admin.php:1333 +#: mod/admin.php:1416 msgid "Number of days after which a server is requeried for his contacts." msgstr "Number of days after which a server is required check contacts." -#: mod/admin.php:1334 +#: mod/admin.php:1417 msgid "Discover contacts from other servers" msgstr "Discover contacts from other servers" -#: mod/admin.php:1334 +#: mod/admin.php:1417 msgid "" "Periodically query other servers for contacts. You can choose between " "'users': the users on the remote system, 'Global Contacts': active contacts " @@ -5410,32 +6110,32 @@ msgid "" "Global Contacts'." msgstr "Periodically query other servers for contacts. You can choose between 'Users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older Friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommend setting is 'Users, Global Contacts'." -#: mod/admin.php:1335 +#: mod/admin.php:1418 msgid "Timeframe for fetching global contacts" msgstr "Time-frame for fetching global contacts" -#: mod/admin.php:1335 +#: mod/admin.php:1418 msgid "" "When the discovery is activated, this value defines the timeframe for the " "activity of the global contacts that are fetched from other servers." msgstr "If discovery is activated, this value defines the time-frame for the activity of the global contacts that are fetched from other servers." -#: mod/admin.php:1336 +#: mod/admin.php:1419 msgid "Search the local directory" msgstr "Search the local directory" -#: mod/admin.php:1336 +#: mod/admin.php:1419 msgid "" "Search the local directory instead of the global directory. When searching " "locally, every search will be executed on the global directory in the " "background. This improves the search results when the search is repeated." msgstr "Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated." -#: mod/admin.php:1338 +#: mod/admin.php:1421 msgid "Publish server information" msgstr "Publish server information" -#: mod/admin.php:1338 +#: mod/admin.php:1421 msgid "" "If enabled, general server and usage data will be published. The data " "contains the name and version of the server, number of users with public " @@ -5443,143 +6143,147 @@ msgid "" " href='http://the-federation.info/'>the-federation.info for details." msgstr "This publishes generic data about the server and its usage. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details." -#: mod/admin.php:1340 +#: mod/admin.php:1423 msgid "Check upstream version" msgstr "Check upstream version" -#: mod/admin.php:1340 +#: mod/admin.php:1423 msgid "" "Enables checking for new Friendica versions at github. If there is a new " "version, you will be informed in the admin panel overview." msgstr "Enables checking for new Friendica versions at github. If there is a new version, you will be informed in the admin panel overview." -#: mod/admin.php:1341 +#: mod/admin.php:1424 msgid "Suppress Tags" msgstr "Suppress tags" -#: mod/admin.php:1341 +#: mod/admin.php:1424 msgid "Suppress showing a list of hashtags at the end of the posting." msgstr "Suppress listed hashtags at the end of posts." -#: mod/admin.php:1342 +#: mod/admin.php:1425 msgid "Path to item cache" msgstr "Path to item cache" -#: mod/admin.php:1342 +#: mod/admin.php:1425 msgid "The item caches buffers generated bbcode and external images." msgstr "The item caches buffers generated bbcode and external images." -#: mod/admin.php:1343 +#: mod/admin.php:1426 msgid "Cache duration in seconds" msgstr "Cache duration in seconds" -#: mod/admin.php:1343 +#: mod/admin.php:1426 msgid "" "How long should the cache files be hold? Default value is 86400 seconds (One" " day). To disable the item cache, set the value to -1." msgstr "How long should cache files be held? (Default 86400 seconds - one day; -1 disables item cache)" -#: mod/admin.php:1344 +#: mod/admin.php:1427 msgid "Maximum numbers of comments per post" msgstr "Maximum numbers of comments per post" -#: mod/admin.php:1344 +#: mod/admin.php:1427 msgid "How much comments should be shown for each post? Default value is 100." msgstr "How many comments should be shown for each post? (Default 100)" -#: mod/admin.php:1345 +#: mod/admin.php:1428 msgid "Temp path" msgstr "Temp path" -#: mod/admin.php:1345 +#: mod/admin.php:1428 msgid "" "If you have a restricted system where the webserver can't access the system " "temp path, enter another path here." msgstr "Enter a different tmp path, if your system restricts the webserver's access to the system temp path." -#: mod/admin.php:1346 +#: mod/admin.php:1429 msgid "Base path to installation" msgstr "Base path to installation" -#: mod/admin.php:1346 +#: mod/admin.php:1429 msgid "" "If the system cannot detect the correct path to your installation, enter the" " correct path here. This setting should only be set if you are using a " "restricted system and symbolic links to your webroot." msgstr "If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot." -#: mod/admin.php:1347 +#: mod/admin.php:1430 msgid "Disable picture proxy" msgstr "Disable picture proxy" -#: mod/admin.php:1347 +#: mod/admin.php:1430 msgid "" "The picture proxy increases performance and privacy. It shouldn't be used on" " systems with very low bandwith." msgstr "The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith." -#: mod/admin.php:1348 +#: mod/admin.php:1431 msgid "Only search in tags" msgstr "Only search in tags" -#: mod/admin.php:1348 +#: mod/admin.php:1431 msgid "On large systems the text search can slow down the system extremely." msgstr "On large systems the text search can slow down the system significantly." -#: mod/admin.php:1350 +#: mod/admin.php:1433 msgid "New base url" msgstr "New base URL" -#: mod/admin.php:1350 +#: mod/admin.php:1433 msgid "" "Change base url for this server. Sends relocate message to all Friendica and" " Diaspora* contacts of all users." msgstr "Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users." -#: mod/admin.php:1352 +#: mod/admin.php:1435 msgid "RINO Encryption" msgstr "RINO Encryption" -#: mod/admin.php:1352 +#: mod/admin.php:1435 msgid "Encryption layer between nodes." msgstr "Encryption layer between nodes." -#: mod/admin.php:1354 +#: mod/admin.php:1435 +msgid "Enabled" +msgstr "Enabled" + +#: mod/admin.php:1437 msgid "Maximum number of parallel workers" msgstr "Maximum number of parallel workers" -#: mod/admin.php:1354 +#: mod/admin.php:1437 msgid "" "On shared hosters set this to 2. On larger systems, values of 10 are great. " "Default value is 4." msgstr "On shared hosts set this to 2. On larger systems, values of 10 are great. Default value is 4." -#: mod/admin.php:1355 +#: mod/admin.php:1438 msgid "Don't use 'proc_open' with the worker" msgstr "Don't use 'proc_open' with the worker" -#: mod/admin.php:1355 +#: mod/admin.php:1438 msgid "" "Enable this if your system doesn't allow the use of 'proc_open'. This can " "happen on shared hosters. If this is enabled you should increase the " "frequency of worker calls in your crontab." msgstr "Enable this if your system doesn't allow the use of 'proc_open'. This can happen on shared hosters. If this is enabled you should increase the frequency of worker calls in your crontab." -#: mod/admin.php:1356 +#: mod/admin.php:1439 msgid "Enable fastlane" msgstr "Enable fast-lane" -#: mod/admin.php:1356 +#: mod/admin.php:1439 msgid "" "When enabed, the fastlane mechanism starts an additional worker if processes" " with higher priority are blocked by processes of lower priority." msgstr "The fast-lane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority." -#: mod/admin.php:1357 +#: mod/admin.php:1440 msgid "Enable frontend worker" msgstr "Enable frontend worker" -#: mod/admin.php:1357 +#: mod/admin.php:1440 #, php-format msgid "" "When enabled the Worker process is triggered when backend access is " @@ -5589,66 +6293,132 @@ msgid "" " on your server." msgstr "When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server." -#: mod/admin.php:1385 +#: mod/admin.php:1442 +msgid "Subscribe to relay" +msgstr "Subscribe to relay" + +#: mod/admin.php:1442 +msgid "" +"Enables the receiving of public posts from the relay. They will be included " +"in the search, subscribed tags and on the global community page." +msgstr "Receive public posts from the specified relay. Post will be included in searches, subscribed tags and on the global community page." + +#: mod/admin.php:1443 +msgid "Relay server" +msgstr "Relay server" + +#: mod/admin.php:1443 +msgid "" +"Address of the relay server where public posts should be send to. For " +"example https://relay.diasp.org" +msgstr "Address of the relay server where public posts should be send to. For example https://relay.diasp.org" + +#: mod/admin.php:1444 +msgid "Direct relay transfer" +msgstr "Direct relay transfer" + +#: mod/admin.php:1444 +msgid "" +"Enables the direct transfer to other servers without using the relay servers" +msgstr "Enables direct transfer to other servers without using a relay server." + +#: mod/admin.php:1445 +msgid "Relay scope" +msgstr "Relay scope" + +#: mod/admin.php:1445 +msgid "" +"Can be 'all' or 'tags'. 'all' means that every public post should be " +"received. 'tags' means that only posts with selected tags should be " +"received." +msgstr "Set to 'all' or 'tags'. 'all' means receive every public post; 'tags' receive public posts only with specified tags." + +#: mod/admin.php:1445 +msgid "all" +msgstr "all" + +#: mod/admin.php:1445 +msgid "tags" +msgstr "tags" + +#: mod/admin.php:1446 +msgid "Server tags" +msgstr "Server tags" + +#: mod/admin.php:1446 +msgid "Comma separated list of tags for the 'tags' subscription." +msgstr "Comma separated tags for subscription." + +#: mod/admin.php:1447 +msgid "Allow user tags" +msgstr "Allow user tags" + +#: mod/admin.php:1447 +msgid "" +"If enabled, the tags from the saved searches will used for the 'tags' " +"subscription in addition to the 'relay_server_tags'." +msgstr "Use user-generated tags from saved searches for 'tags' subscription in addition to 'relay_server_tags'." + +#: mod/admin.php:1475 msgid "Update has been marked successful" msgstr "Update has been marked successful" -#: mod/admin.php:1392 +#: mod/admin.php:1482 #, php-format msgid "Database structure update %s was successfully applied." msgstr "Database structure update %s was successfully applied." -#: mod/admin.php:1395 +#: mod/admin.php:1485 #, php-format msgid "Executing of database structure update %s failed with error: %s" msgstr "Executing of database structure update %s failed with error: %s" -#: mod/admin.php:1408 +#: mod/admin.php:1498 #, php-format msgid "Executing %s failed with error: %s" msgstr "Executing %s failed with error: %s" -#: mod/admin.php:1410 +#: mod/admin.php:1500 #, php-format msgid "Update %s was successfully applied." msgstr "Update %s was successfully applied." -#: mod/admin.php:1413 +#: mod/admin.php:1503 #, php-format msgid "Update %s did not return a status. Unknown if it succeeded." msgstr "Update %s did not return a status. Unknown if it succeeded." -#: mod/admin.php:1416 +#: mod/admin.php:1506 #, php-format msgid "There was no additional update function %s that needed to be called." msgstr "There was no additional update function %s that needed to be called." -#: mod/admin.php:1436 +#: mod/admin.php:1526 msgid "No failed updates." msgstr "No failed updates." -#: mod/admin.php:1437 +#: mod/admin.php:1527 msgid "Check database structure" msgstr "Check database structure" -#: mod/admin.php:1442 +#: mod/admin.php:1532 msgid "Failed Updates" msgstr "Failed updates" -#: mod/admin.php:1443 +#: mod/admin.php:1533 msgid "" "This does not include updates prior to 1139, which did not return a status." msgstr "This does not include updates prior to 1139, which did not return a status." -#: mod/admin.php:1444 +#: mod/admin.php:1534 msgid "Mark success (if update was manually applied)" msgstr "Mark success (if update was manually applied)" -#: mod/admin.php:1445 +#: mod/admin.php:1535 msgid "Attempt to execute this update step automatically" msgstr "Attempt to execute this update step automatically" -#: mod/admin.php:1484 +#: mod/admin.php:1574 #, php-format msgid "" "\n" @@ -5656,7 +6426,7 @@ msgid "" "\t\t\t\tthe administrator of %2$s has set up an account for you." msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tThe administrator of %2$s has set up an account for you." -#: mod/admin.php:1487 +#: mod/admin.php:1577 #, php-format msgid "" "\n" @@ -5683,171 +6453,173 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" +"\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" +"\n" "\t\t\tThank you and welcome to %4$s." -msgstr "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1$s\n\t\t\tLogin Name:\t\t%2$s\n\t\t\tPassword:\t\t%3$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, this may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4$s." +msgstr "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1$s\n\t\t\tLogin Name:\t\t%2$s\n\t\t\tPassword:\t\t%3$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n\n\t\t\tThank you and welcome to %4$s." -#: mod/admin.php:1519 src/Model/User.php:634 +#: mod/admin.php:1611 src/Model/User.php:649 #, php-format msgid "Registration details for %s" msgstr "Registration details for %s" -#: mod/admin.php:1529 +#: mod/admin.php:1621 #, php-format msgid "%s user blocked/unblocked" msgid_plural "%s users blocked/unblocked" msgstr[0] "%s user blocked/unblocked" msgstr[1] "%s users blocked/unblocked" -#: mod/admin.php:1535 +#: mod/admin.php:1627 #, php-format msgid "%s user deleted" msgid_plural "%s users deleted" msgstr[0] "%s user deleted" msgstr[1] "%s users deleted" -#: mod/admin.php:1582 +#: mod/admin.php:1674 #, php-format msgid "User '%s' deleted" msgstr "User '%s' deleted" -#: mod/admin.php:1590 +#: mod/admin.php:1682 #, php-format msgid "User '%s' unblocked" msgstr "User '%s' unblocked" -#: mod/admin.php:1590 +#: mod/admin.php:1682 #, php-format msgid "User '%s' blocked" msgstr "User '%s' blocked" -#: mod/admin.php:1689 mod/admin.php:1701 mod/admin.php:1714 mod/admin.php:1732 +#: mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 mod/admin.php:1824 #: src/Content/ContactSelector.php:82 msgid "Email" msgstr "Email" -#: mod/admin.php:1689 mod/admin.php:1714 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Register date" msgstr "Registration date" -#: mod/admin.php:1689 mod/admin.php:1714 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last login" msgstr "Last login" -#: mod/admin.php:1689 mod/admin.php:1714 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last item" msgstr "Last item" -#: mod/admin.php:1689 mod/settings.php:54 +#: mod/admin.php:1781 mod/settings.php:55 msgid "Account" msgstr "Account" -#: mod/admin.php:1697 +#: mod/admin.php:1789 msgid "Add User" msgstr "Add user" -#: mod/admin.php:1699 +#: mod/admin.php:1791 msgid "User registrations waiting for confirm" msgstr "User registrations awaiting confirmation" -#: mod/admin.php:1700 +#: mod/admin.php:1792 msgid "User waiting for permanent deletion" msgstr "User awaiting permanent deletion" -#: mod/admin.php:1701 +#: mod/admin.php:1793 msgid "Request date" msgstr "Request date" -#: mod/admin.php:1702 +#: mod/admin.php:1794 msgid "No registrations." msgstr "No registrations." -#: mod/admin.php:1703 +#: mod/admin.php:1795 msgid "Note from the user" msgstr "Note from the user" -#: mod/admin.php:1705 +#: mod/admin.php:1797 msgid "Deny" msgstr "Deny" -#: mod/admin.php:1709 +#: mod/admin.php:1801 msgid "Site admin" msgstr "Site admin" -#: mod/admin.php:1710 +#: mod/admin.php:1802 msgid "Account expired" msgstr "Account expired" -#: mod/admin.php:1713 +#: mod/admin.php:1805 msgid "New User" msgstr "New user" -#: mod/admin.php:1714 +#: mod/admin.php:1806 msgid "Deleted since" msgstr "Deleted since" -#: mod/admin.php:1719 +#: mod/admin.php:1811 msgid "" "Selected users will be deleted!\\n\\nEverything these users had posted on " "this site will be permanently deleted!\\n\\nAre you sure?" msgstr "Selected users will be deleted!\\n\\nEverything these users has posted on this site will be permanently deleted!\\n\\nAre you sure?" -#: mod/admin.php:1720 +#: mod/admin.php:1812 msgid "" "The user {0} will be deleted!\\n\\nEverything this user has posted on this " "site will be permanently deleted!\\n\\nAre you sure?" msgstr "The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?" -#: mod/admin.php:1730 +#: mod/admin.php:1822 msgid "Name of the new user." msgstr "Name of the new user." -#: mod/admin.php:1731 +#: mod/admin.php:1823 msgid "Nickname" msgstr "Nickname" -#: mod/admin.php:1731 +#: mod/admin.php:1823 msgid "Nickname of the new user." msgstr "Nickname of the new user." -#: mod/admin.php:1732 +#: mod/admin.php:1824 msgid "Email address of the new user." msgstr "Email address of the new user." -#: mod/admin.php:1774 +#: mod/admin.php:1866 #, php-format msgid "Addon %s disabled." msgstr "Addon %s disabled." -#: mod/admin.php:1778 +#: mod/admin.php:1870 #, php-format msgid "Addon %s enabled." msgstr "Addon %s enabled." -#: mod/admin.php:1788 mod/admin.php:2037 +#: mod/admin.php:1880 mod/admin.php:2129 msgid "Disable" msgstr "Disable" -#: mod/admin.php:1791 mod/admin.php:2040 +#: mod/admin.php:1883 mod/admin.php:2132 msgid "Enable" msgstr "Enable" -#: mod/admin.php:1813 mod/admin.php:2082 +#: mod/admin.php:1905 mod/admin.php:2174 msgid "Toggle" msgstr "Toggle" -#: mod/admin.php:1821 mod/admin.php:2091 +#: mod/admin.php:1913 mod/admin.php:2183 msgid "Author: " msgstr "Author: " -#: mod/admin.php:1822 mod/admin.php:2092 +#: mod/admin.php:1914 mod/admin.php:2184 msgid "Maintainer: " msgstr "Maintainer: " -#: mod/admin.php:1874 +#: mod/admin.php:1966 msgid "Reload active addons" msgstr "Reload active addons" -#: mod/admin.php:1879 +#: mod/admin.php:1971 #, php-format msgid "" "There are currently no addons available on your node. You can find the " @@ -5855,70 +6627,70 @@ msgid "" " the open addon registry at %2$s" msgstr "There are currently no addons available on your node. You can find the official addon repository at %1$s and might find other interesting addons in the open addon registry at %2$s" -#: mod/admin.php:1999 +#: mod/admin.php:2091 msgid "No themes found." msgstr "No themes found." -#: mod/admin.php:2073 +#: mod/admin.php:2165 msgid "Screenshot" msgstr "Screenshot" -#: mod/admin.php:2127 +#: mod/admin.php:2219 msgid "Reload active themes" msgstr "Reload active themes" -#: mod/admin.php:2132 +#: mod/admin.php:2224 #, php-format msgid "No themes found on the system. They should be placed in %1$s" msgstr "No themes found on the system. They should be placed in %1$s" -#: mod/admin.php:2133 +#: mod/admin.php:2225 msgid "[Experimental]" msgstr "[Experimental]" -#: mod/admin.php:2134 +#: mod/admin.php:2226 msgid "[Unsupported]" msgstr "[Unsupported]" -#: mod/admin.php:2158 +#: mod/admin.php:2250 msgid "Log settings updated." msgstr "Log settings updated." -#: mod/admin.php:2190 +#: mod/admin.php:2282 msgid "PHP log currently enabled." msgstr "PHP log currently enabled." -#: mod/admin.php:2192 +#: mod/admin.php:2284 msgid "PHP log currently disabled." msgstr "PHP log currently disabled." -#: mod/admin.php:2201 +#: mod/admin.php:2293 msgid "Clear" msgstr "Clear" -#: mod/admin.php:2205 +#: mod/admin.php:2297 msgid "Enable Debugging" msgstr "Enable debugging" -#: mod/admin.php:2206 +#: mod/admin.php:2298 msgid "Log file" msgstr "Log file" -#: mod/admin.php:2206 +#: mod/admin.php:2298 msgid "" "Must be writable by web server. Relative to your Friendica top-level " "directory." msgstr "Must be writable by web server and relative to your Friendica top-level directory." -#: mod/admin.php:2207 +#: mod/admin.php:2299 msgid "Log level" msgstr "Log level" -#: mod/admin.php:2209 +#: mod/admin.php:2301 msgid "PHP logging" msgstr "PHP logging" -#: mod/admin.php:2210 +#: mod/admin.php:2302 msgid "" "To enable logging of PHP errors and warnings you can add the following to " "the .htconfig.php file of your installation. The filename set in the " @@ -5927,1203 +6699,577 @@ msgid "" "'display_errors' is to enable these options, set to '0' to disable them." msgstr "To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The file name set in the 'error_log' line is relative to the Friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them." -#: mod/admin.php:2241 +#: mod/admin.php:2333 #, php-format msgid "" "Error trying to open %1$s log file.\\r\\n
Check to see " "if file %1$s exist and is readable." msgstr "Error trying to open %1$s log file.\\r\\n
Check to see if file %1$s exist and is readable." -#: mod/admin.php:2245 +#: mod/admin.php:2337 #, php-format msgid "" "Couldn't open %1$s log file.\\r\\n
Check to see if file" " %1$s is readable." msgstr "Couldn't open %1$s log file.\\r\\n
Check if file %1$s is readable." -#: mod/admin.php:2336 mod/admin.php:2337 mod/settings.php:779 +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 msgid "Off" msgstr "Off" -#: mod/admin.php:2336 mod/admin.php:2337 mod/settings.php:779 +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 msgid "On" msgstr "On" -#: mod/admin.php:2337 +#: mod/admin.php:2429 #, php-format msgid "Lock feature %s" msgstr "Lock feature %s" -#: mod/admin.php:2345 +#: mod/admin.php:2437 msgid "Manage Additional Features" msgstr "Manage additional features" -#: mod/babel.php:23 -msgid "Source (bbcode) text:" -msgstr "Source (bbcode) text:" - -#: mod/babel.php:30 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Source (Diaspora) text to convert to BBcode:" - -#: mod/babel.php:38 -msgid "Source input: " -msgstr "Source input: " - -#: mod/babel.php:42 -msgid "bbcode (raw HTML(: " -msgstr "bbcode (raw HTML(: " - -#: mod/babel.php:45 -msgid "bbcode: " -msgstr "bbcode: " - -#: mod/babel.php:49 mod/babel.php:65 -msgid "bbcode => html2bbcode: " -msgstr "bbcode => html2bbcode: " - -#: mod/babel.php:53 -msgid "bb2diaspora: " -msgstr "bb2diaspora: " - -#: mod/babel.php:57 -msgid "bb2diaspora => Markdown: " -msgstr "bb2diaspora => Markdown: " - -#: mod/babel.php:61 -msgid "bb2diaspora => diaspora2bb: " -msgstr "bb2diaspora => diaspora2bb: " - -#: mod/babel.php:71 -msgid "Source input (Diaspora format): " -msgstr "Source input (Diaspora format): " - -#: mod/babel.php:75 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: mod/bookmarklet.php:21 src/Content/Nav.php:114 src/Module/Login.php:312 -msgid "Login" -msgstr "Login" - -#: mod/bookmarklet.php:49 -msgid "The post was created" -msgstr "The post was created" - -#: mod/community.php:44 -msgid "Community option not available." -msgstr "Community option not available." - -#: mod/community.php:61 -msgid "Not available." -msgstr "Not available." - -#: mod/community.php:74 -msgid "Local Community" -msgstr "Local community" - -#: mod/community.php:77 -msgid "Posts from local users on this server" -msgstr "Posts from local users on this server" - -#: mod/community.php:85 -msgid "Global Community" -msgstr "Global community" - -#: mod/community.php:88 -msgid "Posts from users of the whole federated network" -msgstr "Posts from users of the whole federated network" - -#: mod/community.php:178 -msgid "" -"This community stream shows all public posts received by this node. They may" -" not reflect the opinions of this node’s users." -msgstr "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users." - -#: mod/directory.php:153 src/Model/Profile.php:421 src/Model/Profile.php:769 -msgid "Status:" -msgstr "Status:" - -#: mod/directory.php:154 src/Model/Profile.php:422 src/Model/Profile.php:786 -msgid "Homepage:" -msgstr "Homepage:" - -#: mod/directory.php:203 view/theme/vier/theme.php:201 -msgid "Global Directory" -msgstr "Global Directory" - -#: mod/directory.php:205 -msgid "Find on this site" -msgstr "Find on this site" - -#: mod/directory.php:207 -msgid "Results for:" -msgstr "Results for:" - -#: mod/directory.php:209 -msgid "Site Directory" -msgstr "Site directory" - -#: mod/directory.php:214 -msgid "No entries (some entries may be hidden)." -msgstr "No entries (entries may be hidden)." - -#: mod/editpost.php:27 mod/editpost.php:37 -msgid "Item not found" -msgstr "Item not found" - -#: mod/editpost.php:44 -msgid "Edit post" -msgstr "Edit post" - -#: mod/events.php:103 mod/events.php:105 -msgid "Event can not end before it has started." -msgstr "Event cannot end before it has started." - -#: mod/events.php:112 mod/events.php:114 -msgid "Event title and start time are required." -msgstr "Event title and starting time are required." - -#: mod/events.php:394 -msgid "Create New Event" -msgstr "Create new event" - -#: mod/events.php:509 -msgid "Event details" -msgstr "Event details" - -#: mod/events.php:510 -msgid "Starting date and Title are required." -msgstr "Starting date and title are required." - -#: mod/events.php:511 mod/events.php:512 -msgid "Event Starts:" -msgstr "Event starts:" - -#: mod/events.php:513 mod/events.php:529 -msgid "Finish date/time is not known or not relevant" -msgstr "Finish date/time is not known or not relevant" - -#: mod/events.php:515 mod/events.php:516 -msgid "Event Finishes:" -msgstr "Event finishes:" - -#: mod/events.php:517 mod/events.php:530 -msgid "Adjust for viewer timezone" -msgstr "Adjust for viewer's time zone" - -#: mod/events.php:519 -msgid "Description:" -msgstr "Description:" - -#: mod/events.php:523 mod/events.php:525 -msgid "Title:" -msgstr "Title:" - -#: mod/events.php:526 mod/events.php:527 -msgid "Share this event" -msgstr "Share this event" - -#: mod/events.php:534 src/Model/Profile.php:864 -msgid "Basic" -msgstr "Basic" - -#: mod/events.php:556 -msgid "Failed to remove event" -msgstr "Failed to remove event" - -#: mod/events.php:558 -msgid "Event removed" -msgstr "Event removed" - -#: mod/fsuggest.php:71 -msgid "Friend suggestion sent." -msgstr "Friend suggestion sent" - -#: mod/fsuggest.php:102 -msgid "Suggest Friends" -msgstr "Suggest friends" - -#: mod/fsuggest.php:104 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Suggest a friend for %s" - -#: mod/group.php:36 -msgid "Group created." -msgstr "Group created." - -#: mod/group.php:42 -msgid "Could not create group." -msgstr "Could not create group." - -#: mod/group.php:56 mod/group.php:158 -msgid "Group not found." -msgstr "Group not found." - -#: mod/group.php:70 -msgid "Group name changed." -msgstr "Group name changed." - -#: mod/group.php:97 -msgid "Save Group" -msgstr "Save group" - -#: mod/group.php:102 -msgid "Create a group of contacts/friends." -msgstr "Create a group of contacts/friends." - -#: mod/group.php:103 mod/group.php:200 src/Model/Group.php:409 -msgid "Group Name: " -msgstr "Group name: " - -#: mod/group.php:127 -msgid "Group removed." -msgstr "Group removed." - -#: mod/group.php:129 -msgid "Unable to remove group." -msgstr "Unable to remove group." - -#: mod/group.php:193 -msgid "Delete Group" -msgstr "Delete group" - -#: mod/group.php:199 -msgid "Group Editor" -msgstr "Group Editor" - -#: mod/group.php:204 -msgid "Edit Group Name" -msgstr "Edit group name" - -#: mod/group.php:214 -msgid "Members" -msgstr "Members" - -#: mod/group.php:217 mod/network.php:639 -msgid "Group is empty" -msgstr "Group is empty" - -#: mod/group.php:230 -msgid "Remove Contact" -msgstr "Remove contact" - -#: mod/group.php:254 -msgid "Add Contact" -msgstr "Add contact" - -#: mod/message.php:30 src/Content/Nav.php:198 -msgid "New Message" -msgstr "New Message" - -#: mod/message.php:77 -msgid "Unable to locate contact information." -msgstr "Unable to locate contact information." - -#: mod/message.php:112 view/theme/frio/theme.php:268 src/Content/Nav.php:195 -msgid "Messages" -msgstr "Messages" - -#: mod/message.php:136 -msgid "Do you really want to delete this message?" -msgstr "Do you really want to delete this message?" - -#: mod/message.php:156 -msgid "Message deleted." -msgstr "Message deleted." - -#: mod/message.php:185 -msgid "Conversation removed." -msgstr "Conversation removed." - -#: mod/message.php:291 -msgid "No messages." -msgstr "No messages." - -#: mod/message.php:330 -msgid "Message not available." -msgstr "Message not available." - -#: mod/message.php:397 -msgid "Delete message" -msgstr "Delete message" - -#: mod/message.php:399 mod/message.php:500 -msgid "D, d M Y - g:i A" -msgstr "D, d M Y - g:i A" - -#: mod/message.php:414 mod/message.php:497 -msgid "Delete conversation" -msgstr "Delete conversation" - -#: mod/message.php:416 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "No secure communications available. You may be able to respond from the sender's profile page." - -#: mod/message.php:420 -msgid "Send Reply" -msgstr "Send reply" - -#: mod/message.php:471 -#, php-format -msgid "Unknown sender - %s" -msgstr "Unknown sender - %s" - -#: mod/message.php:473 -#, php-format -msgid "You and %s" -msgstr "Me and %s" - -#: mod/message.php:475 -#, php-format -msgid "%s and You" -msgstr "%s and me" - -#: mod/message.php:503 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d message" -msgstr[1] "%d messages" - -#: mod/network.php:202 src/Model/Group.php:401 -msgid "add" -msgstr "add" - -#: mod/network.php:547 -#, php-format -msgid "" -"Warning: This group contains %s member from a network that doesn't allow non" -" public messages." -msgid_plural "" -"Warning: This group contains %s members from a network that doesn't allow " -"non public messages." -msgstr[0] "Warning: This group contains %s member from a network that doesn't allow non public messages." -msgstr[1] "Warning: This group contains %s members from a network that doesn't allow non public messages." - -#: mod/network.php:550 -msgid "Messages in this group won't be send to these receivers." -msgstr "Messages in this group won't be send to these receivers." - -#: mod/network.php:618 -msgid "No such group" -msgstr "No such group" - -#: mod/network.php:643 -#, php-format -msgid "Group: %s" -msgstr "Group: %s" - -#: mod/network.php:669 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "Private messages to this person are at risk of public disclosure." - -#: mod/network.php:672 -msgid "Invalid contact." -msgstr "Invalid contact." - -#: mod/network.php:921 -msgid "Commented Order" -msgstr "Commented last" - -#: mod/network.php:924 -msgid "Sort by Comment Date" -msgstr "Sort by comment date" - -#: mod/network.php:929 -msgid "Posted Order" -msgstr "Posted last" - -#: mod/network.php:932 -msgid "Sort by Post Date" -msgstr "Sort by post date" - -#: mod/network.php:943 -msgid "Posts that mention or involve you" -msgstr "Posts mentioning or involving me" - -#: mod/network.php:951 -msgid "New" -msgstr "New" - -#: mod/network.php:954 -msgid "Activity Stream - by date" -msgstr "Activity Stream - by date" - -#: mod/network.php:962 -msgid "Shared Links" -msgstr "Shared links" - -#: mod/network.php:965 -msgid "Interesting Links" -msgstr "Interesting links" - -#: mod/network.php:973 -msgid "Starred" -msgstr "Starred" - -#: mod/network.php:976 -msgid "Favourite Posts" -msgstr "My favorite posts" - -#: mod/notes.php:53 src/Model/Profile.php:946 -msgid "Personal Notes" -msgstr "Personal notes" - -#: mod/photos.php:108 src/Model/Profile.php:907 -msgid "Photo Albums" -msgstr "Photo Albums" - -#: mod/photos.php:109 mod/photos.php:1713 -msgid "Recent Photos" -msgstr "Recent photos" - -#: mod/photos.php:112 mod/photos.php:1210 mod/photos.php:1715 -msgid "Upload New Photos" -msgstr "Upload new photos" - -#: mod/photos.php:126 mod/settings.php:49 -msgid "everybody" -msgstr "everybody" - -#: mod/photos.php:184 -msgid "Contact information unavailable" -msgstr "Contact information unavailable" - -#: mod/photos.php:204 -msgid "Album not found." -msgstr "Album not found." - -#: mod/photos.php:234 mod/photos.php:245 mod/photos.php:1161 -msgid "Delete Album" -msgstr "Delete album" - -#: mod/photos.php:243 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Do you really want to delete this photo album and all its photos?" - -#: mod/photos.php:310 mod/photos.php:321 mod/photos.php:1446 -msgid "Delete Photo" -msgstr "Delete photo" - -#: mod/photos.php:319 -msgid "Do you really want to delete this photo?" -msgstr "Do you really want to delete this photo?" - -#: mod/photos.php:667 -msgid "a photo" -msgstr "a photo" - -#: mod/photos.php:667 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s was tagged in %2$s by %3$s" - -#: mod/photos.php:769 -msgid "Image upload didn't complete, please try again" -msgstr "Image upload didn't complete, please try again" - -#: mod/photos.php:772 -msgid "Image file is missing" -msgstr "Image file is missing" - -#: mod/photos.php:777 -msgid "" -"Server can't accept new file upload at this time, please contact your " -"administrator" -msgstr "Server can't accept new file upload at this time, please contact your administrator" - -#: mod/photos.php:803 -msgid "Image file is empty." -msgstr "Image file is empty." - -#: mod/photos.php:940 -msgid "No photos selected" -msgstr "No photos selected" - -#: mod/photos.php:1036 mod/videos.php:310 -msgid "Access to this item is restricted." -msgstr "Access to this item is restricted." - -#: mod/photos.php:1090 -msgid "Upload Photos" -msgstr "Upload photos" - -#: mod/photos.php:1094 mod/photos.php:1156 -msgid "New album name: " -msgstr "New album name: " - -#: mod/photos.php:1095 -msgid "or existing album name: " -msgstr "or existing album name: " - -#: mod/photos.php:1096 -msgid "Do not show a status post for this upload" -msgstr "Do not show a status post for this upload" - -#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1233 -msgid "Show to Groups" -msgstr "Show to groups" - -#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1234 -msgid "Show to Contacts" -msgstr "Show to contacts" - -#: mod/photos.php:1167 -msgid "Edit Album" -msgstr "Edit album" - -#: mod/photos.php:1172 -msgid "Show Newest First" -msgstr "Show newest first" - -#: mod/photos.php:1174 -msgid "Show Oldest First" -msgstr "Show oldest first" - -#: mod/photos.php:1195 mod/photos.php:1698 -msgid "View Photo" -msgstr "View photo" - -#: mod/photos.php:1236 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permission denied. Access to this item may be restricted." - -#: mod/photos.php:1238 -msgid "Photo not available" -msgstr "Photo not available" - -#: mod/photos.php:1301 -msgid "View photo" -msgstr "View photo" - -#: mod/photos.php:1301 -msgid "Edit photo" -msgstr "Edit photo" - -#: mod/photos.php:1302 -msgid "Use as profile photo" -msgstr "Use as profile photo" - -#: mod/photos.php:1308 src/Object/Post.php:148 -msgid "Private Message" -msgstr "Private message" - -#: mod/photos.php:1327 -msgid "View Full Size" -msgstr "View full size" - -#: mod/photos.php:1414 -msgid "Tags: " -msgstr "Tags: " - -#: mod/photos.php:1417 -msgid "[Remove any tag]" -msgstr "[Remove any tag]" - -#: mod/photos.php:1432 -msgid "New album name" -msgstr "New album name" - -#: mod/photos.php:1433 -msgid "Caption" -msgstr "Caption" - -#: mod/photos.php:1434 -msgid "Add a Tag" -msgstr "Add Tag" - -#: mod/photos.php:1434 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Example: @bob, @jojo@example.com, #California, #camping" - -#: mod/photos.php:1435 -msgid "Do not rotate" -msgstr "Do not rotate" - -#: mod/photos.php:1436 -msgid "Rotate CW (right)" -msgstr "Rotate right (CW)" - -#: mod/photos.php:1437 -msgid "Rotate CCW (left)" -msgstr "Rotate left (CCW)" - -#: mod/photos.php:1471 src/Object/Post.php:295 -msgid "I like this (toggle)" -msgstr "I like this (toggle)" - -#: mod/photos.php:1472 src/Object/Post.php:296 -msgid "I don't like this (toggle)" -msgstr "I don't like this (toggle)" - -#: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 -#: src/Object/Post.php:785 -msgid "This is you" -msgstr "This is me" - -#: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 -#: src/Object/Post.php:391 src/Object/Post.php:787 -msgid "Comment" -msgstr "Comment" - -#: mod/photos.php:1634 -msgid "Map" -msgstr "Map" - -#: mod/photos.php:1704 mod/videos.php:388 -msgid "View Album" -msgstr "View album" - -#: mod/profile.php:36 src/Model/Profile.php:118 -msgid "Requested profile is not available." -msgstr "Requested profile is unavailable." - -#: mod/profile.php:77 src/Protocol/OStatus.php:1247 -#, php-format -msgid "%s's posts" -msgstr "%s's posts" - -#: mod/profile.php:78 src/Protocol/OStatus.php:1248 -#, php-format -msgid "%s's comments" -msgstr "%s's comments" - -#: mod/profile.php:79 src/Protocol/OStatus.php:1246 -#, php-format -msgid "%s's timeline" -msgstr "%s's timeline" - -#: mod/profile.php:194 -msgid "Tips for New Members" -msgstr "Tips for New Members" - -#: mod/settings.php:71 +#: mod/settings.php:72 msgid "Display" msgstr "Display" -#: mod/settings.php:78 mod/settings.php:845 +#: mod/settings.php:79 mod/settings.php:842 msgid "Social Networks" msgstr "Social networks" -#: mod/settings.php:92 src/Content/Nav.php:204 +#: mod/settings.php:93 src/Content/Nav.php:204 msgid "Delegations" msgstr "Delegations" -#: mod/settings.php:99 +#: mod/settings.php:100 msgid "Connected apps" msgstr "Connected apps" -#: mod/settings.php:113 +#: mod/settings.php:114 msgid "Remove account" msgstr "Remove account" -#: mod/settings.php:167 +#: mod/settings.php:168 msgid "Missing some important data!" msgstr "Missing some important data!" -#: mod/settings.php:278 +#: mod/settings.php:279 msgid "Failed to connect with email account using the settings provided." msgstr "Failed to connect with email account using the settings provided." -#: mod/settings.php:283 +#: mod/settings.php:284 msgid "Email settings updated." msgstr "Email settings updated." -#: mod/settings.php:299 +#: mod/settings.php:300 msgid "Features updated" msgstr "Features updated" -#: mod/settings.php:371 +#: mod/settings.php:372 msgid "Relocate message has been send to your contacts" msgstr "Relocate message has been send to your contacts" -#: mod/settings.php:383 src/Model/User.php:312 +#: mod/settings.php:384 src/Model/User.php:325 msgid "Passwords do not match. Password unchanged." msgstr "Passwords do not match. Password unchanged." -#: mod/settings.php:388 +#: mod/settings.php:389 msgid "Empty passwords are not allowed. Password unchanged." msgstr "Empty passwords are not allowed. Password unchanged." -#: mod/settings.php:394 +#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "The new password has been exposed in a public data dump; please choose another." + +#: mod/settings.php:400 msgid "Wrong password." msgstr "Wrong password." -#: mod/settings.php:401 +#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 msgid "Password changed." msgstr "Password changed." -#: mod/settings.php:403 +#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 msgid "Password update failed. Please try again." msgstr "Password update failed. Please try again." -#: mod/settings.php:493 +#: mod/settings.php:496 msgid " Please use a shorter name." msgstr " Please use a shorter name." -#: mod/settings.php:496 +#: mod/settings.php:499 msgid " Name too short." msgstr " Name too short." -#: mod/settings.php:504 +#: mod/settings.php:507 msgid "Wrong Password" msgstr "Wrong password" -#: mod/settings.php:509 +#: mod/settings.php:512 msgid "Invalid email." msgstr "Invalid email." -#: mod/settings.php:516 +#: mod/settings.php:519 msgid "Cannot change to that email." msgstr "Cannot change to that email." -#: mod/settings.php:569 +#: mod/settings.php:572 msgid "Private forum has no privacy permissions. Using default privacy group." msgstr "Private forum has no privacy permissions. Using default privacy group." -#: mod/settings.php:572 +#: mod/settings.php:575 msgid "Private forum has no privacy permissions and no default privacy group." msgstr "Private forum has no privacy permissions and no default privacy group." -#: mod/settings.php:612 +#: mod/settings.php:615 msgid "Settings updated." msgstr "Settings updated." -#: mod/settings.php:678 mod/settings.php:704 mod/settings.php:740 +#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 msgid "Add application" msgstr "Add application" -#: mod/settings.php:682 mod/settings.php:708 +#: mod/settings.php:678 mod/settings.php:704 msgid "Consumer Key" msgstr "Consumer key" -#: mod/settings.php:683 mod/settings.php:709 +#: mod/settings.php:679 mod/settings.php:705 msgid "Consumer Secret" msgstr "Consumer secret" -#: mod/settings.php:684 mod/settings.php:710 +#: mod/settings.php:680 mod/settings.php:706 msgid "Redirect" msgstr "Redirect" -#: mod/settings.php:685 mod/settings.php:711 +#: mod/settings.php:681 mod/settings.php:707 msgid "Icon url" msgstr "Icon URL" -#: mod/settings.php:696 +#: mod/settings.php:692 msgid "You can't edit this application." msgstr "You cannot edit this application." -#: mod/settings.php:739 +#: mod/settings.php:735 msgid "Connected Apps" msgstr "Connected Apps" -#: mod/settings.php:741 src/Object/Post.php:154 src/Object/Post.php:156 +#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 msgid "Edit" msgstr "Edit" -#: mod/settings.php:743 +#: mod/settings.php:739 msgid "Client key starts with" msgstr "Client key starts with" -#: mod/settings.php:744 +#: mod/settings.php:740 msgid "No name" msgstr "No name" -#: mod/settings.php:745 +#: mod/settings.php:741 msgid "Remove authorization" msgstr "Remove authorization" -#: mod/settings.php:756 +#: mod/settings.php:752 msgid "No Addon settings configured" msgstr "No addon settings configured" -#: mod/settings.php:765 +#: mod/settings.php:761 msgid "Addon Settings" msgstr "Addon Settings" -#: mod/settings.php:786 +#: mod/settings.php:782 msgid "Additional Features" msgstr "Additional Features" -#: mod/settings.php:808 src/Content/ContactSelector.php:83 +#: mod/settings.php:805 src/Content/ContactSelector.php:83 msgid "Diaspora" msgstr "Diaspora" -#: mod/settings.php:808 mod/settings.php:809 +#: mod/settings.php:805 mod/settings.php:806 msgid "enabled" msgstr "enabled" -#: mod/settings.php:808 mod/settings.php:809 +#: mod/settings.php:805 mod/settings.php:806 msgid "disabled" msgstr "disabled" -#: mod/settings.php:808 mod/settings.php:809 +#: mod/settings.php:805 mod/settings.php:806 #, php-format msgid "Built-in support for %s connectivity is %s" msgstr "Built-in support for %s connectivity is %s" -#: mod/settings.php:809 +#: mod/settings.php:806 msgid "GNU Social (OStatus)" msgstr "GNU Social (OStatus)" -#: mod/settings.php:840 +#: mod/settings.php:837 msgid "Email access is disabled on this site." msgstr "Email access is disabled on this site." -#: mod/settings.php:850 +#: mod/settings.php:847 msgid "General Social Media Settings" msgstr "General Social Media Settings" -#: mod/settings.php:851 +#: mod/settings.php:848 +msgid "Disable Content Warning" +msgstr "Disable content warning" + +#: mod/settings.php:848 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "Users on networks like Mastodon or Pleroma are able to set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you may set up." + +#: mod/settings.php:849 msgid "Disable intelligent shortening" msgstr "Disable intelligent shortening" -#: mod/settings.php:851 +#: mod/settings.php:849 msgid "" "Normally the system tries to find the best link to add to shortened posts. " "If this option is enabled then every shortened post will always point to the" " original friendica post." msgstr "Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original Friendica post." -#: mod/settings.php:852 +#: mod/settings.php:850 msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" msgstr "Automatically follow any GNU Social (OStatus) followers/mentioners" -#: mod/settings.php:852 +#: mod/settings.php:850 msgid "" "If you receive a message from an unknown OStatus user, this option decides " "what to do. If it is checked, a new contact will be created for every " "unknown user." msgstr "Create a new contact for every unknown OStatus user from whom you receive a message." -#: mod/settings.php:853 +#: mod/settings.php:851 msgid "Default group for OStatus contacts" msgstr "Default group for OStatus contacts" -#: mod/settings.php:854 +#: mod/settings.php:852 msgid "Your legacy GNU Social account" msgstr "Your legacy GNU Social account" -#: mod/settings.php:854 +#: mod/settings.php:852 msgid "" "If you enter your old GNU Social/Statusnet account name here (in the format " "user@domain.tld), your contacts will be added automatically. The field will " "be emptied when done." msgstr "Entering your old GNU Social/Statusnet account name here (format: user@domain.tld), will automatically added your contacts. The field will be emptied when done." -#: mod/settings.php:857 +#: mod/settings.php:855 msgid "Repair OStatus subscriptions" msgstr "Repair OStatus subscriptions" -#: mod/settings.php:861 +#: mod/settings.php:859 msgid "Email/Mailbox Setup" msgstr "Email/Mailbox setup" -#: mod/settings.php:862 +#: mod/settings.php:860 msgid "" "If you wish to communicate with email contacts using this service " "(optional), please specify how to connect to your mailbox." msgstr "Specify how to connect to your mailbox, if you wish to communicate with existing email contacts." -#: mod/settings.php:863 +#: mod/settings.php:861 msgid "Last successful email check:" msgstr "Last successful email check:" -#: mod/settings.php:865 +#: mod/settings.php:863 msgid "IMAP server name:" msgstr "IMAP server name:" -#: mod/settings.php:866 +#: mod/settings.php:864 msgid "IMAP port:" msgstr "IMAP port:" -#: mod/settings.php:867 +#: mod/settings.php:865 msgid "Security:" msgstr "Security:" -#: mod/settings.php:867 mod/settings.php:872 +#: mod/settings.php:865 mod/settings.php:870 msgid "None" msgstr "None" -#: mod/settings.php:868 +#: mod/settings.php:866 msgid "Email login name:" msgstr "Email login name:" -#: mod/settings.php:869 +#: mod/settings.php:867 msgid "Email password:" msgstr "Email password:" -#: mod/settings.php:870 +#: mod/settings.php:868 msgid "Reply-to address:" msgstr "Reply-to address:" -#: mod/settings.php:871 +#: mod/settings.php:869 msgid "Send public posts to all email contacts:" msgstr "Send public posts to all email contacts:" -#: mod/settings.php:872 +#: mod/settings.php:870 msgid "Action after import:" msgstr "Action after import:" -#: mod/settings.php:872 src/Content/Nav.php:191 +#: mod/settings.php:870 src/Content/Nav.php:191 msgid "Mark as seen" msgstr "Mark as seen" -#: mod/settings.php:872 +#: mod/settings.php:870 msgid "Move to folder" msgstr "Move to folder" -#: mod/settings.php:873 +#: mod/settings.php:871 msgid "Move to folder:" msgstr "Move to folder:" -#: mod/settings.php:916 +#: mod/settings.php:914 #, php-format msgid "%s - (Unsupported)" msgstr "%s - (Unsupported)" -#: mod/settings.php:918 +#: mod/settings.php:916 #, php-format msgid "%s - (Experimental)" msgstr "%s - (Experimental)" -#: mod/settings.php:961 +#: mod/settings.php:959 msgid "Display Settings" msgstr "Display Settings" -#: mod/settings.php:967 mod/settings.php:991 +#: mod/settings.php:965 mod/settings.php:989 msgid "Display Theme:" msgstr "Display theme:" -#: mod/settings.php:968 +#: mod/settings.php:966 msgid "Mobile Theme:" msgstr "Mobile theme:" -#: mod/settings.php:969 +#: mod/settings.php:967 msgid "Suppress warning of insecure networks" msgstr "Suppress warning of insecure networks" -#: mod/settings.php:969 +#: mod/settings.php:967 msgid "" "Should the system suppress the warning that the current group contains " "members of networks that can't receive non public postings." -msgstr "Suppresses warnings if groups contains members whose networks that cannot receive non-public postings." +msgstr "Suppresses warnings if groups contains members whose networks cannot receive non-public postings." -#: mod/settings.php:970 +#: mod/settings.php:968 msgid "Update browser every xx seconds" msgstr "Update browser every so many seconds:" -#: mod/settings.php:970 +#: mod/settings.php:968 msgid "Minimum of 10 seconds. Enter -1 to disable it." msgstr "Minimum 10 seconds; to disable -1." -#: mod/settings.php:971 +#: mod/settings.php:969 msgid "Number of items to display per page:" msgstr "Number of items displayed per page:" -#: mod/settings.php:971 mod/settings.php:972 +#: mod/settings.php:969 mod/settings.php:970 msgid "Maximum of 100 items" msgstr "Maximum of 100 items" -#: mod/settings.php:972 +#: mod/settings.php:970 msgid "Number of items to display per page when viewed from mobile device:" msgstr "Number of items displayed per page on mobile devices:" -#: mod/settings.php:973 +#: mod/settings.php:971 msgid "Don't show emoticons" msgstr "Don't show emoticons" -#: mod/settings.php:974 +#: mod/settings.php:972 msgid "Calendar" msgstr "Calendar" -#: mod/settings.php:975 +#: mod/settings.php:973 msgid "Beginning of week:" msgstr "Week begins: " -#: mod/settings.php:976 +#: mod/settings.php:974 msgid "Don't show notices" msgstr "Don't show notices" -#: mod/settings.php:977 +#: mod/settings.php:975 msgid "Infinite scroll" msgstr "Infinite scroll" -#: mod/settings.php:978 +#: mod/settings.php:976 msgid "Automatic updates only at the top of the network page" msgstr "Automatically updates only top of the network page" -#: mod/settings.php:978 +#: mod/settings.php:976 msgid "" "When disabled, the network page is updated all the time, which could be " "confusing while reading." msgstr "When disabled, the network page is updated all the time, which could be confusing while reading." -#: mod/settings.php:979 +#: mod/settings.php:977 msgid "Bandwith Saver Mode" msgstr "Bandwith saving mode" -#: mod/settings.php:979 +#: mod/settings.php:977 msgid "" "When enabled, embedded content is not displayed on automatic updates, they " "only show on page reload." msgstr "If enabled, embedded content is not displayed on automatic updates; it is only shown on page reload." -#: mod/settings.php:980 +#: mod/settings.php:978 msgid "Smart Threading" msgstr "Smart Threading" -#: mod/settings.php:980 +#: mod/settings.php:978 msgid "" "When enabled, suppress extraneous thread indentation while keeping it where " "it matters. Only works if threading is available and enabled." msgstr "Suppresses extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled." -#: mod/settings.php:982 +#: mod/settings.php:980 msgid "General Theme Settings" msgstr "Themes" -#: mod/settings.php:983 +#: mod/settings.php:981 msgid "Custom Theme Settings" msgstr "Theme customization" -#: mod/settings.php:984 +#: mod/settings.php:982 msgid "Content Settings" msgstr "Content/Layout" -#: mod/settings.php:985 view/theme/duepuntozero/config.php:73 +#: mod/settings.php:983 view/theme/duepuntozero/config.php:73 #: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 #: view/theme/vier/config.php:121 msgid "Theme settings" msgstr "Theme settings" -#: mod/settings.php:1006 +#: mod/settings.php:1002 msgid "Unable to find your profile. Please contact your admin." msgstr "Unable to find your profile. Please contact your admin." -#: mod/settings.php:1048 +#: mod/settings.php:1044 msgid "Account Types" msgstr "Account types:" -#: mod/settings.php:1049 +#: mod/settings.php:1045 msgid "Personal Page Subtypes" msgstr "Personal Page subtypes" -#: mod/settings.php:1050 +#: mod/settings.php:1046 msgid "Community Forum Subtypes" msgstr "Community forum subtypes" -#: mod/settings.php:1057 +#: mod/settings.php:1053 msgid "Personal Page" msgstr "Personal Page" -#: mod/settings.php:1058 +#: mod/settings.php:1054 msgid "Account for a personal profile." msgstr "Account for a personal profile." -#: mod/settings.php:1061 +#: mod/settings.php:1057 msgid "Organisation Page" msgstr "Organization Page" -#: mod/settings.php:1062 +#: mod/settings.php:1058 msgid "" "Account for an organisation that automatically approves contact requests as " "\"Followers\"." msgstr "Account for an organization that automatically approves contact requests as \"Followers\"." -#: mod/settings.php:1065 +#: mod/settings.php:1061 msgid "News Page" msgstr "News Page" -#: mod/settings.php:1066 +#: mod/settings.php:1062 msgid "" "Account for a news reflector that automatically approves contact requests as" " \"Followers\"." msgstr "Account for a news reflector that automatically approves contact requests as \"Followers\"." -#: mod/settings.php:1069 +#: mod/settings.php:1065 msgid "Community Forum" msgstr "Community Forum" -#: mod/settings.php:1070 +#: mod/settings.php:1066 msgid "Account for community discussions." msgstr "Account for community discussions." -#: mod/settings.php:1073 +#: mod/settings.php:1069 msgid "Normal Account Page" msgstr "Standard" -#: mod/settings.php:1074 +#: mod/settings.php:1070 msgid "" "Account for a regular personal profile that requires manual approval of " "\"Friends\" and \"Followers\"." msgstr "Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"." -#: mod/settings.php:1077 +#: mod/settings.php:1073 msgid "Soapbox Page" msgstr "Soapbox" -#: mod/settings.php:1078 +#: mod/settings.php:1074 msgid "" "Account for a public profile that automatically approves contact requests as" " \"Followers\"." msgstr "Account for a public profile that automatically approves contact requests as \"Followers\"." -#: mod/settings.php:1081 +#: mod/settings.php:1077 msgid "Public Forum" msgstr "Public forum" -#: mod/settings.php:1082 +#: mod/settings.php:1078 msgid "Automatically approves all contact requests." msgstr "Automatically approves all contact requests." -#: mod/settings.php:1085 +#: mod/settings.php:1081 msgid "Automatic Friend Page" msgstr "Love-all" -#: mod/settings.php:1086 +#: mod/settings.php:1082 msgid "" "Account for a popular profile that automatically approves contact requests " "as \"Friends\"." msgstr "Account for a popular profile that automatically approves contact requests as \"Friends\"." -#: mod/settings.php:1089 +#: mod/settings.php:1085 msgid "Private Forum [Experimental]" msgstr "Private forum [Experimental]" -#: mod/settings.php:1090 +#: mod/settings.php:1086 msgid "Requires manual approval of contact requests." msgstr "Requires manual approval of contact requests." -#: mod/settings.php:1101 +#: mod/settings.php:1097 msgid "OpenID:" msgstr "OpenID:" -#: mod/settings.php:1101 +#: mod/settings.php:1097 msgid "(Optional) Allow this OpenID to login to this account." msgstr "(Optional) Allow this OpenID to login to this account." -#: mod/settings.php:1109 +#: mod/settings.php:1105 msgid "Publish your default profile in your local site directory?" msgstr "Publish default profile in local site directory?" -#: mod/settings.php:1109 +#: mod/settings.php:1105 #, php-format msgid "" "Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." msgstr "Your profile will be published in the global Friendica directories (e.g. %s). Your profile will be publicly visible." -#: mod/settings.php:1115 +#: mod/settings.php:1111 msgid "Publish your default profile in the global social directory?" msgstr "Publish default profile in global directory?" -#: mod/settings.php:1115 +#: mod/settings.php:1111 #, php-format msgid "" "Your profile will be published in this node's local " @@ -7131,583 +7277,339 @@ msgid "" " system settings." msgstr "Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings." -#: mod/settings.php:1122 +#: mod/settings.php:1118 msgid "Hide your contact/friend list from viewers of your default profile?" msgstr "Hide my contact list from others?" -#: mod/settings.php:1122 +#: mod/settings.php:1118 msgid "" "Your contact list won't be shown in your default profile page. You can " "decide to show your contact list separately for each additional profile you " "create" msgstr "Your contact list won't be shown in your default profile page. You can decide to display your contact list separately for each additional profile you create" -#: mod/settings.php:1126 +#: mod/settings.php:1122 msgid "Hide your profile details from anonymous viewers?" msgstr "Hide your profile details from anonymous viewers?" -#: mod/settings.php:1126 +#: mod/settings.php:1122 msgid "" "Anonymous visitors will only see your profile picture, your display name and" " the nickname you are using on your profile page. Disables posting public " "messages to Diaspora and other networks." msgstr "Anonymous visitors will only see your profile picture, display name, and nickname. Disables posting public messages to Diaspora and other networks." -#: mod/settings.php:1130 +#: mod/settings.php:1126 msgid "Allow friends to post to your profile page?" msgstr "Allow friends to post to my wall?" -#: mod/settings.php:1130 +#: mod/settings.php:1126 msgid "" "Your contacts may write posts on your profile wall. These posts will be " "distributed to your contacts" msgstr "Your contacts may write posts on your profile wall. These posts will be distributed to your contacts" -#: mod/settings.php:1134 +#: mod/settings.php:1130 msgid "Allow friends to tag your posts?" msgstr "Allow friends to tag my post?" -#: mod/settings.php:1134 +#: mod/settings.php:1130 msgid "Your contacts can add additional tags to your posts." msgstr "Your contacts can add additional tags to your posts." -#: mod/settings.php:1138 +#: mod/settings.php:1134 msgid "Allow us to suggest you as a potential friend to new members?" msgstr "Allow us to suggest you as a potential friend to new members?" -#: mod/settings.php:1138 +#: mod/settings.php:1134 msgid "" "If you like, Friendica may suggest new members to add you as a contact." msgstr "If you like, Friendica may suggest new members to add you as a contact." -#: mod/settings.php:1142 +#: mod/settings.php:1138 msgid "Permit unknown people to send you private mail?" msgstr "Allow unknown people to send me private messages?" -#: mod/settings.php:1142 +#: mod/settings.php:1138 msgid "" "Friendica network users may send you private messages even if they are not " "in your contact list." msgstr "Friendica network users may send you private messages even if they are not in your contact list." -#: mod/settings.php:1146 +#: mod/settings.php:1142 msgid "Profile is not published." msgstr "Profile is not published." -#: mod/settings.php:1152 +#: mod/settings.php:1148 #, php-format msgid "Your Identity Address is '%s' or '%s'." msgstr "My identity address: '%s' or '%s'" -#: mod/settings.php:1159 +#: mod/settings.php:1155 msgid "Automatically expire posts after this many days:" msgstr "Automatically expire posts after this many days:" -#: mod/settings.php:1159 +#: mod/settings.php:1155 msgid "If empty, posts will not expire. Expired posts will be deleted" msgstr "Posts will not expire if empty; expired posts will be deleted" -#: mod/settings.php:1160 +#: mod/settings.php:1156 msgid "Advanced expiration settings" msgstr "Advanced expiration settings" -#: mod/settings.php:1161 +#: mod/settings.php:1157 msgid "Advanced Expiration" msgstr "Advanced expiration" -#: mod/settings.php:1162 +#: mod/settings.php:1158 msgid "Expire posts:" msgstr "Expire posts:" -#: mod/settings.php:1163 +#: mod/settings.php:1159 msgid "Expire personal notes:" msgstr "Expire personal notes:" -#: mod/settings.php:1164 +#: mod/settings.php:1160 msgid "Expire starred posts:" msgstr "Expire starred posts:" -#: mod/settings.php:1165 +#: mod/settings.php:1161 msgid "Expire photos:" msgstr "Expire photos:" -#: mod/settings.php:1166 +#: mod/settings.php:1162 msgid "Only expire posts by others:" msgstr "Only expire posts by others:" -#: mod/settings.php:1196 +#: mod/settings.php:1192 msgid "Account Settings" msgstr "Account Settings" -#: mod/settings.php:1204 +#: mod/settings.php:1200 msgid "Password Settings" msgstr "Password change" -#: mod/settings.php:1206 +#: mod/settings.php:1202 msgid "Leave password fields blank unless changing" msgstr "Leave password fields blank unless changing" -#: mod/settings.php:1207 +#: mod/settings.php:1203 msgid "Current Password:" msgstr "Current password:" -#: mod/settings.php:1207 mod/settings.php:1208 +#: mod/settings.php:1203 mod/settings.php:1204 msgid "Your current password to confirm the changes" msgstr "Current password to confirm change" -#: mod/settings.php:1208 +#: mod/settings.php:1204 msgid "Password:" msgstr "Password:" -#: mod/settings.php:1212 +#: mod/settings.php:1208 msgid "Basic Settings" msgstr "Basic information" -#: mod/settings.php:1213 src/Model/Profile.php:738 +#: mod/settings.php:1209 src/Model/Profile.php:738 msgid "Full Name:" msgstr "Full name:" -#: mod/settings.php:1214 +#: mod/settings.php:1210 msgid "Email Address:" msgstr "Email address:" -#: mod/settings.php:1215 +#: mod/settings.php:1211 msgid "Your Timezone:" msgstr "Time zone:" -#: mod/settings.php:1216 +#: mod/settings.php:1212 msgid "Your Language:" msgstr "Language:" -#: mod/settings.php:1216 +#: mod/settings.php:1212 msgid "" "Set the language we use to show you friendica interface and to send you " "emails" -msgstr "Set the language of your Friendica interface and emails receiving" +msgstr "Set the language of your Friendica interface and emails sent to you." -#: mod/settings.php:1217 +#: mod/settings.php:1213 msgid "Default Post Location:" msgstr "Posting location:" -#: mod/settings.php:1218 +#: mod/settings.php:1214 msgid "Use Browser Location:" msgstr "Use browser location:" -#: mod/settings.php:1221 +#: mod/settings.php:1217 msgid "Security and Privacy Settings" msgstr "Security and privacy" -#: mod/settings.php:1223 +#: mod/settings.php:1219 msgid "Maximum Friend Requests/Day:" msgstr "Maximum friend requests per day:" -#: mod/settings.php:1223 mod/settings.php:1252 +#: mod/settings.php:1219 mod/settings.php:1248 msgid "(to prevent spam abuse)" msgstr "May prevent spam or abuse registrations" -#: mod/settings.php:1224 +#: mod/settings.php:1220 msgid "Default Post Permissions" msgstr "Default post permissions" -#: mod/settings.php:1225 +#: mod/settings.php:1221 msgid "(click to open/close)" -msgstr "(click to open/close)" +msgstr "(reveal/hide)" -#: mod/settings.php:1235 +#: mod/settings.php:1231 msgid "Default Private Post" msgstr "Default private post" -#: mod/settings.php:1236 +#: mod/settings.php:1232 msgid "Default Public Post" msgstr "Default public post" -#: mod/settings.php:1240 +#: mod/settings.php:1236 msgid "Default Permissions for New Posts" msgstr "Default permissions for new posts" -#: mod/settings.php:1252 +#: mod/settings.php:1248 msgid "Maximum private messages per day from unknown people:" msgstr "Maximum private messages per day from unknown people:" -#: mod/settings.php:1255 +#: mod/settings.php:1251 msgid "Notification Settings" msgstr "Notification" -#: mod/settings.php:1256 +#: mod/settings.php:1252 msgid "By default post a status message when:" msgstr "By default post a status message when:" -#: mod/settings.php:1257 +#: mod/settings.php:1253 msgid "accepting a friend request" msgstr "accepting friend requests" -#: mod/settings.php:1258 +#: mod/settings.php:1254 msgid "joining a forum/community" msgstr "joining forums or communities" -#: mod/settings.php:1259 +#: mod/settings.php:1255 msgid "making an interesting profile change" msgstr "making an interesting profile change" -#: mod/settings.php:1260 +#: mod/settings.php:1256 msgid "Send a notification email when:" msgstr "Send notification email when:" -#: mod/settings.php:1261 +#: mod/settings.php:1257 msgid "You receive an introduction" msgstr "Receiving an introduction" -#: mod/settings.php:1262 +#: mod/settings.php:1258 msgid "Your introductions are confirmed" msgstr "My introductions are confirmed" -#: mod/settings.php:1263 +#: mod/settings.php:1259 msgid "Someone writes on your profile wall" msgstr "Someone writes on my wall" -#: mod/settings.php:1264 +#: mod/settings.php:1260 msgid "Someone writes a followup comment" msgstr "A follow up comment is posted" -#: mod/settings.php:1265 +#: mod/settings.php:1261 msgid "You receive a private message" msgstr "receiving a private message" -#: mod/settings.php:1266 +#: mod/settings.php:1262 msgid "You receive a friend suggestion" msgstr "Receiving a friend suggestion" -#: mod/settings.php:1267 +#: mod/settings.php:1263 msgid "You are tagged in a post" msgstr "Tagged in a post" -#: mod/settings.php:1268 +#: mod/settings.php:1264 msgid "You are poked/prodded/etc. in a post" msgstr "Poked in a post" -#: mod/settings.php:1270 +#: mod/settings.php:1266 msgid "Activate desktop notifications" msgstr "Activate desktop notifications" -#: mod/settings.php:1270 +#: mod/settings.php:1266 msgid "Show desktop popup on new notifications" msgstr "Show desktop pop-up on new notifications" -#: mod/settings.php:1272 +#: mod/settings.php:1268 msgid "Text-only notification emails" msgstr "Text-only notification emails" -#: mod/settings.php:1274 +#: mod/settings.php:1270 msgid "Send text only notification emails, without the html part" msgstr "Receive text only emails without HTML " -#: mod/settings.php:1276 +#: mod/settings.php:1272 msgid "Show detailled notifications" msgstr "Show detailled notifications" -#: mod/settings.php:1278 +#: mod/settings.php:1274 msgid "" -"Per default the notificiation are condensed to a single notification per " -"item. When enabled, every notification is displayed." -msgstr "Per default the notificiation are condensed to a single notification per item. When enabled, every notification is displayed." +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "By default, notifications are condensed into a single notification for each item. When enabled, every notification is displayed." -#: mod/settings.php:1280 +#: mod/settings.php:1276 msgid "Advanced Account/Page Type Settings" msgstr "Advanced account types" -#: mod/settings.php:1281 +#: mod/settings.php:1277 msgid "Change the behaviour of this account for special situations" msgstr "Change behaviour of this account for special situations" -#: mod/settings.php:1284 +#: mod/settings.php:1280 msgid "Relocate" msgstr "Recent relocation" -#: mod/settings.php:1285 +#: mod/settings.php:1281 msgid "" "If you have moved this profile from another server, and some of your " "contacts don't receive your updates, try pushing this button." msgstr "If you have moved this profile from another server and some of your contacts don't receive your updates:" -#: mod/settings.php:1286 +#: mod/settings.php:1282 msgid "Resend relocate message to contacts" msgstr "Resend relocation message to contacts" -#: mod/videos.php:140 -msgid "Do you really want to delete this video?" -msgstr "Do you really want to delete this video?" - -#: mod/videos.php:145 -msgid "Delete Video" -msgstr "Delete video" - -#: mod/videos.php:208 -msgid "No videos selected" -msgstr "No videos selected" - -#: mod/videos.php:397 -msgid "Recent Videos" -msgstr "Recent videos" - -#: mod/videos.php:399 -msgid "Upload New Videos" -msgstr "Upload new videos" - -#: view/theme/duepuntozero/config.php:54 src/Model/User.php:475 -msgid "default" -msgstr "default" - -#: view/theme/duepuntozero/config.php:55 -msgid "greenzero" -msgstr "greenzero" - -#: view/theme/duepuntozero/config.php:56 -msgid "purplezero" -msgstr "purplezero" - -#: view/theme/duepuntozero/config.php:57 -msgid "easterbunny" -msgstr "easterbunny" - -#: view/theme/duepuntozero/config.php:58 -msgid "darkzero" -msgstr "darkzero" - -#: view/theme/duepuntozero/config.php:59 -msgid "comix" -msgstr "comix" - -#: view/theme/duepuntozero/config.php:60 -msgid "slackr" -msgstr "slackr" - -#: view/theme/duepuntozero/config.php:74 -msgid "Variations" -msgstr "Variations" - -#: view/theme/frio/php/Image.php:25 -msgid "Repeat the image" -msgstr "Repeat the image" - -#: view/theme/frio/php/Image.php:25 -msgid "Will repeat your image to fill the background." -msgstr "Will repeat your image to fill the background." - -#: view/theme/frio/php/Image.php:27 -msgid "Stretch" -msgstr "Stretch" - -#: view/theme/frio/php/Image.php:27 -msgid "Will stretch to width/height of the image." -msgstr "Will stretch to width/height of the image." - -#: view/theme/frio/php/Image.php:29 -msgid "Resize fill and-clip" -msgstr "Resize fill and-clip" - -#: view/theme/frio/php/Image.php:29 -msgid "Resize to fill and retain aspect ratio." -msgstr "Resize to fill and retain aspect ratio." - -#: view/theme/frio/php/Image.php:31 -msgid "Resize best fit" -msgstr "Resize to best fit" - -#: view/theme/frio/php/Image.php:31 -msgid "Resize to best fit and retain aspect ratio." -msgstr "Resize to best fit and retain aspect ratio." - -#: view/theme/frio/config.php:97 -msgid "Default" -msgstr "Default" - -#: view/theme/frio/config.php:109 -msgid "Note" -msgstr "Note" - -#: view/theme/frio/config.php:109 -msgid "Check image permissions if all users are allowed to visit the image" -msgstr "Check image permissions if all users are allowed to visit the image" - -#: view/theme/frio/config.php:116 -msgid "Select scheme" -msgstr "Select scheme:" - -#: view/theme/frio/config.php:117 -msgid "Navigation bar background color" -msgstr "Navigation bar background color:" - -#: view/theme/frio/config.php:118 -msgid "Navigation bar icon color " -msgstr "Navigation bar icon color:" - -#: view/theme/frio/config.php:119 -msgid "Link color" -msgstr "Link color:" - -#: view/theme/frio/config.php:120 -msgid "Set the background color" -msgstr "Background color:" - -#: view/theme/frio/config.php:121 -msgid "Content background opacity" -msgstr "Content background opacity" - -#: view/theme/frio/config.php:122 -msgid "Set the background image" -msgstr "Background image:" - -#: view/theme/frio/config.php:127 -msgid "Login page background image" -msgstr "Login page background image" - -#: view/theme/frio/config.php:130 -msgid "Login page background color" -msgstr "Login page background color" - -#: view/theme/frio/config.php:130 -msgid "Leave background image and color empty for theme defaults" -msgstr "Leave background image and color empty for theme defaults" - -#: view/theme/frio/theme.php:238 -msgid "Guest" -msgstr "Guest" - -#: view/theme/frio/theme.php:243 -msgid "Visitor" -msgstr "Visitor" - -#: view/theme/frio/theme.php:256 src/Content/Nav.php:97 -#: src/Module/Login.php:311 -msgid "Logout" -msgstr "Logout" - -#: view/theme/frio/theme.php:256 src/Content/Nav.php:97 -msgid "End this session" -msgstr "End this session" - -#: view/theme/frio/theme.php:259 src/Content/Nav.php:100 -#: src/Content/Nav.php:181 -msgid "Your posts and conversations" -msgstr "My posts and conversations" - -#: view/theme/frio/theme.php:260 src/Content/Nav.php:101 -msgid "Your profile page" -msgstr "My profile page" - -#: view/theme/frio/theme.php:261 src/Content/Nav.php:102 -msgid "Your photos" -msgstr "My photos" - -#: view/theme/frio/theme.php:262 src/Content/Nav.php:103 -#: src/Model/Profile.php:912 src/Model/Profile.php:915 -msgid "Videos" -msgstr "Videos" - -#: view/theme/frio/theme.php:262 src/Content/Nav.php:103 -msgid "Your videos" -msgstr "My videos" - -#: view/theme/frio/theme.php:263 src/Content/Nav.php:104 -msgid "Your events" -msgstr "My events" - -#: view/theme/frio/theme.php:266 src/Content/Nav.php:178 -msgid "Conversations from your friends" -msgstr "My friends' conversations" - -#: view/theme/frio/theme.php:267 src/Content/Nav.php:169 -#: src/Model/Profile.php:927 src/Model/Profile.php:938 -msgid "Events and Calendar" -msgstr "Events and calendar" - -#: view/theme/frio/theme.php:268 src/Content/Nav.php:195 -msgid "Private mail" -msgstr "Private messages" - -#: view/theme/frio/theme.php:269 src/Content/Nav.php:206 -msgid "Account settings" -msgstr "Account settings" - -#: view/theme/frio/theme.php:270 src/Content/Nav.php:212 -msgid "Manage/edit friends and contacts" -msgstr "Manage/Edit friends and contacts" - -#: view/theme/quattro/config.php:76 -msgid "Alignment" -msgstr "Alignment" - -#: view/theme/quattro/config.php:76 -msgid "Left" -msgstr "Left" - -#: view/theme/quattro/config.php:76 -msgid "Center" -msgstr "Center" - -#: view/theme/quattro/config.php:77 -msgid "Color scheme" -msgstr "Color scheme" - -#: view/theme/quattro/config.php:78 -msgid "Posts font size" -msgstr "Posts font size" - -#: view/theme/quattro/config.php:79 -msgid "Textareas font size" -msgstr "Text areas font size" - -#: view/theme/vier/config.php:75 -msgid "Comma separated list of helper forums" -msgstr "Comma separated list of helper forums" - -#: view/theme/vier/config.php:122 -msgid "Set style" -msgstr "Set style" - -#: view/theme/vier/config.php:123 -msgid "Community Pages" -msgstr "Community pages" - -#: view/theme/vier/config.php:124 view/theme/vier/theme.php:150 -msgid "Community Profiles" -msgstr "Community profiles" - -#: view/theme/vier/config.php:125 -msgid "Help or @NewHere ?" -msgstr "Help or @NewHere ?" - -#: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 -msgid "Connect Services" -msgstr "Connect services" - -#: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 -msgid "Find Friends" -msgstr "Find friends" - -#: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 -msgid "Last users" -msgstr "Last users" - -#: view/theme/vier/theme.php:200 -msgid "Local Directory" -msgstr "Local directory" - -#: view/theme/vier/theme.php:202 src/Content/Widget.php:65 -msgid "Similar Interests" -msgstr "Similar interests" - -#: view/theme/vier/theme.php:204 src/Content/Widget.php:67 -msgid "Invite Friends" -msgstr "Invite friends" - -#: view/theme/vier/theme.php:256 src/Content/ForumManager.php:127 -msgid "External link to forum" -msgstr "External link to forum" - -#: view/theme/vier/theme.php:292 -msgid "Quick Start" -msgstr "Quick start" +#: src/Core/UserImport.php:104 +msgid "Error decoding account file" +msgstr "Error decoding account file" + +#: src/Core/UserImport.php:110 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Error! No version data in file! Is this a Friendica account file?" + +#: src/Core/UserImport.php:118 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "User '%s' already exists on this server!" + +#: src/Core/UserImport.php:151 +msgid "User creation error" +msgstr "User creation error" + +#: src/Core/UserImport.php:169 +msgid "User profile creation error" +msgstr "User profile creation error" + +#: src/Core/UserImport.php:213 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d contact not imported" +msgstr[1] "%d contacts not imported" + +#: src/Core/UserImport.php:278 +msgid "Done. You can now login with your username and password" +msgstr "Done. You can now login with your username and password" #: src/Core/NotificationsManager.php:171 msgid "System" @@ -7762,49 +7664,46 @@ msgstr "%s may go to %s's event" msgid "%s is now friends with %s" msgstr "%s is now friends with %s" -#: src/Core/NotificationsManager.php:813 +#: src/Core/NotificationsManager.php:825 msgid "Friend Suggestion" msgstr "Friend suggestion" -#: src/Core/NotificationsManager.php:839 +#: src/Core/NotificationsManager.php:851 msgid "Friend/Connect Request" msgstr "Friend/Contact request" -#: src/Core/NotificationsManager.php:839 +#: src/Core/NotificationsManager.php:851 msgid "New Follower" msgstr "New follower" -#: src/Core/UserImport.php:104 -msgid "Error decoding account file" -msgstr "Error decoding account file" +#: src/Core/ACL.php:295 +msgid "Post to Email" +msgstr "Post to email" -#: src/Core/UserImport.php:110 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Error! No version data in file! Is this a Friendica account file?" +#: src/Core/ACL.php:301 +msgid "Hide your profile details from unknown viewers?" +msgstr "Hide profile details from unknown viewers?" -#: src/Core/UserImport.php:118 +#: src/Core/ACL.php:300 #, php-format -msgid "User '%s' already exists on this server!" -msgstr "User '%s' already exists on this server!" +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Connectors are disabled since \"%s\" is enabled." -#: src/Core/UserImport.php:151 -msgid "User creation error" -msgstr "User creation error" +#: src/Core/ACL.php:307 +msgid "Visible to everybody" +msgstr "Visible to everybody" -#: src/Core/UserImport.php:169 -msgid "User profile creation error" -msgstr "User profile creation error" +#: src/Core/ACL.php:308 view/theme/vier/config.php:115 +msgid "show" +msgstr "show" -#: src/Core/UserImport.php:213 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d contact not imported" -msgstr[1] "%d contacts not imported" +#: src/Core/ACL.php:309 view/theme/vier/config.php:115 +msgid "don't show" +msgstr "don't show" -#: src/Core/UserImport.php:278 -msgid "Done. You can now login with your username and password" -msgstr "Done. You can now login with your username and password" +#: src/Core/ACL.php:319 +msgid "Close" +msgstr "Close" #: src/Util/Temporal.php:147 src/Model/Profile.php:758 msgid "Birthday:" @@ -7871,343 +7770,39 @@ msgstr "seconds" msgid "%1$d %2$s ago" msgstr "%1$d %2$s ago" -#: src/Content/Text/BBCode.php:547 +#: src/Content/Text/BBCode.php:555 msgid "view full size" msgstr "view full size" -#: src/Content/Text/BBCode.php:1000 src/Content/Text/BBCode.php:1761 -#: src/Content/Text/BBCode.php:1762 +#: src/Content/Text/BBCode.php:981 src/Content/Text/BBCode.php:1750 +#: src/Content/Text/BBCode.php:1751 msgid "Image/photo" msgstr "Image/Photo" -#: src/Content/Text/BBCode.php:1138 +#: src/Content/Text/BBCode.php:1119 #, php-format msgid "%2$s %3$s" msgstr "%2$s %3$s" -#: src/Content/Text/BBCode.php:1696 src/Content/Text/BBCode.php:1718 +#: src/Content/Text/BBCode.php:1677 src/Content/Text/BBCode.php:1699 msgid "$1 wrote:" msgstr "$1 wrote:" -#: src/Content/Text/BBCode.php:1770 src/Content/Text/BBCode.php:1771 +#: src/Content/Text/BBCode.php:1759 src/Content/Text/BBCode.php:1760 msgid "Encrypted content" msgstr "Encrypted content" -#: src/Content/Text/BBCode.php:1888 +#: src/Content/Text/BBCode.php:1879 msgid "Invalid source protocol" msgstr "Invalid source protocol" -#: src/Content/Text/BBCode.php:1899 +#: src/Content/Text/BBCode.php:1890 msgid "Invalid link protocol" msgstr "Invalid link protocol" -#: src/Content/ContactSelector.php:55 -msgid "Frequently" -msgstr "Frequently" - -#: src/Content/ContactSelector.php:56 -msgid "Hourly" -msgstr "Hourly" - -#: src/Content/ContactSelector.php:57 -msgid "Twice daily" -msgstr "Twice daily" - -#: src/Content/ContactSelector.php:58 -msgid "Daily" -msgstr "Daily" - -#: src/Content/ContactSelector.php:59 -msgid "Weekly" -msgstr "Weekly" - -#: src/Content/ContactSelector.php:60 -msgid "Monthly" -msgstr "Monthly" - -#: src/Content/ContactSelector.php:80 -msgid "OStatus" -msgstr "OStatus" - -#: src/Content/ContactSelector.php:81 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: src/Content/ContactSelector.php:84 -msgid "Facebook" -msgstr "Facebook" - -#: src/Content/ContactSelector.php:85 -msgid "Zot!" -msgstr "Zot!" - -#: src/Content/ContactSelector.php:86 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: src/Content/ContactSelector.php:87 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: src/Content/ContactSelector.php:88 -msgid "MySpace" -msgstr "MySpace" - -#: src/Content/ContactSelector.php:89 -msgid "Google+" -msgstr "Google+" - -#: src/Content/ContactSelector.php:90 -msgid "pump.io" -msgstr "Pump.io" - -#: src/Content/ContactSelector.php:91 -msgid "Twitter" -msgstr "Twitter" - -#: src/Content/ContactSelector.php:92 -msgid "Diaspora Connector" -msgstr "Diaspora connector" - -#: src/Content/ContactSelector.php:93 -msgid "GNU Social Connector" -msgstr "GNU Social connector" - -#: src/Content/ContactSelector.php:94 -msgid "pnut" -msgstr "Pnut" - -#: src/Content/ContactSelector.php:95 -msgid "App.net" -msgstr "App.net" - -#: src/Content/ContactSelector.php:125 -msgid "Male" -msgstr "Male" - -#: src/Content/ContactSelector.php:125 -msgid "Female" -msgstr "Female" - -#: src/Content/ContactSelector.php:125 -msgid "Currently Male" -msgstr "Currently Male" - -#: src/Content/ContactSelector.php:125 -msgid "Currently Female" -msgstr "Currently Female" - -#: src/Content/ContactSelector.php:125 -msgid "Mostly Male" -msgstr "Mostly Male" - -#: src/Content/ContactSelector.php:125 -msgid "Mostly Female" -msgstr "Mostly Female" - -#: src/Content/ContactSelector.php:125 -msgid "Transgender" -msgstr "Transgender" - -#: src/Content/ContactSelector.php:125 -msgid "Intersex" -msgstr "Intersex" - -#: src/Content/ContactSelector.php:125 -msgid "Transsexual" -msgstr "Transsexual" - -#: src/Content/ContactSelector.php:125 -msgid "Hermaphrodite" -msgstr "Hermaphrodite" - -#: src/Content/ContactSelector.php:125 -msgid "Neuter" -msgstr "Neuter" - -#: src/Content/ContactSelector.php:125 -msgid "Non-specific" -msgstr "Non-specific" - -#: src/Content/ContactSelector.php:125 -msgid "Other" -msgstr "Other" - -#: src/Content/ContactSelector.php:147 -msgid "Males" -msgstr "Males" - -#: src/Content/ContactSelector.php:147 -msgid "Females" -msgstr "Females" - -#: src/Content/ContactSelector.php:147 -msgid "Gay" -msgstr "Gay" - -#: src/Content/ContactSelector.php:147 -msgid "Lesbian" -msgstr "Lesbian" - -#: src/Content/ContactSelector.php:147 -msgid "No Preference" -msgstr "No Preference" - -#: src/Content/ContactSelector.php:147 -msgid "Bisexual" -msgstr "Bisexual" - -#: src/Content/ContactSelector.php:147 -msgid "Autosexual" -msgstr "Auto-sexual" - -#: src/Content/ContactSelector.php:147 -msgid "Abstinent" -msgstr "Abstinent" - -#: src/Content/ContactSelector.php:147 -msgid "Virgin" -msgstr "Virgin" - -#: src/Content/ContactSelector.php:147 -msgid "Deviant" -msgstr "Deviant" - -#: src/Content/ContactSelector.php:147 -msgid "Fetish" -msgstr "Fetish" - -#: src/Content/ContactSelector.php:147 -msgid "Oodles" -msgstr "Oodles" - -#: src/Content/ContactSelector.php:147 -msgid "Nonsexual" -msgstr "Asexual" - -#: src/Content/ContactSelector.php:169 -msgid "Single" -msgstr "Single" - -#: src/Content/ContactSelector.php:169 -msgid "Lonely" -msgstr "Lonely" - -#: src/Content/ContactSelector.php:169 -msgid "Available" -msgstr "Available" - -#: src/Content/ContactSelector.php:169 -msgid "Unavailable" -msgstr "Unavailable" - -#: src/Content/ContactSelector.php:169 -msgid "Has crush" -msgstr "Having a crush" - -#: src/Content/ContactSelector.php:169 -msgid "Infatuated" -msgstr "Infatuated" - -#: src/Content/ContactSelector.php:169 -msgid "Dating" -msgstr "Dating" - -#: src/Content/ContactSelector.php:169 -msgid "Unfaithful" -msgstr "Unfaithful" - -#: src/Content/ContactSelector.php:169 -msgid "Sex Addict" -msgstr "Sex addict" - -#: src/Content/ContactSelector.php:169 src/Model/User.php:492 -msgid "Friends" -msgstr "Friends" - -#: src/Content/ContactSelector.php:169 -msgid "Friends/Benefits" -msgstr "Friends with benefits" - -#: src/Content/ContactSelector.php:169 -msgid "Casual" -msgstr "Casual" - -#: src/Content/ContactSelector.php:169 -msgid "Engaged" -msgstr "Engaged" - -#: src/Content/ContactSelector.php:169 -msgid "Married" -msgstr "Married" - -#: src/Content/ContactSelector.php:169 -msgid "Imaginarily married" -msgstr "Imaginarily married" - -#: src/Content/ContactSelector.php:169 -msgid "Partners" -msgstr "Partners" - -#: src/Content/ContactSelector.php:169 -msgid "Cohabiting" -msgstr "Cohabiting" - -#: src/Content/ContactSelector.php:169 -msgid "Common law" -msgstr "Common law spouse" - -#: src/Content/ContactSelector.php:169 -msgid "Happy" -msgstr "Happy" - -#: src/Content/ContactSelector.php:169 -msgid "Not looking" -msgstr "Not looking" - -#: src/Content/ContactSelector.php:169 -msgid "Swinger" -msgstr "Swinger" - -#: src/Content/ContactSelector.php:169 -msgid "Betrayed" -msgstr "Betrayed" - -#: src/Content/ContactSelector.php:169 -msgid "Separated" -msgstr "Separated" - -#: src/Content/ContactSelector.php:169 -msgid "Unstable" -msgstr "Unstable" - -#: src/Content/ContactSelector.php:169 -msgid "Divorced" -msgstr "Divorced" - -#: src/Content/ContactSelector.php:169 -msgid "Imaginarily divorced" -msgstr "Imaginarily divorced" - -#: src/Content/ContactSelector.php:169 -msgid "Widowed" -msgstr "Widowed" - -#: src/Content/ContactSelector.php:169 -msgid "Uncertain" -msgstr "Uncertain" - -#: src/Content/ContactSelector.php:169 -msgid "It's complicated" -msgstr "It's complicated" - -#: src/Content/ContactSelector.php:169 -msgid "Don't care" -msgstr "Don't care" - -#: src/Content/ContactSelector.php:169 -msgid "Ask me" -msgstr "Ask me" +#: src/Content/ForumManager.php:127 view/theme/vier/theme.php:256 +msgid "External link to forum" +msgstr "External link to forum" #: src/Content/Nav.php:53 msgid "Nothing new here" @@ -8217,6 +7812,41 @@ msgstr "Nothing new here" msgid "Clear notifications" msgstr "Clear notifications" +#: src/Content/Nav.php:97 src/Module/Login.php:311 +#: view/theme/frio/theme.php:256 +msgid "Logout" +msgstr "Logout" + +#: src/Content/Nav.php:97 view/theme/frio/theme.php:256 +msgid "End this session" +msgstr "End this session" + +#: src/Content/Nav.php:100 src/Content/Nav.php:181 +#: view/theme/frio/theme.php:259 +msgid "Your posts and conversations" +msgstr "My posts and conversations" + +#: src/Content/Nav.php:101 view/theme/frio/theme.php:260 +msgid "Your profile page" +msgstr "My profile page" + +#: src/Content/Nav.php:102 view/theme/frio/theme.php:261 +msgid "Your photos" +msgstr "My photos" + +#: src/Content/Nav.php:103 src/Model/Profile.php:912 src/Model/Profile.php:915 +#: view/theme/frio/theme.php:262 +msgid "Videos" +msgstr "Videos" + +#: src/Content/Nav.php:103 view/theme/frio/theme.php:262 +msgid "Your videos" +msgstr "My videos" + +#: src/Content/Nav.php:104 view/theme/frio/theme.php:263 +msgid "Your events" +msgstr "My events" + #: src/Content/Nav.php:105 msgid "Personal notes" msgstr "Personal notes" @@ -8261,6 +7891,11 @@ msgstr "Community" msgid "Conversations on this and other servers" msgstr "Conversations on this and other servers" +#: src/Content/Nav.php:169 src/Model/Profile.php:927 src/Model/Profile.php:938 +#: view/theme/frio/theme.php:267 +msgid "Events and Calendar" +msgstr "Events and calendar" + #: src/Content/Nav.php:172 msgid "Directory" msgstr "Directory" @@ -8273,6 +7908,10 @@ msgstr "People directory" msgid "Information about this friendica instance" msgstr "Information about this Friendica instance" +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 +msgid "Conversations from your friends" +msgstr "My friends' conversations" + #: src/Content/Nav.php:179 msgid "Network Reset" msgstr "Network reset" @@ -8293,6 +7932,10 @@ msgstr "See all notifications" msgid "Mark all system notifications seen" msgstr "Mark all system notifications seen" +#: src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Private mail" +msgstr "Private messages" + #: src/Content/Nav.php:196 msgid "Inbox" msgstr "Inbox" @@ -8309,6 +7952,10 @@ msgstr "Manage" msgid "Manage other pages" msgstr "Manage other pages" +#: src/Content/Nav.php:206 view/theme/frio/theme.php:269 +msgid "Account settings" +msgstr "Account settings" + #: src/Content/Nav.php:209 src/Model/Profile.php:372 msgid "Profiles" msgstr "Profiles" @@ -8317,6 +7964,10 @@ msgstr "Profiles" msgid "Manage/Edit Profiles" msgstr "Manage/Edit profiles" +#: src/Content/Nav.php:212 view/theme/frio/theme.php:270 +msgid "Manage/edit friends and contacts" +msgstr "Manage/Edit friends and contacts" + #: src/Content/Nav.php:217 msgid "Site setup and configuration" msgstr "Site setup and configuration" @@ -8329,6 +7980,26 @@ msgstr "Navigation" msgid "Site map" msgstr "Site map" +#: src/Content/OEmbed.php:253 +msgid "Embedding disabled" +msgstr "Embedding disabled" + +#: src/Content/OEmbed.php:373 +msgid "Embedded content" +msgstr "Embedded content" + +#: src/Content/Widget/CalendarExport.php:61 +msgid "Export" +msgstr "Export" + +#: src/Content/Widget/CalendarExport.php:62 +msgid "Export calendar as ical" +msgstr "Export calendar as ical" + +#: src/Content/Widget/CalendarExport.php:63 +msgid "Export calendar as csv" +msgstr "Export calendar as csv" + #: src/Content/Feature.php:79 msgid "General Features" msgstr "General" @@ -8540,14 +8211,6 @@ msgstr "Display membership date" msgid "Display membership date in profile" msgstr "Display membership date in profile" -#: src/Content/OEmbed.php:253 -msgid "Embedding disabled" -msgstr "Embedding disabled" - -#: src/Content/OEmbed.php:373 -msgid "Embedded content" -msgstr "Embedded content" - #: src/Content/Widget.php:33 msgid "Add New Contact" msgstr "Add new contact" @@ -8579,10 +8242,18 @@ msgstr "Enter name or interest" msgid "Examples: Robert Morgenstein, Fishing" msgstr "Examples: Robert Morgenstein, fishing" +#: src/Content/Widget.php:65 view/theme/vier/theme.php:202 +msgid "Similar Interests" +msgstr "Similar interests" + #: src/Content/Widget.php:66 msgid "Random Profile" msgstr "Random profile" +#: src/Content/Widget.php:67 view/theme/vier/theme.php:204 +msgid "Invite Friends" +msgstr "Invite friends" + #: src/Content/Widget.php:68 msgid "View Global Directory" msgstr "View global directory" @@ -8610,6 +8281,314 @@ msgid_plural "%d contacts in common" msgstr[0] "%d contact in common" msgstr[1] "%d contacts in common" +#: src/Content/ContactSelector.php:55 +msgid "Frequently" +msgstr "Frequently" + +#: src/Content/ContactSelector.php:56 +msgid "Hourly" +msgstr "Hourly" + +#: src/Content/ContactSelector.php:57 +msgid "Twice daily" +msgstr "Twice daily" + +#: src/Content/ContactSelector.php:58 +msgid "Daily" +msgstr "Daily" + +#: src/Content/ContactSelector.php:59 +msgid "Weekly" +msgstr "Weekly" + +#: src/Content/ContactSelector.php:60 +msgid "Monthly" +msgstr "Monthly" + +#: src/Content/ContactSelector.php:80 +msgid "OStatus" +msgstr "OStatus" + +#: src/Content/ContactSelector.php:81 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: src/Content/ContactSelector.php:84 +msgid "Facebook" +msgstr "Facebook" + +#: src/Content/ContactSelector.php:85 +msgid "Zot!" +msgstr "Zot!" + +#: src/Content/ContactSelector.php:86 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: src/Content/ContactSelector.php:87 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: src/Content/ContactSelector.php:88 +msgid "MySpace" +msgstr "MySpace" + +#: src/Content/ContactSelector.php:89 +msgid "Google+" +msgstr "Google+" + +#: src/Content/ContactSelector.php:90 +msgid "pump.io" +msgstr "pump.io" + +#: src/Content/ContactSelector.php:91 +msgid "Twitter" +msgstr "Twitter" + +#: src/Content/ContactSelector.php:92 +msgid "Diaspora Connector" +msgstr "Diaspora Connector" + +#: src/Content/ContactSelector.php:93 +msgid "GNU Social Connector" +msgstr "GNU Social Connector" + +#: src/Content/ContactSelector.php:94 +msgid "pnut" +msgstr "pnut" + +#: src/Content/ContactSelector.php:95 +msgid "App.net" +msgstr "App.net" + +#: src/Content/ContactSelector.php:125 +msgid "Male" +msgstr "Male" + +#: src/Content/ContactSelector.php:125 +msgid "Female" +msgstr "Female" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Male" +msgstr "Currently male" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Female" +msgstr "Currently female" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Male" +msgstr "Mostly male" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Female" +msgstr "Mostly female" + +#: src/Content/ContactSelector.php:125 +msgid "Transgender" +msgstr "Transgender" + +#: src/Content/ContactSelector.php:125 +msgid "Intersex" +msgstr "Intersex" + +#: src/Content/ContactSelector.php:125 +msgid "Transsexual" +msgstr "Transsexual" + +#: src/Content/ContactSelector.php:125 +msgid "Hermaphrodite" +msgstr "Hermaphrodite" + +#: src/Content/ContactSelector.php:125 +msgid "Neuter" +msgstr "Neuter" + +#: src/Content/ContactSelector.php:125 +msgid "Non-specific" +msgstr "Non-specific" + +#: src/Content/ContactSelector.php:125 +msgid "Other" +msgstr "Other" + +#: src/Content/ContactSelector.php:147 +msgid "Males" +msgstr "Males" + +#: src/Content/ContactSelector.php:147 +msgid "Females" +msgstr "Females" + +#: src/Content/ContactSelector.php:147 +msgid "Gay" +msgstr "Gay" + +#: src/Content/ContactSelector.php:147 +msgid "Lesbian" +msgstr "Lesbian" + +#: src/Content/ContactSelector.php:147 +msgid "No Preference" +msgstr "No Preference" + +#: src/Content/ContactSelector.php:147 +msgid "Bisexual" +msgstr "Bisexual" + +#: src/Content/ContactSelector.php:147 +msgid "Autosexual" +msgstr "Auto-sexual" + +#: src/Content/ContactSelector.php:147 +msgid "Abstinent" +msgstr "Abstinent" + +#: src/Content/ContactSelector.php:147 +msgid "Virgin" +msgstr "Virgin" + +#: src/Content/ContactSelector.php:147 +msgid "Deviant" +msgstr "Deviant" + +#: src/Content/ContactSelector.php:147 +msgid "Fetish" +msgstr "Fetish" + +#: src/Content/ContactSelector.php:147 +msgid "Oodles" +msgstr "Oodles" + +#: src/Content/ContactSelector.php:147 +msgid "Nonsexual" +msgstr "Asexual" + +#: src/Content/ContactSelector.php:169 +msgid "Single" +msgstr "Single" + +#: src/Content/ContactSelector.php:169 +msgid "Lonely" +msgstr "Lonely" + +#: src/Content/ContactSelector.php:169 +msgid "Available" +msgstr "Available" + +#: src/Content/ContactSelector.php:169 +msgid "Unavailable" +msgstr "Unavailable" + +#: src/Content/ContactSelector.php:169 +msgid "Has crush" +msgstr "Having a crush" + +#: src/Content/ContactSelector.php:169 +msgid "Infatuated" +msgstr "Infatuated" + +#: src/Content/ContactSelector.php:169 +msgid "Dating" +msgstr "Dating" + +#: src/Content/ContactSelector.php:169 +msgid "Unfaithful" +msgstr "Unfaithful" + +#: src/Content/ContactSelector.php:169 +msgid "Sex Addict" +msgstr "Sex addict" + +#: src/Content/ContactSelector.php:169 src/Model/User.php:505 +msgid "Friends" +msgstr "Friends" + +#: src/Content/ContactSelector.php:169 +msgid "Friends/Benefits" +msgstr "Friends with benefits" + +#: src/Content/ContactSelector.php:169 +msgid "Casual" +msgstr "Casual" + +#: src/Content/ContactSelector.php:169 +msgid "Engaged" +msgstr "Engaged" + +#: src/Content/ContactSelector.php:169 +msgid "Married" +msgstr "Married" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily married" +msgstr "Imaginarily married" + +#: src/Content/ContactSelector.php:169 +msgid "Partners" +msgstr "Partners" + +#: src/Content/ContactSelector.php:169 +msgid "Cohabiting" +msgstr "Cohabiting" + +#: src/Content/ContactSelector.php:169 +msgid "Common law" +msgstr "Common law spouse" + +#: src/Content/ContactSelector.php:169 +msgid "Happy" +msgstr "Happy" + +#: src/Content/ContactSelector.php:169 +msgid "Not looking" +msgstr "Not looking" + +#: src/Content/ContactSelector.php:169 +msgid "Swinger" +msgstr "Swinger" + +#: src/Content/ContactSelector.php:169 +msgid "Betrayed" +msgstr "Betrayed" + +#: src/Content/ContactSelector.php:169 +msgid "Separated" +msgstr "Separated" + +#: src/Content/ContactSelector.php:169 +msgid "Unstable" +msgstr "Unstable" + +#: src/Content/ContactSelector.php:169 +msgid "Divorced" +msgstr "Divorced" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily divorced" +msgstr "Imaginarily divorced" + +#: src/Content/ContactSelector.php:169 +msgid "Widowed" +msgstr "Widowed" + +#: src/Content/ContactSelector.php:169 +msgid "Uncertain" +msgstr "Uncertain" + +#: src/Content/ContactSelector.php:169 +msgid "It's complicated" +msgstr "It's complicated" + +#: src/Content/ContactSelector.php:169 +msgid "Don't care" +msgstr "Don't care" + +#: src/Content/ContactSelector.php:169 +msgid "Ask me" +msgstr "Ask me" + #: src/Database/DBStructure.php:32 msgid "There are no tables on MyISAM." msgstr "There are no tables on MyISAM." @@ -8643,11 +8622,11 @@ msgstr "\nError %d occurred during database update:\n%s\n" msgid "Errors encountered performing database changes: " msgstr "Errors encountered performing database changes: " -#: src/Database/DBStructure.php:209 +#: src/Database/DBStructure.php:210 msgid ": Database update" msgstr ": Database update" -#: src/Database/DBStructure.php:458 +#: src/Database/DBStructure.php:460 #, php-format msgid "%s: updating %s table." msgstr "%s: updating %s table." @@ -8656,21 +8635,6 @@ msgstr "%s: updating %s table." msgid "[no subject]" msgstr "[no subject]" -#: src/Model/Item.php:1666 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "%1$s is going to %2$s's %3$s" - -#: src/Model/Item.php:1671 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "%1$s is not going to %2$s's %3$s" - -#: src/Model/Item.php:1676 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "%1$s may go to %2$s's %3$s" - #: src/Model/Profile.php:97 msgid "Requested account is not available." msgstr "Requested account is unavailable." @@ -8789,88 +8753,20 @@ msgstr "Forums:" msgid "Only You Can See This" msgstr "Only you can see this." -#: src/Model/Contact.php:559 -msgid "Drop Contact" -msgstr "Drop contact" - -#: src/Model/Contact.php:962 -msgid "Organisation" -msgstr "Organization" - -#: src/Model/Contact.php:965 -msgid "News" -msgstr "News" - -#: src/Model/Contact.php:968 -msgid "Forum" -msgstr "Forum" - -#: src/Model/Contact.php:1147 -msgid "Connect URL missing." -msgstr "Connect URL missing." - -#: src/Model/Contact.php:1156 -msgid "" -"The contact could not be added. Please check the relevant network " -"credentials in your Settings -> Social Networks page." -msgstr "The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page." - -#: src/Model/Contact.php:1184 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "This site is not configured to allow communications with other networks." - -#: src/Model/Contact.php:1185 src/Model/Contact.php:1199 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "No compatible communication protocols or feeds were discovered." - -#: src/Model/Contact.php:1197 -msgid "The profile address specified does not provide adequate information." -msgstr "The profile address specified does not provide adequate information." - -#: src/Model/Contact.php:1202 -msgid "An author or name was not found." -msgstr "An author or name was not found." - -#: src/Model/Contact.php:1205 -msgid "No browser URL could be matched to this address." -msgstr "No browser URL could be matched to this address." - -#: src/Model/Contact.php:1208 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Unable to match @-style identity address with a known protocol or email contact." - -#: src/Model/Contact.php:1209 -msgid "Use mailto: in front of address to force email check." -msgstr "Use mailto: in front of address to force email check." - -#: src/Model/Contact.php:1215 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "The profile address specified belongs to a network which has been disabled on this site." - -#: src/Model/Contact.php:1220 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Limited profile: This person will be unable to receive direct/private messages from you." - -#: src/Model/Contact.php:1290 -msgid "Unable to retrieve contact information." -msgstr "Unable to retrieve contact information." - -#: src/Model/Contact.php:1502 +#: src/Model/Item.php:1676 #, php-format -msgid "%s's birthday" -msgstr "%s's birthday" +msgid "%1$s is attending %2$s's %3$s" +msgstr "%1$s is going to %2$s's %3$s" -#: src/Model/Contact.php:1503 src/Protocol/DFRN.php:1398 +#: src/Model/Item.php:1681 #, php-format -msgid "Happy Birthday %s" -msgstr "Happy Birthday, %s!" +msgid "%1$s is not attending %2$s's %3$s" +msgstr "%1$s is not going to %2$s's %3$s" + +#: src/Model/Item.php:1686 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "%1$s may go to %2$s's %3$s" #: src/Model/Group.php:44 msgid "" @@ -8879,122 +8775,267 @@ msgid "" "not what you intended, please create another group with a different name." msgstr "A deleted group with this name has been revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name." -#: src/Model/Group.php:329 +#: src/Model/Group.php:328 msgid "Default privacy group for new contacts" msgstr "Default privacy group for new contacts" -#: src/Model/Group.php:362 +#: src/Model/Group.php:361 msgid "Everybody" msgstr "Everybody" -#: src/Model/Group.php:382 +#: src/Model/Group.php:381 msgid "edit" msgstr "edit" -#: src/Model/Group.php:406 +#: src/Model/Group.php:405 msgid "Edit group" msgstr "Edit group" -#: src/Model/Group.php:407 +#: src/Model/Group.php:406 msgid "Contacts not in any group" msgstr "Contacts not in any group" -#: src/Model/Group.php:408 +#: src/Model/Group.php:407 msgid "Create a new group" msgstr "Create new group" -#: src/Model/Group.php:410 +#: src/Model/Group.php:409 msgid "Edit groups" msgstr "Edit groups" -#: src/Model/User.php:142 +#: src/Model/Contact.php:645 +msgid "Drop Contact" +msgstr "Drop contact" + +#: src/Model/Contact.php:1048 +msgid "Organisation" +msgstr "Organization" + +#: src/Model/Contact.php:1051 +msgid "News" +msgstr "News" + +#: src/Model/Contact.php:1054 +msgid "Forum" +msgstr "Forum" + +#: src/Model/Contact.php:1233 +msgid "Connect URL missing." +msgstr "Connect URL missing." + +#: src/Model/Contact.php:1242 +msgid "" +"The contact could not be added. Please check the relevant network " +"credentials in your Settings -> Social Networks page." +msgstr "The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page." + +#: src/Model/Contact.php:1289 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "This site is not configured to allow communications with other networks." + +#: src/Model/Contact.php:1290 src/Model/Contact.php:1304 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "No compatible communication protocols or feeds were discovered." + +#: src/Model/Contact.php:1302 +msgid "The profile address specified does not provide adequate information." +msgstr "The profile address specified does not provide adequate information." + +#: src/Model/Contact.php:1307 +msgid "An author or name was not found." +msgstr "An author or name was not found." + +#: src/Model/Contact.php:1310 +msgid "No browser URL could be matched to this address." +msgstr "No browser URL could be matched to this address." + +#: src/Model/Contact.php:1313 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Unable to match @-style identity address with a known protocol or email contact." + +#: src/Model/Contact.php:1314 +msgid "Use mailto: in front of address to force email check." +msgstr "Use mailto: in front of address to force email check." + +#: src/Model/Contact.php:1320 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "The profile address specified belongs to a network which has been disabled on this site." + +#: src/Model/Contact.php:1325 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Limited profile: This person will be unable to receive direct/private messages from you." + +#: src/Model/Contact.php:1376 +msgid "Unable to retrieve contact information." +msgstr "Unable to retrieve contact information." + +#: src/Model/Contact.php:1588 +#, php-format +msgid "%s's birthday" +msgstr "%s's birthday" + +#: src/Model/Contact.php:1589 src/Protocol/DFRN.php:1478 +#, php-format +msgid "Happy Birthday %s" +msgstr "Happy Birthday, %s!" + +#: src/Model/Event.php:53 src/Model/Event.php:70 src/Model/Event.php:419 +#: src/Model/Event.php:882 +msgid "Starts:" +msgstr "Starts:" + +#: src/Model/Event.php:56 src/Model/Event.php:76 src/Model/Event.php:420 +#: src/Model/Event.php:886 +msgid "Finishes:" +msgstr "Finishes:" + +#: src/Model/Event.php:368 +msgid "all-day" +msgstr "All-day" + +#: src/Model/Event.php:391 +msgid "Jun" +msgstr "Jun" + +#: src/Model/Event.php:394 +msgid "Sept" +msgstr "Sep" + +#: src/Model/Event.php:417 +msgid "No events to display" +msgstr "No events to display" + +#: src/Model/Event.php:543 +msgid "l, F j" +msgstr "l, F j" + +#: src/Model/Event.php:566 +msgid "Edit event" +msgstr "Edit event" + +#: src/Model/Event.php:567 +msgid "Duplicate event" +msgstr "Duplicate event" + +#: src/Model/Event.php:568 +msgid "Delete event" +msgstr "Delete event" + +#: src/Model/Event.php:815 +msgid "D g:i A" +msgstr "D g:i A" + +#: src/Model/Event.php:816 +msgid "g:i A" +msgstr "g:i A" + +#: src/Model/Event.php:901 src/Model/Event.php:903 +msgid "Show map" +msgstr "Show map" + +#: src/Model/Event.php:902 +msgid "Hide map" +msgstr "Hide map" + +#: src/Model/User.php:144 msgid "Login failed" msgstr "Login failed" -#: src/Model/User.php:173 +#: src/Model/User.php:175 msgid "Not enough information to authenticate" msgstr "Not enough information to authenticate" -#: src/Model/User.php:319 +#: src/Model/User.php:332 msgid "An invitation is required." msgstr "An invitation is required." -#: src/Model/User.php:323 +#: src/Model/User.php:336 msgid "Invitation could not be verified." msgstr "Invitation could not be verified." -#: src/Model/User.php:330 +#: src/Model/User.php:343 msgid "Invalid OpenID url" msgstr "Invalid OpenID URL" -#: src/Model/User.php:343 src/Module/Login.php:100 +#: src/Model/User.php:356 src/Module/Login.php:100 msgid "" "We encountered a problem while logging in with the OpenID you provided. " "Please check the correct spelling of the ID." msgstr "We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID." -#: src/Model/User.php:343 src/Module/Login.php:100 +#: src/Model/User.php:356 src/Module/Login.php:100 msgid "The error message was:" msgstr "The error message was:" -#: src/Model/User.php:349 +#: src/Model/User.php:362 msgid "Please enter the required information." msgstr "Please enter the required information." -#: src/Model/User.php:362 +#: src/Model/User.php:375 msgid "Please use a shorter name." msgstr "Please use a shorter name." -#: src/Model/User.php:365 +#: src/Model/User.php:378 msgid "Name too short." msgstr "Name too short." -#: src/Model/User.php:373 +#: src/Model/User.php:386 msgid "That doesn't appear to be your full (First Last) name." msgstr "That doesn't appear to be your full (i.e first and last) name." -#: src/Model/User.php:378 +#: src/Model/User.php:391 msgid "Your email domain is not among those allowed on this site." msgstr "Your email domain is not allowed on this site." -#: src/Model/User.php:382 +#: src/Model/User.php:395 msgid "Not a valid email address." msgstr "Not a valid email address." -#: src/Model/User.php:386 src/Model/User.php:394 +#: src/Model/User.php:399 src/Model/User.php:407 msgid "Cannot use that email." msgstr "Cannot use that email." -#: src/Model/User.php:401 +#: src/Model/User.php:414 msgid "Your nickname can only contain a-z, 0-9 and _." msgstr "Your nickname can only contain a-z, 0-9 and _." -#: src/Model/User.php:408 src/Model/User.php:464 +#: src/Model/User.php:421 src/Model/User.php:477 msgid "Nickname is already registered. Please choose another." msgstr "Nickname is already registered. Please choose another." -#: src/Model/User.php:418 +#: src/Model/User.php:431 msgid "SERIOUS ERROR: Generation of security keys failed." msgstr "SERIOUS ERROR: Generation of security keys failed." -#: src/Model/User.php:451 src/Model/User.php:455 +#: src/Model/User.php:464 src/Model/User.php:468 msgid "An error occurred during registration. Please try again." msgstr "An error occurred during registration. Please try again." -#: src/Model/User.php:480 +#: src/Model/User.php:488 view/theme/duepuntozero/config.php:54 +msgid "default" +msgstr "default" + +#: src/Model/User.php:493 msgid "An error occurred creating your default profile. Please try again." msgstr "An error occurred creating your default profile. Please try again." -#: src/Model/User.php:487 +#: src/Model/User.php:500 msgid "An error occurred creating your self contact. Please try again." msgstr "An error occurred creating your self contact. Please try again." -#: src/Model/User.php:496 +#: src/Model/User.php:509 msgid "" "An error occurred creating your default contact group. Please try again." msgstr "An error occurred while creating your default contact group. Please try again." -#: src/Model/User.php:570 +#: src/Model/User.php:583 #, php-format msgid "" "\n" @@ -9003,12 +9044,12 @@ msgid "" "\t\t" msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n\t\t" -#: src/Model/User.php:580 +#: src/Model/User.php:593 #, php-format msgid "Registration at %s" msgstr "Registration at %s" -#: src/Model/User.php:598 +#: src/Model/User.php:611 #, php-format msgid "" "\n" @@ -9017,16 +9058,17 @@ msgid "" "\t\t" msgstr "\n\t\t\tDear %1$s,\n\t\t\t\tThank you for registering at %2$s. Your account has been created.\n\t\t" -#: src/Model/User.php:602 +#: src/Model/User.php:615 #, php-format msgid "" "\n" "\t\t\tThe login details are as follows:\n" -"\t\t\t\tSite Location:\t%3$s\n" -"\t\t\t\tLogin Name:\t%1$s\n" -"\t\t\t\tPassword:\t%5$s\n" "\n" -"\t\t\tYou may change your password from your account Settings page after logging\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" "\t\t\tin.\n" "\n" "\t\t\tPlease take a few moments to review the other account settings on that page.\n" @@ -9035,7 +9077,7 @@ msgid "" "\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" "\n" "\t\t\tWe recommend setting your full name, adding a profile photo,\n" -"\t\t\tadding some profile keywords (very useful in making new friends) - and\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" "\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" "\t\t\tthan that.\n" "\n" @@ -9043,45 +9085,169 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" "\n" "\t\t\tThank you and welcome to %2$s." -msgstr "\n\t\t\tThe login details are as follows:\n\t\t\t\tSite Location:\t%3$s\n\t\t\t\tLogin Name:\t%1$s\n\t\t\t\tPassword:\t%5$s\n\n\t\t\tYou may change your password from your account Settings page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile keywords (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\n\t\t\tThank you and welcome to %2$s." +msgstr "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3$s\n\t\t\tLogin Name:\t\t%1$s\n\t\t\tPassword:\t\t%5$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n\n\t\t\tThank you and welcome to %2$s." -#: src/Protocol/DFRN.php:1397 -#, php-format -msgid "%s\\'s birthday" -msgstr "%s\\'s birthday" - -#: src/Protocol/OStatus.php:1774 +#: src/Protocol/OStatus.php:1799 #, php-format msgid "%s is now following %s." msgstr "%s is now following %s." -#: src/Protocol/OStatus.php:1775 +#: src/Protocol/OStatus.php:1800 msgid "following" msgstr "following" -#: src/Protocol/OStatus.php:1778 +#: src/Protocol/OStatus.php:1803 #, php-format msgid "%s stopped following %s." msgstr "%s stopped following %s." -#: src/Protocol/OStatus.php:1779 +#: src/Protocol/OStatus.php:1804 msgid "stopped following" msgstr "stopped following" -#: src/Protocol/Diaspora.php:2584 +#: src/Protocol/DFRN.php:1477 +#, php-format +msgid "%s\\'s birthday" +msgstr "%s\\'s birthday" + +#: src/Protocol/Diaspora.php:2651 msgid "Sharing notification from Diaspora network" msgstr "Sharing notification from Diaspora network" -#: src/Protocol/Diaspora.php:3660 +#: src/Protocol/Diaspora.php:3738 msgid "Attachments:" msgstr "Attachments:" -#: src/Worker/Delivery.php:391 +#: src/Worker/Delivery.php:392 msgid "(no subject)" msgstr "(no subject)" +#: src/Object/Post.php:128 +msgid "This entry was edited" +msgstr "This entry was edited" + +#: src/Object/Post.php:182 +msgid "save to folder" +msgstr "Save to folder" + +#: src/Object/Post.php:235 +msgid "I will attend" +msgstr "I will attend" + +#: src/Object/Post.php:235 +msgid "I will not attend" +msgstr "I will not attend" + +#: src/Object/Post.php:235 +msgid "I might attend" +msgstr "I might attend" + +#: src/Object/Post.php:263 +msgid "add star" +msgstr "Add star" + +#: src/Object/Post.php:264 +msgid "remove star" +msgstr "Remove star" + +#: src/Object/Post.php:265 +msgid "toggle star status" +msgstr "Toggle star status" + +#: src/Object/Post.php:268 +msgid "starred" +msgstr "Starred" + +#: src/Object/Post.php:274 +msgid "ignore thread" +msgstr "Ignore thread" + +#: src/Object/Post.php:275 +msgid "unignore thread" +msgstr "Unignore thread" + +#: src/Object/Post.php:276 +msgid "toggle ignore status" +msgstr "Toggle ignore status" + +#: src/Object/Post.php:285 +msgid "add tag" +msgstr "Add tag" + +#: src/Object/Post.php:296 +msgid "like" +msgstr "Like" + +#: src/Object/Post.php:297 +msgid "dislike" +msgstr "Dislike" + +#: src/Object/Post.php:300 +msgid "Share this" +msgstr "Share this" + +#: src/Object/Post.php:300 +msgid "share" +msgstr "Share" + +#: src/Object/Post.php:365 +msgid "to" +msgstr "to" + +#: src/Object/Post.php:366 +msgid "via" +msgstr "via" + +#: src/Object/Post.php:367 +msgid "Wall-to-Wall" +msgstr "Wall-to-wall" + +#: src/Object/Post.php:368 +msgid "via Wall-To-Wall:" +msgstr "via wall-to-wall:" + +#: src/Object/Post.php:427 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d comment" +msgstr[1] "%d comments -" + +#: src/Object/Post.php:797 +msgid "Bold" +msgstr "Bold" + +#: src/Object/Post.php:798 +msgid "Italic" +msgstr "Italic" + +#: src/Object/Post.php:799 +msgid "Underline" +msgstr "Underline" + +#: src/Object/Post.php:800 +msgid "Quote" +msgstr "Quote" + +#: src/Object/Post.php:801 +msgid "Code" +msgstr "Code" + +#: src/Object/Post.php:802 +msgid "Image" +msgstr "Image" + +#: src/Object/Post.php:803 +msgid "Link" +msgstr "Link" + +#: src/Object/Post.php:804 +msgid "Video" +msgstr "Video" + #: src/Module/Login.php:282 msgid "Create a New Account" msgstr "Create a new account" @@ -9122,142 +9288,203 @@ msgstr "Privacy policy" msgid "Logged out." msgstr "Logged out." -#: src/Object/Post.php:127 -msgid "This entry was edited" -msgstr "This entry was edited" - -#: src/Object/Post.php:181 -msgid "save to folder" -msgstr "Save to folder" - -#: src/Object/Post.php:234 -msgid "I will attend" -msgstr "I will attend" - -#: src/Object/Post.php:234 -msgid "I will not attend" -msgstr "I will not attend" - -#: src/Object/Post.php:234 -msgid "I might attend" -msgstr "I might attend" - -#: src/Object/Post.php:262 -msgid "add star" -msgstr "Add star" - -#: src/Object/Post.php:263 -msgid "remove star" -msgstr "Remove star" - -#: src/Object/Post.php:264 -msgid "toggle star status" -msgstr "Toggle star status" - -#: src/Object/Post.php:267 -msgid "starred" -msgstr "Starred" - -#: src/Object/Post.php:273 -msgid "ignore thread" -msgstr "Ignore thread" - -#: src/Object/Post.php:274 -msgid "unignore thread" -msgstr "Unignore thread" - -#: src/Object/Post.php:275 -msgid "toggle ignore status" -msgstr "Toggle ignore status" - -#: src/Object/Post.php:284 -msgid "add tag" -msgstr "Add tag" - -#: src/Object/Post.php:295 -msgid "like" -msgstr "Like" - -#: src/Object/Post.php:296 -msgid "dislike" -msgstr "Dislike" - -#: src/Object/Post.php:299 -msgid "Share this" -msgstr "Share this" - -#: src/Object/Post.php:299 -msgid "share" -msgstr "Share" - -#: src/Object/Post.php:357 -msgid "to" -msgstr "to" - -#: src/Object/Post.php:358 -msgid "via" -msgstr "via" - -#: src/Object/Post.php:359 -msgid "Wall-to-Wall" -msgstr "Wall-to-wall" - -#: src/Object/Post.php:360 -msgid "via Wall-To-Wall:" -msgstr "via wall-to-wall:" - -#: src/Object/Post.php:419 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d comment" -msgstr[1] "%d comments -" - -#: src/Object/Post.php:789 -msgid "Bold" -msgstr "Bold" - -#: src/Object/Post.php:790 -msgid "Italic" -msgstr "Italic" - -#: src/Object/Post.php:791 -msgid "Underline" -msgstr "Underline" - -#: src/Object/Post.php:792 -msgid "Quote" -msgstr "Quote" - -#: src/Object/Post.php:793 -msgid "Code" -msgstr "Code" - -#: src/Object/Post.php:794 -msgid "Image" -msgstr "Image" - -#: src/Object/Post.php:795 -msgid "Link" -msgstr "Link" - -#: src/Object/Post.php:796 -msgid "Video" -msgstr "Video" - -#: src/App.php:513 +#: src/App.php:511 msgid "Delete this item?" msgstr "Delete this item?" -#: src/App.php:515 +#: src/App.php:513 msgid "show fewer" msgstr "Show fewer." -#: index.php:441 +#: view/theme/duepuntozero/config.php:55 +msgid "greenzero" +msgstr "greenzero" + +#: view/theme/duepuntozero/config.php:56 +msgid "purplezero" +msgstr "purplezero" + +#: view/theme/duepuntozero/config.php:57 +msgid "easterbunny" +msgstr "easterbunny" + +#: view/theme/duepuntozero/config.php:58 +msgid "darkzero" +msgstr "darkzero" + +#: view/theme/duepuntozero/config.php:59 +msgid "comix" +msgstr "comix" + +#: view/theme/duepuntozero/config.php:60 +msgid "slackr" +msgstr "slackr" + +#: view/theme/duepuntozero/config.php:74 +msgid "Variations" +msgstr "Variations" + +#: view/theme/frio/php/Image.php:25 +msgid "Repeat the image" +msgstr "Repeat the image" + +#: view/theme/frio/php/Image.php:25 +msgid "Will repeat your image to fill the background." +msgstr "Will repeat your image to fill the background." + +#: view/theme/frio/php/Image.php:27 +msgid "Stretch" +msgstr "Stretch" + +#: view/theme/frio/php/Image.php:27 +msgid "Will stretch to width/height of the image." +msgstr "Will stretch to width/height of the image." + +#: view/theme/frio/php/Image.php:29 +msgid "Resize fill and-clip" +msgstr "Resize fill and-clip" + +#: view/theme/frio/php/Image.php:29 +msgid "Resize to fill and retain aspect ratio." +msgstr "Resize to fill and retain aspect ratio." + +#: view/theme/frio/php/Image.php:31 +msgid "Resize best fit" +msgstr "Resize to best fit" + +#: view/theme/frio/php/Image.php:31 +msgid "Resize to best fit and retain aspect ratio." +msgstr "Resize to best fit and retain aspect ratio." + +#: view/theme/frio/config.php:97 +msgid "Default" +msgstr "Default" + +#: view/theme/frio/config.php:109 +msgid "Note" +msgstr "Note" + +#: view/theme/frio/config.php:109 +msgid "Check image permissions if all users are allowed to visit the image" +msgstr "Check image permissions if all users are allowed to visit the image" + +#: view/theme/frio/config.php:116 +msgid "Select scheme" +msgstr "Select scheme:" + +#: view/theme/frio/config.php:117 +msgid "Navigation bar background color" +msgstr "Navigation bar background color:" + +#: view/theme/frio/config.php:118 +msgid "Navigation bar icon color " +msgstr "Navigation bar icon color:" + +#: view/theme/frio/config.php:119 +msgid "Link color" +msgstr "Link color:" + +#: view/theme/frio/config.php:120 +msgid "Set the background color" +msgstr "Background color:" + +#: view/theme/frio/config.php:121 +msgid "Content background opacity" +msgstr "Content background opacity" + +#: view/theme/frio/config.php:122 +msgid "Set the background image" +msgstr "Background image:" + +#: view/theme/frio/config.php:127 +msgid "Login page background image" +msgstr "Login page background image" + +#: view/theme/frio/config.php:130 +msgid "Login page background color" +msgstr "Login page background color" + +#: view/theme/frio/config.php:130 +msgid "Leave background image and color empty for theme defaults" +msgstr "Leave background image and color empty for theme defaults" + +#: view/theme/frio/theme.php:238 +msgid "Guest" +msgstr "Guest" + +#: view/theme/frio/theme.php:243 +msgid "Visitor" +msgstr "Visitor" + +#: view/theme/quattro/config.php:76 +msgid "Alignment" +msgstr "Alignment" + +#: view/theme/quattro/config.php:76 +msgid "Left" +msgstr "Left" + +#: view/theme/quattro/config.php:76 +msgid "Center" +msgstr "Center" + +#: view/theme/quattro/config.php:77 +msgid "Color scheme" +msgstr "Color scheme" + +#: view/theme/quattro/config.php:78 +msgid "Posts font size" +msgstr "Posts font size" + +#: view/theme/quattro/config.php:79 +msgid "Textareas font size" +msgstr "Text areas font size" + +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "Comma separated list of helper forums" + +#: view/theme/vier/config.php:122 +msgid "Set style" +msgstr "Set style" + +#: view/theme/vier/config.php:123 +msgid "Community Pages" +msgstr "Community pages" + +#: view/theme/vier/config.php:124 view/theme/vier/theme.php:150 +msgid "Community Profiles" +msgstr "Community profiles" + +#: view/theme/vier/config.php:125 +msgid "Help or @NewHere ?" +msgstr "Help or @NewHere ?" + +#: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 +msgid "Connect Services" +msgstr "Connect services" + +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 +msgid "Find Friends" +msgstr "Find friends" + +#: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 +msgid "Last users" +msgstr "Last users" + +#: view/theme/vier/theme.php:200 +msgid "Local Directory" +msgstr "Local directory" + +#: view/theme/vier/theme.php:292 +msgid "Quick Start" +msgstr "Quick start" + +#: index.php:444 msgid "toggle mobile" msgstr "Toggle mobile" -#: boot.php:786 +#: boot.php:791 #, php-format msgid "Update %s failed. See error logs." msgstr "Update %s failed. See error logs." diff --git a/view/lang/en-us/strings.php b/view/lang/en-us/strings.php index 2f8ff9dd5..f73717926 100644 --- a/view/lang/en-us/strings.php +++ b/view/lang/en-us/strings.php @@ -9,6 +9,17 @@ $a->strings["Welcome "] = "Welcome "; $a->strings["Please upload a profile photo."] = "Please upload a profile photo."; $a->strings["Welcome back "] = "Welcome back "; $a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = "The form security token was incorrect. This probably happened because the form has not been submitted within 3 hours."; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Cannot locate DNS info for database server '%s'"; +$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ + 0 => "Daily posting limit of %d post are reached. The post was rejected.", + 1 => "Daily posting limit of %d posts are reached. This post was rejected.", +]; +$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ + 0 => "Weekly posting limit of %d post are reached. The post was rejected.", + 1 => "Weekly posting limit of %d posts are reached. This post was rejected.", +]; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Monthly posting limit of %d posts are reached. This post was rejected."; +$a->strings["Profile Photos"] = "Profile photos"; $a->strings["Friendica Notification"] = "Friendica notification"; $a->strings["Thank You,"] = "Thank you"; $a->strings["%s Administrator"] = "%s Administrator"; @@ -66,67 +77,8 @@ $a->strings["Please visit %s if you wish to make any changes to this relationsh $a->strings["[Friendica System:Notify] registration request"] = "[Friendica:Notify] registration request"; $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "You've received a registration request from '%1\$s' at %2\$s."; $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "You've received a [url=%1\$s]registration request[/url] from %2\$s."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s("] = "Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s("; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"; $a->strings["Please visit %s to approve or reject the request."] = "Please visit %s to approve or reject the request."; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; -$a->strings["Starts:"] = "Starts:"; -$a->strings["Finishes:"] = "Finishes:"; -$a->strings["Location:"] = "Location:"; -$a->strings["all-day"] = "All-day"; -$a->strings["Sun"] = "Sun"; -$a->strings["Mon"] = "Mon"; -$a->strings["Tue"] = "Tue"; -$a->strings["Wed"] = "Wed"; -$a->strings["Thu"] = "Thu"; -$a->strings["Fri"] = "Fri"; -$a->strings["Sat"] = "Sat"; -$a->strings["Sunday"] = "Sunday"; -$a->strings["Monday"] = "Monday"; -$a->strings["Tuesday"] = "Tuesday"; -$a->strings["Wednesday"] = "Wednesday"; -$a->strings["Thursday"] = "Thursday"; -$a->strings["Friday"] = "Friday"; -$a->strings["Saturday"] = "Saturday"; -$a->strings["Jan"] = "Jan"; -$a->strings["Feb"] = "Feb"; -$a->strings["Mar"] = "Mar"; -$a->strings["Apr"] = "Apr"; -$a->strings["May"] = "May"; -$a->strings["Jun"] = "Jun"; -$a->strings["Jul"] = "Jul"; -$a->strings["Aug"] = "Aug"; -$a->strings["Sept"] = "Sep"; -$a->strings["Oct"] = "Oct"; -$a->strings["Nov"] = "Nov"; -$a->strings["Dec"] = "Dec"; -$a->strings["January"] = "January"; -$a->strings["February"] = "February"; -$a->strings["March"] = "March"; -$a->strings["April"] = "April"; -$a->strings["June"] = "June"; -$a->strings["July"] = "July"; -$a->strings["August"] = "August"; -$a->strings["September"] = "September"; -$a->strings["October"] = "October"; -$a->strings["November"] = "November"; -$a->strings["December"] = "December"; -$a->strings["today"] = "today"; -$a->strings["month"] = "month"; -$a->strings["week"] = "week"; -$a->strings["day"] = "day"; -$a->strings["No events to display"] = "No events to display"; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Edit event"; -$a->strings["Duplicate event"] = "Duplicate event"; -$a->strings["Delete event"] = "Delete event"; -$a->strings["link to source"] = "Link to source"; -$a->strings["Export"] = "Export"; -$a->strings["Export calendar as ical"] = "Export calendar as ical"; -$a->strings["Export calendar as csv"] = "Export calendar as csv"; -$a->strings["D g:i A"] = "D g:i A"; -$a->strings["g:i A"] = "g:i A"; -$a->strings["Show map"] = "Show map"; -$a->strings["Hide map"] = "Hide map"; $a->strings["Item not found."] = "Item not found."; $a->strings["Do you really want to delete this item?"] = "Do you really want to delete this item?"; $a->strings["Yes"] = "Yes"; @@ -134,76 +86,9 @@ $a->strings["Cancel"] = "Cancel"; $a->strings["Permission denied."] = "Permission denied."; $a->strings["Archives"] = "Archives"; $a->strings["show more"] = "Show more..."; -$a->strings["newer"] = "Later posts"; -$a->strings["older"] = "Earlier posts"; -$a->strings["first"] = "first"; -$a->strings["prev"] = "prev"; -$a->strings["next"] = "next"; -$a->strings["last"] = "last"; -$a->strings["Loading more entries..."] = "Loading more entries..."; -$a->strings["The end"] = "The end"; -$a->strings["No contacts"] = "No contacts"; -$a->strings["%d Contact"] = [ - 0 => "%d contact", - 1 => "%d contacts", -]; -$a->strings["View Contacts"] = "View contacts"; -$a->strings["Save"] = "Save"; -$a->strings["Follow"] = "Follow"; -$a->strings["Search"] = "Search"; -$a->strings["@name, !forum, #tags, content"] = "@name, !forum, #tags, content"; -$a->strings["Full Text"] = "Full text"; -$a->strings["Tags"] = "Tags"; -$a->strings["Contacts"] = "Contacts"; -$a->strings["Forums"] = "Forums"; -$a->strings["poke"] = "poke"; -$a->strings["poked"] = "poked"; -$a->strings["ping"] = "ping"; -$a->strings["pinged"] = "pinged"; -$a->strings["prod"] = "prod"; -$a->strings["prodded"] = "prodded"; -$a->strings["slap"] = "slap"; -$a->strings["slapped"] = "slapped"; -$a->strings["finger"] = "finger"; -$a->strings["fingered"] = "fingered"; -$a->strings["rebuff"] = "rebuff"; -$a->strings["rebuffed"] = "rebuffed"; -$a->strings["Sep"] = "Sep"; -$a->strings["View Video"] = "View video"; -$a->strings["bytes"] = "bytes"; -$a->strings["Click to open/close"] = "Click to open/close"; -$a->strings["View on separate page"] = "View on separate page"; -$a->strings["view on separate page"] = "view on separate page"; $a->strings["event"] = "event"; -$a->strings["photo"] = "photo"; -$a->strings["activity"] = "activity"; -$a->strings["comment"] = [ - 0 => "comment", - 1 => "comments", -]; -$a->strings["post"] = "post"; -$a->strings["Item filed"] = "Item filed"; -$a->strings["Post to Email"] = "Post to email"; -$a->strings["Hide your profile details from unknown viewers?"] = "Hide profile details from unknown viewers?"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connectors are disabled since \"%s\" is enabled."; -$a->strings["Visible to everybody"] = "Visible to everybody"; -$a->strings["show"] = "show"; -$a->strings["don't show"] = "don't show"; -$a->strings["CC: email addresses"] = "CC: email addresses"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Example: bob@example.com, mary@example.com"; -$a->strings["Permissions"] = "Permissions"; -$a->strings["Close"] = "Close"; -$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ - 0 => "Daily posting limit of %d post are reached. The post was rejected.", - 1 => "Daily posting limit of %d posts are reached. This post was rejected.", -]; -$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ - 0 => "Weekly posting limit of %d post are reached. The post was rejected.", - 1 => "Weekly posting limit of %d posts are reached. This post was rejected.", -]; -$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Monthly posting limit of %d posts are reached. This post was rejected."; -$a->strings["Profile Photos"] = "Profile photos"; $a->strings["status"] = "status"; +$a->strings["photo"] = "photo"; $a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s likes %2\$s's %3\$s"; $a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s doesn't like %2\$s's %3\$s"; $a->strings["%1\$s attends %2\$s's %3\$s"] = "%1\$s goes to %2\$s's %3\$s"; @@ -266,6 +151,7 @@ $a->strings["Tag term:"] = "Tag term:"; $a->strings["Save to Folder:"] = "Save to folder:"; $a->strings["Where are you right now?"] = "Where are you right now?"; $a->strings["Delete item(s)?"] = "Delete item(s)?"; +$a->strings["New Post"] = "New post"; $a->strings["Share"] = "Share"; $a->strings["Upload photo"] = "Upload photo"; $a->strings["upload photo"] = "upload photo"; @@ -309,7 +195,90 @@ $a->strings["Undecided"] = [ 0 => "Undecided", 1 => "Undecided", ]; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Cannot locate DNS info for database server '%s'"; +$a->strings["newer"] = "Later posts"; +$a->strings["older"] = "Earlier posts"; +$a->strings["first"] = "first"; +$a->strings["prev"] = "prev"; +$a->strings["next"] = "next"; +$a->strings["last"] = "last"; +$a->strings["Loading more entries..."] = "Loading more entries..."; +$a->strings["The end"] = "The end"; +$a->strings["No contacts"] = "No contacts"; +$a->strings["%d Contact"] = [ + 0 => "%d contact", + 1 => "%d contacts", +]; +$a->strings["View Contacts"] = "View contacts"; +$a->strings["Save"] = "Save"; +$a->strings["Follow"] = "Follow"; +$a->strings["Search"] = "Search"; +$a->strings["@name, !forum, #tags, content"] = "@name, !forum, #tags, content"; +$a->strings["Full Text"] = "Full text"; +$a->strings["Tags"] = "Tags"; +$a->strings["Contacts"] = "Contacts"; +$a->strings["Forums"] = "Forums"; +$a->strings["poke"] = "poke"; +$a->strings["poked"] = "poked"; +$a->strings["ping"] = "ping"; +$a->strings["pinged"] = "pinged"; +$a->strings["prod"] = "prod"; +$a->strings["prodded"] = "prodded"; +$a->strings["slap"] = "slap"; +$a->strings["slapped"] = "slapped"; +$a->strings["finger"] = "finger"; +$a->strings["fingered"] = "fingered"; +$a->strings["rebuff"] = "rebuff"; +$a->strings["rebuffed"] = "rebuffed"; +$a->strings["Monday"] = "Monday"; +$a->strings["Tuesday"] = "Tuesday"; +$a->strings["Wednesday"] = "Wednesday"; +$a->strings["Thursday"] = "Thursday"; +$a->strings["Friday"] = "Friday"; +$a->strings["Saturday"] = "Saturday"; +$a->strings["Sunday"] = "Sunday"; +$a->strings["January"] = "January"; +$a->strings["February"] = "February"; +$a->strings["March"] = "March"; +$a->strings["April"] = "April"; +$a->strings["May"] = "May"; +$a->strings["June"] = "June"; +$a->strings["July"] = "July"; +$a->strings["August"] = "August"; +$a->strings["September"] = "September"; +$a->strings["October"] = "October"; +$a->strings["November"] = "November"; +$a->strings["December"] = "December"; +$a->strings["Mon"] = "Mon"; +$a->strings["Tue"] = "Tue"; +$a->strings["Wed"] = "Wed"; +$a->strings["Thu"] = "Thu"; +$a->strings["Fri"] = "Fri"; +$a->strings["Sat"] = "Sat"; +$a->strings["Sun"] = "Sun"; +$a->strings["Jan"] = "Jan"; +$a->strings["Feb"] = "Feb"; +$a->strings["Mar"] = "Mar"; +$a->strings["Apr"] = "Apr"; +$a->strings["Jul"] = "Jul"; +$a->strings["Aug"] = "Aug"; +$a->strings["Sep"] = "Sep"; +$a->strings["Oct"] = "Oct"; +$a->strings["Nov"] = "Nov"; +$a->strings["Dec"] = "Dec"; +$a->strings["Content warning: %s"] = "Content warning: %s"; +$a->strings["View Video"] = "View video"; +$a->strings["bytes"] = "bytes"; +$a->strings["Click to open/close"] = "Reveal/hide"; +$a->strings["View on separate page"] = "View on separate page"; +$a->strings["view on separate page"] = "view on separate page"; +$a->strings["link to source"] = "Link to source"; +$a->strings["activity"] = "activity"; +$a->strings["comment"] = [ + 0 => "comment", + 1 => "comments", +]; +$a->strings["post"] = "post"; +$a->strings["Item filed"] = "Item filed"; $a->strings["No friends to display."] = "No friends to display."; $a->strings["Connect"] = "Connect"; $a->strings["Authorize application connection"] = "Authorize application connection"; @@ -408,16 +377,6 @@ $a->strings["Do you really want to delete this suggestion?"] = "Do you really wa $a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "No suggestions available. If this is a new site, please try again in 24 hours."; $a->strings["Ignore/Hide"] = "Ignore/Hide"; $a->strings["Friend Suggestions"] = "Friend suggestions"; -$a->strings["Contact wasn't found or can't be unfollowed."] = "Contact wasn't found or can't be unfollowed."; -$a->strings["Contact unfollowed"] = "Contact unfollowed"; -$a->strings["Submit Request"] = "Submit request"; -$a->strings["You aren't a friend of this contact."] = "You aren't a friend of this contact."; -$a->strings["Unfollowing is currently not supported by your network."] = "Unfollowing is currently not supported by your network."; -$a->strings["Disconnect/Unfollow"] = "Disconnect/Unfollow"; -$a->strings["Your Identity Address:"] = "My identity address:"; -$a->strings["Profile URL"] = "Profile URL:"; -$a->strings["Status Messages and Posts"] = "Status Messages and Posts"; -$a->strings["[Embedded content - reload page to view]"] = "[Embedded content - reload page to view]"; $a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."; $a->strings["Import"] = "Import profile"; $a->strings["Move account"] = "Move Existing Friendica Account"; @@ -426,24 +385,12 @@ $a->strings["You need to export your account from the old server and upload it h $a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = "This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora."; $a->strings["Account file"] = "Account file:"; $a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "To export your account, go to \"Settings->Export personal data\" and select \"Export account\""; +$a->strings["[Embedded content - reload page to view]"] = "[Embedded content - reload page to view]"; $a->strings["%1\$s welcomes %2\$s"] = "%1\$s welcomes %2\$s"; -$a->strings["People Search - %s"] = "People search - %s"; -$a->strings["Forum Search - %s"] = "Forum search - %s"; -$a->strings["No matches"] = "No matches"; -$a->strings["This is Friendica, version"] = "This is Friendica, version"; -$a->strings["running at web location"] = "running at web location"; -$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = "Please visit Friendi.ca to learn more about the Friendica project."; -$a->strings["Bug reports and issues: please visit"] = "Bug reports and issues: please visit"; -$a->strings["the bugtracker at github"] = "the bugtracker at github"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"; -$a->strings["Installed addons/apps:"] = "Installed addons/apps:"; -$a->strings["No installed addons/apps"] = "No installed addons/apps"; -$a->strings["On this server the following remote servers are blocked."] = "On this server the following remote servers are blocked."; -$a->strings["Blocked domain"] = "Blocked domain"; -$a->strings["Reason for the block"] = "Reason for the block"; $a->strings["No keywords to match. Please add keywords to your default profile."] = "No keywords to match. Please add keywords to your default profile."; $a->strings["is interested in:"] = "is interested in:"; $a->strings["Profile Match"] = "Profile Match"; +$a->strings["No matches"] = "No matches"; $a->strings["Invalid request identifier."] = "Invalid request identifier."; $a->strings["Discard"] = "Discard"; $a->strings["Ignore"] = "Ignore"; @@ -470,35 +417,19 @@ $a->strings["Accepting %s as a sharer allows them to subscribe to your posts, bu $a->strings["Friend"] = "Friend"; $a->strings["Sharer"] = "Sharer"; $a->strings["Subscriber"] = "Subscriber"; +$a->strings["Location:"] = "Location:"; $a->strings["About:"] = "About:"; $a->strings["Tags:"] = "Tags:"; $a->strings["Gender:"] = "Gender:"; +$a->strings["Profile URL"] = "Profile URL:"; $a->strings["Network:"] = "Network:"; $a->strings["No introductions."] = "No introductions."; $a->strings["Show unread"] = "Show unread"; $a->strings["Show all"] = "Show all"; $a->strings["No more %s notifications."] = "No more %s notifications."; -$a->strings["Post successful."] = "Post successful."; $a->strings["OpenID protocol error. No ID returned."] = "OpenID protocol error. No ID returned."; $a->strings["Account not found and OpenID registration is not permitted on this site."] = "Account not found and OpenID registration is not permitted on this site."; $a->strings["Login failed."] = "Login failed."; -$a->strings["Subscribing to OStatus contacts"] = "Subscribing to OStatus contacts"; -$a->strings["No contact provided."] = "No contact provided."; -$a->strings["Couldn't fetch information for contact."] = "Couldn't fetch information for contact."; -$a->strings["Couldn't fetch friends for contact."] = "Couldn't fetch friends for contact."; -$a->strings["success"] = "success"; -$a->strings["failed"] = "failed"; -$a->strings["ignored"] = "Ignored"; -$a->strings["Access to this profile has been restricted."] = "Access to this profile has been restricted."; -$a->strings["Events"] = "Events"; -$a->strings["View"] = "View"; -$a->strings["Previous"] = "Previous"; -$a->strings["Next"] = "Next"; -$a->strings["list"] = "List"; -$a->strings["User not found"] = "User not found"; -$a->strings["This calendar format is not supported"] = "This calendar format is not supported"; -$a->strings["No exportable data found"] = "No exportable data found"; -$a->strings["calendar"] = "calendar"; $a->strings["Profile not found."] = "Profile not found."; $a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "This may occasionally happen if contact was requested by both persons and it has already been approved."; $a->strings["Response from remote site was not understood."] = "Response from remote site was not understood."; @@ -541,9 +472,448 @@ $a->strings["You are cordially invited to join me and other close friends on Fri $a->strings["You will need to supply this invitation code: \$invite_code"] = "You will need to supply this invitation code: \$invite_code"; $a->strings["Once you have registered, please connect with me via my profile page at:"] = "Once you have signed up, please connect with me via my profile page at:"; $a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca"] = "For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca"; +$a->strings["Invalid request."] = "Invalid request."; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Sorry, maybe your upload is bigger than the PHP configuration allows"; +$a->strings["Or - did you try to upload an empty file?"] = "Or did you try to upload an empty file?"; +$a->strings["File exceeds size limit of %s"] = "File exceeds size limit of %s"; +$a->strings["File upload failed."] = "File upload failed."; $a->strings["Manage Identities and/or Pages"] = "Manage Identities and Pages"; $a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Accounts that I manage or own."; $a->strings["Select an identity to manage: "] = "Select identity:"; +$a->strings["This introduction has already been accepted."] = "This introduction has already been accepted."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Profile location is not valid or does not contain profile information."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Warning: profile location has no identifiable owner name."; +$a->strings["Warning: profile location has no profile photo."] = "Warning: profile location has no profile photo."; +$a->strings["%d required parameter was not found at the given location"] = [ + 0 => "%d required parameter was not found at the given location", + 1 => "%d required parameters were not found at the given location", +]; +$a->strings["Introduction complete."] = "Introduction complete."; +$a->strings["Unrecoverable protocol error."] = "Unrecoverable protocol error."; +$a->strings["Profile unavailable."] = "Profile unavailable."; +$a->strings["%s has received too many connection requests today."] = "%s has received too many connection requests today."; +$a->strings["Spam protection measures have been invoked."] = "Spam protection measures have been invoked."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Friends are advised to please try again in 24 hours."; +$a->strings["Invalid locator"] = "Invalid locator"; +$a->strings["You have already introduced yourself here."] = "You have already introduced yourself here."; +$a->strings["Apparently you are already friends with %s."] = "Apparently you are already friends with %s."; +$a->strings["Invalid profile URL."] = "Invalid profile URL."; +$a->strings["Disallowed profile URL."] = "Disallowed profile URL."; +$a->strings["Blocked domain"] = "Blocked domain"; +$a->strings["Failed to update contact record."] = "Failed to update contact record."; +$a->strings["Your introduction has been sent."] = "Your introduction has been sent."; +$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Remote subscription can't be done for your network. Please subscribe directly on your system."; +$a->strings["Please login to confirm introduction."] = "Please login to confirm introduction."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Incorrect identity currently logged in. Please login to this profile."; +$a->strings["Confirm"] = "Confirm"; +$a->strings["Hide this contact"] = "Hide this contact"; +$a->strings["Welcome home %s."] = "Welcome home %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Please confirm your introduction/connection request to %s."; +$a->strings["Public access denied."] = "Public access denied."; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Please enter your 'Identity address' from one of the following supported communications networks:"; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "If you are not yet part of the free social web, follow this link to find a public Friendica site and join us today."; +$a->strings["Friend/Connection Request"] = "Friend/Connection request"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = "Examples: jojo@demo.friendi.ca, http://demo.friendi.ca/profile/jojo, user@gnusocial.de"; +$a->strings["Please answer the following:"] = "Please answer the following:"; +$a->strings["Does %s know you?"] = "Does %s know you?"; +$a->strings["Add a personal note:"] = "Add a personal note:"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["GNU Social (Pleroma, Mastodon)"] = "GNU Social (Pleroma, Mastodon)"; +$a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla)"; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - please do not use this form. Instead, enter %s into your Diaspora search bar."; +$a->strings["Your Identity Address:"] = "My identity address:"; +$a->strings["Submit Request"] = "Submit request"; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["Time Conversion"] = "Time conversion"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica provides this service for sharing events with other networks and friends in unknown time zones."; +$a->strings["UTC time: %s"] = "UTC time: %s"; +$a->strings["Current timezone: %s"] = "Current time zone: %s"; +$a->strings["Converted localtime: %s"] = "Converted local time: %s"; +$a->strings["Please select your timezone:"] = "Please select your time zone:"; +$a->strings["Only logged in users are permitted to perform a probing."] = "Only logged in users are permitted to perform a probing."; +$a->strings["Permission denied"] = "Permission denied"; +$a->strings["Invalid profile identifier."] = "Invalid profile identifier."; +$a->strings["Profile Visibility Editor"] = "Profile Visibility Editor"; +$a->strings["Click on a contact to add or remove."] = "Click on a contact to add or remove it."; +$a->strings["Visible To"] = "Visible to"; +$a->strings["All Contacts (with secure profile access)"] = "All contacts with secure profile access"; +$a->strings["Account approved."] = "Account approved."; +$a->strings["Registration revoked for %s"] = "Registration revoked for %s"; +$a->strings["Please login."] = "Please login."; +$a->strings["Remove My Account"] = "Remove My Account"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "This will completely remove your account. Once this has been done it is not recoverable."; +$a->strings["Please enter your password for verification:"] = "Please enter your password for verification:"; +$a->strings["No contacts."] = "No contacts."; +$a->strings["Access denied."] = "Access denied."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Number of daily wall messages for %s exceeded. Message failed."; +$a->strings["No recipient selected."] = "No recipient selected."; +$a->strings["Unable to check your home location."] = "Unable to check your home location."; +$a->strings["Message could not be sent."] = "Message could not be sent."; +$a->strings["Message collection failure."] = "Message collection failure."; +$a->strings["Message sent."] = "Message sent."; +$a->strings["No recipient."] = "No recipient."; +$a->strings["Send Private Message"] = "Send private message"; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."; +$a->strings["To:"] = "To:"; +$a->strings["Subject:"] = "Subject:"; +$a->strings["Export account"] = "Export account"; +$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Export your account info and contacts. Use this to backup your account or to move it to another server."; +$a->strings["Export all"] = "Export all"; +$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"; +$a->strings["Export personal data"] = "Export personal data"; +$a->strings["- select -"] = "- select -"; +$a->strings["No more system notifications."] = "No more system notifications."; +$a->strings["{0} wants to be your friend"] = "{0} wants to be your friend"; +$a->strings["{0} sent you a message"] = "{0} sent you a message"; +$a->strings["{0} requested registration"] = "{0} requested registration"; +$a->strings["Poke/Prod"] = "Poke/Prod"; +$a->strings["poke, prod or do other things to somebody"] = "Poke, prod or do other things to somebody"; +$a->strings["Recipient"] = "Recipient:"; +$a->strings["Choose what you wish to do to recipient"] = "Choose what you wish to do:"; +$a->strings["Make this post private"] = "Make this post private"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s is following %2\$s's %3\$s"; +$a->strings["Tag removed"] = "Tag removed"; +$a->strings["Remove Item Tag"] = "Remove Item tag"; +$a->strings["Select a tag to remove: "] = "Select a tag to remove: "; +$a->strings["Remove"] = "Remove"; +$a->strings["Image exceeds size limit of %s"] = "Image exceeds size limit of %s"; +$a->strings["Unable to process image."] = "Unable to process image."; +$a->strings["Wall Photos"] = "Wall photos"; +$a->strings["Image upload failed."] = "Image upload failed."; +$a->strings["Remove term"] = "Remove term"; +$a->strings["Saved Searches"] = "Saved searches"; +$a->strings["Only logged in users are permitted to perform a search."] = "Only logged in users are permitted to perform a search."; +$a->strings["Too Many Requests"] = "Too many requests"; +$a->strings["Only one search per minute is permitted for not logged in users."] = "Only one search per minute is permitted for not logged in users."; +$a->strings["No results."] = "No results."; +$a->strings["Items tagged with: %s"] = "Items tagged with: %s"; +$a->strings["Results for: %s"] = "Results for: %s"; +$a->strings["Login"] = "Login"; +$a->strings["The post was created"] = "The post was created"; +$a->strings["Community option not available."] = "Community option not available."; +$a->strings["Not available."] = "Not available."; +$a->strings["Local Community"] = "Local community"; +$a->strings["Posts from local users on this server"] = "Posts from local users on this server"; +$a->strings["Global Community"] = "Global community"; +$a->strings["Posts from users of the whole federated network"] = "Posts from users of the whole federated network"; +$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."; +$a->strings["Item not found"] = "Item not found"; +$a->strings["Edit post"] = "Edit post"; +$a->strings["CC: email addresses"] = "CC: email addresses"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Example: bob@example.com, mary@example.com"; +$a->strings["You must be logged in to use this module"] = "You must be logged in to use this module"; +$a->strings["Source URL"] = "Source URL"; +$a->strings["Friend suggestion sent."] = "Friend suggestion sent"; +$a->strings["Suggest Friends"] = "Suggest friends"; +$a->strings["Suggest a friend for %s"] = "Suggest a friend for %s"; +$a->strings["Group created."] = "Group created."; +$a->strings["Could not create group."] = "Could not create group."; +$a->strings["Group not found."] = "Group not found."; +$a->strings["Group name changed."] = "Group name changed."; +$a->strings["Save Group"] = "Save group"; +$a->strings["Create a group of contacts/friends."] = "Create a group of contacts/friends."; +$a->strings["Group Name: "] = "Group name: "; +$a->strings["Group removed."] = "Group removed."; +$a->strings["Unable to remove group."] = "Unable to remove group."; +$a->strings["Delete Group"] = "Delete group"; +$a->strings["Group Editor"] = "Group Editor"; +$a->strings["Edit Group Name"] = "Edit group name"; +$a->strings["Members"] = "Members"; +$a->strings["All Contacts"] = "All contacts"; +$a->strings["Group is empty"] = "Group is empty"; +$a->strings["Remove Contact"] = "Remove contact"; +$a->strings["Add Contact"] = "Add contact"; +$a->strings["Unable to locate original post."] = "Unable to locate original post."; +$a->strings["Empty post discarded."] = "Empty post discarded."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "This message was sent to you by %s, a member of the Friendica social network."; +$a->strings["You may visit them online at %s"] = "You may visit them online at %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Please contact the sender by replying to this post if you do not wish to receive these messages."; +$a->strings["%s posted an update."] = "%s posted an update."; +$a->strings["New Message"] = "New Message"; +$a->strings["Unable to locate contact information."] = "Unable to locate contact information."; +$a->strings["Messages"] = "Messages"; +$a->strings["Do you really want to delete this message?"] = "Do you really want to delete this message?"; +$a->strings["Message deleted."] = "Message deleted."; +$a->strings["Conversation removed."] = "Conversation removed."; +$a->strings["No messages."] = "No messages."; +$a->strings["Message not available."] = "Message not available."; +$a->strings["Delete message"] = "Delete message"; +$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; +$a->strings["Delete conversation"] = "Delete conversation"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "No secure communications available. You may be able to respond from the sender's profile page."; +$a->strings["Send Reply"] = "Send reply"; +$a->strings["Unknown sender - %s"] = "Unknown sender - %s"; +$a->strings["You and %s"] = "Me and %s"; +$a->strings["%s and You"] = "%s and me"; +$a->strings["%d message"] = [ + 0 => "%d message", + 1 => "%d messages", +]; +$a->strings["add"] = "add"; +$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ + 0 => "Warning: This group contains %s member from a network that doesn't allow non public messages.", + 1 => "Warning: This group contains %s members from a network that doesn't allow non public messages.", +]; +$a->strings["Messages in this group won't be send to these receivers."] = "Messages in this group won't be send to these receivers."; +$a->strings["No such group"] = "No such group"; +$a->strings["Group: %s"] = "Group: %s"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Private messages to this person are at risk of public disclosure."; +$a->strings["Invalid contact."] = "Invalid contact."; +$a->strings["Commented Order"] = "Commented last"; +$a->strings["Sort by Comment Date"] = "Sort by comment date"; +$a->strings["Posted Order"] = "Posted last"; +$a->strings["Sort by Post Date"] = "Sort by post date"; +$a->strings["Personal"] = "Personal"; +$a->strings["Posts that mention or involve you"] = "Posts mentioning or involving me"; +$a->strings["New"] = "New"; +$a->strings["Activity Stream - by date"] = "Activity Stream - by date"; +$a->strings["Shared Links"] = "Shared links"; +$a->strings["Interesting Links"] = "Interesting links"; +$a->strings["Starred"] = "Starred"; +$a->strings["Favourite Posts"] = "My favorite posts"; +$a->strings["Personal Notes"] = "Personal notes"; +$a->strings["Post successful."] = "Post successful."; +$a->strings["Photo Albums"] = "Photo Albums"; +$a->strings["Recent Photos"] = "Recent photos"; +$a->strings["Upload New Photos"] = "Upload new photos"; +$a->strings["everybody"] = "everybody"; +$a->strings["Contact information unavailable"] = "Contact information unavailable"; +$a->strings["Album not found."] = "Album not found."; +$a->strings["Delete Album"] = "Delete album"; +$a->strings["Do you really want to delete this photo album and all its photos?"] = "Do you really want to delete this photo album and all its photos?"; +$a->strings["Delete Photo"] = "Delete photo"; +$a->strings["Do you really want to delete this photo?"] = "Do you really want to delete this photo?"; +$a->strings["a photo"] = "a photo"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s was tagged in %2\$s by %3\$s"; +$a->strings["Image upload didn't complete, please try again"] = "Image upload didn't complete, please try again"; +$a->strings["Image file is missing"] = "Image file is missing"; +$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = "Server can't accept new file upload at this time, please contact your administrator"; +$a->strings["Image file is empty."] = "Image file is empty."; +$a->strings["No photos selected"] = "No photos selected"; +$a->strings["Access to this item is restricted."] = "Access to this item is restricted."; +$a->strings["Upload Photos"] = "Upload photos"; +$a->strings["New album name: "] = "New album name: "; +$a->strings["or existing album name: "] = "or existing album name: "; +$a->strings["Do not show a status post for this upload"] = "Do not show a status post for this upload"; +$a->strings["Permissions"] = "Permissions"; +$a->strings["Show to Groups"] = "Show to groups"; +$a->strings["Show to Contacts"] = "Show to contacts"; +$a->strings["Edit Album"] = "Edit album"; +$a->strings["Show Newest First"] = "Show newest first"; +$a->strings["Show Oldest First"] = "Show oldest first"; +$a->strings["View Photo"] = "View photo"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Permission denied. Access to this item may be restricted."; +$a->strings["Photo not available"] = "Photo not available"; +$a->strings["View photo"] = "View photo"; +$a->strings["Edit photo"] = "Edit photo"; +$a->strings["Use as profile photo"] = "Use as profile photo"; +$a->strings["Private Message"] = "Private message"; +$a->strings["View Full Size"] = "View full size"; +$a->strings["Tags: "] = "Tags: "; +$a->strings["[Remove any tag]"] = "[Remove any tag]"; +$a->strings["New album name"] = "New album name"; +$a->strings["Caption"] = "Caption"; +$a->strings["Add a Tag"] = "Add Tag"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Example: @bob, @jojo@example.com, #California, #camping"; +$a->strings["Do not rotate"] = "Do not rotate"; +$a->strings["Rotate CW (right)"] = "Rotate right (CW)"; +$a->strings["Rotate CCW (left)"] = "Rotate left (CCW)"; +$a->strings["I like this (toggle)"] = "I like this (toggle)"; +$a->strings["I don't like this (toggle)"] = "I don't like this (toggle)"; +$a->strings["This is you"] = "This is me"; +$a->strings["Comment"] = "Comment"; +$a->strings["Map"] = "Map"; +$a->strings["View Album"] = "View album"; +$a->strings["Requested profile is not available."] = "Requested profile is unavailable."; +$a->strings["%s's posts"] = "%s's posts"; +$a->strings["%s's comments"] = "%s's comments"; +$a->strings["%s's timeline"] = "%s's timeline"; +$a->strings["Access to this profile has been restricted."] = "Access to this profile has been restricted."; +$a->strings["Tips for New Members"] = "Tips for New Members"; +$a->strings["Do you really want to delete this video?"] = "Do you really want to delete this video?"; +$a->strings["Delete Video"] = "Delete video"; +$a->strings["No videos selected"] = "No videos selected"; +$a->strings["Recent Videos"] = "Recent videos"; +$a->strings["Upload New Videos"] = "Upload new videos"; +$a->strings["Parent user not found."] = "Parent user not found."; +$a->strings["No parent user"] = "No parent user"; +$a->strings["Parent Password:"] = "Parent Password:"; +$a->strings["Please enter the password of the parent account to legitimize your request."] = "Please enter the password of the parent account to authorize this request."; +$a->strings["Parent User"] = "Parent user"; +$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Parent users have total control of this account, including core settings. Please double-check whom you grant such access."; +$a->strings["Save Settings"] = "Save settings"; +$a->strings["Delegate Page Management"] = "Delegate Page Management"; +$a->strings["Delegates"] = "Delegates"; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely."; +$a->strings["Existing Page Delegates"] = "Existing page delegates"; +$a->strings["Potential Delegates"] = "Potential delegates"; +$a->strings["Add"] = "Add"; +$a->strings["No entries."] = "No entries."; +$a->strings["People Search - %s"] = "People search - %s"; +$a->strings["Forum Search - %s"] = "Forum search - %s"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Communications Server - Setup"; +$a->strings["Could not connect to database."] = "Could not connect to database."; +$a->strings["Could not create table."] = "Could not create table."; +$a->strings["Your Friendica site database has been installed."] = "Your Friendica site database has been installed."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Please see the file \"INSTALL.txt\"."; +$a->strings["Database already in use."] = "Database already in use."; +$a->strings["System check"] = "System check"; +$a->strings["Next"] = "Next"; +$a->strings["Check again"] = "Check again"; +$a->strings["Database connection"] = "Database connection"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "In order to install Friendica we need to know how to connect to your database."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Please contact your hosting provider or site administrator if you have questions about these settings."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "The database you specify below should already exist. If it does not, please create it before continuing."; +$a->strings["Database Server Name"] = "Database server name"; +$a->strings["Database Login Name"] = "Database login name"; +$a->strings["Database Login Password"] = "Database login password"; +$a->strings["For security reasons the password must not be empty"] = "For security reasons the password must not be empty"; +$a->strings["Database Name"] = "Database name"; +$a->strings["Site administrator email address"] = "Site administrator email address"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Your account email address must match this in order to use the web admin panel."; +$a->strings["Please select a default timezone for your website"] = "Please select a default time zone for your website"; +$a->strings["Site settings"] = "Site settings"; +$a->strings["System Language:"] = "System language:"; +$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Set the default language for your Friendica installation interface and email communication."; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Could not find a command line version of PHP in the web server PATH."; +$a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = "If your server doesn't have a command line version of PHP installed, you won't be able to run background processing. See 'Setup the worker'"; +$a->strings["PHP executable path"] = "PHP executable path"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Enter full path to php executable. You can leave this blank to continue the installation."; +$a->strings["Command line PHP"] = "Command line PHP"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "PHP executable is not a php cli binary; it could possibly be a cgi-fgci version."; +$a->strings["Found PHP version: "] = "Found PHP version: "; +$a->strings["PHP cli binary"] = "PHP cli binary"; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "The command line version of PHP on your system does not have \"register_argc_argv\" enabled."; +$a->strings["This is required for message delivery to work."] = "This is required for message delivery to work."; +$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "If running under Windows OS, please see \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Generate encryption keys"; +$a->strings["libCurl PHP module"] = "libCurl PHP module"; +$a->strings["GD graphics PHP module"] = "GD graphics PHP module"; +$a->strings["OpenSSL PHP module"] = "OpenSSL PHP module"; +$a->strings["PDO or MySQLi PHP module"] = "PDO or MySQLi PHP module"; +$a->strings["mb_string PHP module"] = "mb_string PHP module"; +$a->strings["XML PHP module"] = "XML PHP module"; +$a->strings["iconv PHP module"] = "iconv PHP module"; +$a->strings["POSIX PHP module"] = "POSIX PHP module"; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: Apache web server mod-rewrite module is required but not installed."; +$a->strings["Error: libCURL PHP module required but not installed."] = "Error: libCURL PHP module required but not installed."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: GD graphics PHP module with JPEG support required but not installed."; +$a->strings["Error: openssl PHP module required but not installed."] = "Error: openssl PHP module required but not installed."; +$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = "Error: PDO or MySQLi PHP module required but not installed."; +$a->strings["Error: The MySQL driver for PDO is not installed."] = "Error: MySQL driver for PDO is not installed."; +$a->strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; +$a->strings["Error: iconv PHP module required but not installed."] = "Error: iconv PHP module required but not installed."; +$a->strings["Error: POSIX PHP module required but not installed."] = "Error: POSIX PHP module required but not installed."; +$a->strings["Error, XML PHP module required but not installed."] = "Error, XML PHP module required but not installed."; +$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so."; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can."; +$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top-level directory."; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternatively, you may skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php is writable"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."; +$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top-level directory."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Please ensure the user (e.g. www-data) that your web server runs as has write access to this directory."; +$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 is writable"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "URL rewrite in .htaccess is not working. Check your server configuration."; +$a->strings["Url rewrite is working"] = "URL rewrite is working"; +$a->strings["ImageMagick PHP extension is not installed"] = "ImageMagick PHP extension is not installed"; +$a->strings["ImageMagick PHP extension is installed"] = "ImageMagick PHP extension is installed"; +$a->strings["ImageMagick supports GIF"] = "ImageMagick supports GIF"; +$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."; +$a->strings["

What next

"] = "

What next

"; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "IMPORTANT: You will need to [manually] setup a scheduled task for the worker."; +$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = "Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."; +$a->strings["Subscribing to OStatus contacts"] = "Subscribing to OStatus contacts"; +$a->strings["No contact provided."] = "No contact provided."; +$a->strings["Couldn't fetch information for contact."] = "Couldn't fetch information for contact."; +$a->strings["Couldn't fetch friends for contact."] = "Couldn't fetch friends for contact."; +$a->strings["success"] = "success"; +$a->strings["failed"] = "failed"; +$a->strings["ignored"] = "Ignored"; +$a->strings["Contact wasn't found or can't be unfollowed."] = "Contact wasn't found or can't be unfollowed."; +$a->strings["Contact unfollowed"] = "Contact unfollowed"; +$a->strings["You aren't a friend of this contact."] = "You aren't a friend of this contact."; +$a->strings["Unfollowing is currently not supported by your network."] = "Unfollowing is currently not supported by your network."; +$a->strings["Disconnect/Unfollow"] = "Disconnect/Unfollow"; +$a->strings["Status Messages and Posts"] = "Status Messages and Posts"; +$a->strings["Events"] = "Events"; +$a->strings["View"] = "View"; +$a->strings["Previous"] = "Previous"; +$a->strings["today"] = "today"; +$a->strings["month"] = "month"; +$a->strings["week"] = "week"; +$a->strings["day"] = "day"; +$a->strings["list"] = "List"; +$a->strings["User not found"] = "User not found"; +$a->strings["This calendar format is not supported"] = "This calendar format is not supported"; +$a->strings["No exportable data found"] = "No exportable data found"; +$a->strings["calendar"] = "calendar"; +$a->strings["Event can not end before it has started."] = "Event cannot end before it has started."; +$a->strings["Event title and start time are required."] = "Event title and starting time are required."; +$a->strings["Create New Event"] = "Create new event"; +$a->strings["Event details"] = "Event details"; +$a->strings["Starting date and Title are required."] = "Starting date and title are required."; +$a->strings["Event Starts:"] = "Event starts:"; +$a->strings["Required"] = "Required"; +$a->strings["Finish date/time is not known or not relevant"] = "Finish date/time is not known or not relevant"; +$a->strings["Event Finishes:"] = "Event finishes:"; +$a->strings["Adjust for viewer timezone"] = "Adjust for viewer's time zone"; +$a->strings["Description:"] = "Description:"; +$a->strings["Title:"] = "Title:"; +$a->strings["Share this event"] = "Share this event"; +$a->strings["Basic"] = "Basic"; +$a->strings["Advanced"] = "Advanced"; +$a->strings["Failed to remove event"] = "Failed to remove event"; +$a->strings["Event removed"] = "Event removed"; +$a->strings["Image uploaded but image cropping failed."] = "Image uploaded but image cropping failed."; +$a->strings["Image size reduction [%s] failed."] = "Image size reduction [%s] failed."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Shift-reload the page or clear browser cache if the new photo does not display immediately."; +$a->strings["Unable to process image"] = "Unable to process image"; +$a->strings["Upload File:"] = "Upload File:"; +$a->strings["Select a profile:"] = "Select a profile:"; +$a->strings["or"] = "or"; +$a->strings["skip this step"] = "skip this step"; +$a->strings["select a photo from your photo albums"] = "select a photo from your photo albums"; +$a->strings["Crop Image"] = "Crop Image"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Please adjust the image cropping for optimum viewing."; +$a->strings["Done Editing"] = "Done editing"; +$a->strings["Image uploaded successfully."] = "Image uploaded successfully."; +$a->strings["Status:"] = "Status:"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["Global Directory"] = "Global Directory"; +$a->strings["Find on this site"] = "Find on this site"; +$a->strings["Results for:"] = "Results for:"; +$a->strings["Site Directory"] = "Site directory"; +$a->strings["Find"] = "Find"; +$a->strings["No entries (some entries may be hidden)."] = "No entries (entries may be hidden)."; +$a->strings["Source input"] = "Source input"; +$a->strings["BBCode::convert (raw HTML)"] = "BBCode::convert (raw HTML)"; +$a->strings["BBCode::convert"] = "BBCode::convert"; +$a->strings["BBCode::convert => HTML::toBBCode"] = "BBCode::convert => HTML::toBBCode"; +$a->strings["BBCode::toMarkdown"] = "BBCode::toMarkdown"; +$a->strings["BBCode::toMarkdown => Markdown::convert"] = "BBCode::toMarkdown => Markdown::convert"; +$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = "BBCode::toMarkdown => Markdown::toBBCode"; +$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"; +$a->strings["Source input \\x28Diaspora format\\x29"] = "Source input \\x28Diaspora format\\x29"; +$a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; +$a->strings["Raw HTML input"] = "Raw HTML input"; +$a->strings["HTML Input"] = "HTML input"; +$a->strings["HTML::toBBCode"] = "HTML::toBBCode"; +$a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; +$a->strings["Source text"] = "Source text"; +$a->strings["BBCode"] = "BBCode"; +$a->strings["Markdown"] = "Markdown"; +$a->strings["HTML"] = "HTML"; +$a->strings["The contact could not be added."] = "Contact could not be added."; +$a->strings["You already added this contact."] = "You already added this contact."; +$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora support isn't enabled. Contact can't be added."; +$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus support is disabled. Contact can't be added."; +$a->strings["The network type couldn't be detected. Contact can't be added."] = "The network type couldn't be detected. Contact can't be added."; $a->strings["Profile deleted."] = "Profile deleted."; $a->strings["Profile-"] = "Profile-"; $a->strings["New profile created."] = "New profile created."; @@ -583,7 +953,6 @@ $a->strings["Profile picture"] = "Profile picture"; $a->strings["Preferences"] = "Preferences"; $a->strings["Status information"] = "Status information"; $a->strings["Additional information"] = "Additional information"; -$a->strings["Personal"] = "Personal"; $a->strings["Relation"] = "Relation"; $a->strings["Miscellaneous"] = "Miscellaneous"; $a->strings["Your Gender:"] = "Gender:"; @@ -591,7 +960,6 @@ $a->strings[" Marital Status:"] = "strings["Sexual Preference:"] = "Sexual preference:"; $a->strings["Example: fishing photography software"] = "Example: fishing photography software"; $a->strings["Profile Name:"] = "Profile name:"; -$a->strings["Required"] = "Required"; $a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "This is your public profile.
It may be visible to anybody using the internet."; $a->strings["Your Full Name:"] = "My full name:"; $a->strings["Title/Description:"] = "Title/Description:"; @@ -631,11 +999,6 @@ $a->strings["visible to everybody"] = "Visible to everybody"; $a->strings["Edit/Manage Profiles"] = "Edit/Manage Profiles"; $a->strings["Change profile photo"] = "Change profile photo"; $a->strings["Create New Profile"] = "Create new profile"; -$a->strings["Invalid request."] = "Invalid request."; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Sorry, maybe your upload is bigger than the PHP configuration allows"; -$a->strings["Or - did you try to upload an empty file?"] = "Or did you try to upload an empty file?"; -$a->strings["File exceeds size limit of %s"] = "File exceeds size limit of %s"; -$a->strings["File upload failed."] = "File upload failed."; $a->strings["%d contact edited."] = [ 0 => "%d contact edited.", 1 => "%d contacts edited.", @@ -643,7 +1006,6 @@ $a->strings["%d contact edited."] = [ $a->strings["Could not access contact record."] = "Could not access contact record."; $a->strings["Could not locate selected profile."] = "Could not locate selected profile."; $a->strings["Contact updated."] = "Contact updated."; -$a->strings["Failed to update contact record."] = "Failed to update contact record."; $a->strings["Contact has been blocked"] = "Contact has been blocked"; $a->strings["Contact has been unblocked"] = "Contact has been unblocked"; $a->strings["Contact has been ignored"] = "Contact has been ignored"; @@ -700,7 +1062,6 @@ $a->strings["Status"] = "Status"; $a->strings["Contact Settings"] = "Notification and privacy "; $a->strings["Suggestions"] = "Suggestions"; $a->strings["Suggest potential friends"] = "Suggest potential friends"; -$a->strings["All Contacts"] = "All contacts"; $a->strings["Show all contacts"] = "Show all contacts"; $a->strings["Unblocked"] = "Unblocked"; $a->strings["Only show unblocked contacts"] = "Only show unblocked contacts"; @@ -713,8 +1074,6 @@ $a->strings["Only show archived contacts"] = "Only show archived contacts"; $a->strings["Hidden"] = "Hidden"; $a->strings["Only show hidden contacts"] = "Only show hidden contacts"; $a->strings["Search your contacts"] = "Search your contacts"; -$a->strings["Results for: %s"] = "Results for: %s"; -$a->strings["Find"] = "Find"; $a->strings["Update"] = "Update"; $a->strings["Archive"] = "Archive"; $a->strings["Unarchive"] = "Unarchive"; @@ -722,7 +1081,6 @@ $a->strings["Batch Actions"] = "Batch actions"; $a->strings["Profile Details"] = "Profile Details"; $a->strings["View all contacts"] = "View all contacts"; $a->strings["View all common friends"] = "View all common friends"; -$a->strings["Advanced"] = "Advanced"; $a->strings["Advanced Contact Settings"] = "Advanced contact settings"; $a->strings["Mutual Friendship"] = "Mutual friendship"; $a->strings["is a fan of yours"] = "is a fan of yours"; @@ -731,144 +1089,21 @@ $a->strings["Toggle Blocked status"] = "Toggle blocked status"; $a->strings["Toggle Ignored status"] = "Toggle ignored status"; $a->strings["Toggle Archive status"] = "Toggle archive status"; $a->strings["Delete contact"] = "Delete contact"; -$a->strings["No parent user"] = "No parent user"; -$a->strings["Parent User"] = "Parent user"; -$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = "Parent users have total control of this account, including core settings. Please double-check whom you grant such access."; -$a->strings["Save Settings"] = "Save settings"; -$a->strings["Delegate Page Management"] = "Delegate Page Management"; -$a->strings["Delegates"] = "Delegates"; -$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = "Delegates are able to manage all aspects of this account except for key setting features. Please do not delegate your personal account to anybody that you do not trust completely."; -$a->strings["Existing Page Managers"] = "Existing page managers"; -$a->strings["Existing Page Delegates"] = "Existing page delegates"; -$a->strings["Potential Delegates"] = "Potential delegates"; -$a->strings["Remove"] = "Remove"; -$a->strings["Add"] = "Add"; -$a->strings["No entries."] = "No entries."; -$a->strings["This introduction has already been accepted."] = "This introduction has already been accepted."; -$a->strings["Profile location is not valid or does not contain profile information."] = "Profile location is not valid or does not contain profile information."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Warning: profile location has no identifiable owner name."; -$a->strings["Warning: profile location has no profile photo."] = "Warning: profile location has no profile photo."; -$a->strings["%d required parameter was not found at the given location"] = [ - 0 => "%d required parameter was not found at the given location", - 1 => "%d required parameters were not found at the given location", -]; -$a->strings["Introduction complete."] = "Introduction complete."; -$a->strings["Unrecoverable protocol error."] = "Unrecoverable protocol error."; -$a->strings["Profile unavailable."] = "Profile unavailable."; -$a->strings["%s has received too many connection requests today."] = "%s has received too many connection requests today."; -$a->strings["Spam protection measures have been invoked."] = "Spam protection measures have been invoked."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Friends are advised to please try again in 24 hours."; -$a->strings["Invalid locator"] = "Invalid locator"; -$a->strings["You have already introduced yourself here."] = "You have already introduced yourself here."; -$a->strings["Apparently you are already friends with %s."] = "Apparently you are already friends with %s."; -$a->strings["Invalid profile URL."] = "Invalid profile URL."; -$a->strings["Disallowed profile URL."] = "Disallowed profile URL."; -$a->strings["Your introduction has been sent."] = "Your introduction has been sent."; -$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Remote subscription can't be done for your network. Please subscribe directly on your system."; -$a->strings["Please login to confirm introduction."] = "Please login to confirm introduction."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Incorrect identity currently logged in. Please login to this profile."; -$a->strings["Confirm"] = "Confirm"; -$a->strings["Hide this contact"] = "Hide this contact"; -$a->strings["Welcome home %s."] = "Welcome home %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Please confirm your introduction/connection request to %s."; -$a->strings["Public access denied."] = "Public access denied."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Please enter your 'Identity address' from one of the following supported communications networks:"; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "If you are not yet part of the free social web, follow this link to find a public Friendica site and join us today."; -$a->strings["Friend/Connection Request"] = "Friend/Connection request"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = "Examples: jojo@demo.friendi.ca, http://demo.friendi.ca/profile/jojo, user@gnusocial.de"; -$a->strings["Please answer the following:"] = "Please answer the following:"; -$a->strings["Does %s know you?"] = "Does %s know you?"; -$a->strings["Add a personal note:"] = "Add a personal note:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["GNU Social (Pleroma, Mastodon)"] = "GNU Social (Pleroma, Mastodon)"; -$a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla)"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - please do not use this form. Instead, enter %s into your Diaspora search bar."; -$a->strings["- select -"] = "- select -"; -$a->strings["The contact could not be added."] = "Contact could not be added."; -$a->strings["You already added this contact."] = "You already added this contact."; -$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora support isn't enabled. Contact can't be added."; -$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus support is disabled. Contact can't be added."; -$a->strings["The network type couldn't be detected. Contact can't be added."] = "The network type couldn't be detected. Contact can't be added."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Communications Server - Setup"; -$a->strings["Could not connect to database."] = "Could not connect to database."; -$a->strings["Could not create table."] = "Could not create table."; -$a->strings["Your Friendica site database has been installed."] = "Your Friendica site database has been installed."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Please see the file \"INSTALL.txt\"."; -$a->strings["Database already in use."] = "Database already in use."; -$a->strings["System check"] = "System check"; -$a->strings["Check again"] = "Check again"; -$a->strings["Database connection"] = "Database connection"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "In order to install Friendica we need to know how to connect to your database."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Please contact your hosting provider or site administrator if you have questions about these settings."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "The database you specify below should already exist. If it does not, please create it before continuing."; -$a->strings["Database Server Name"] = "Database server name"; -$a->strings["Database Login Name"] = "Database login name"; -$a->strings["Database Login Password"] = "Database login password"; -$a->strings["For security reasons the password must not be empty"] = "For security reasons the password must not be empty"; -$a->strings["Database Name"] = "Database name"; -$a->strings["Site administrator email address"] = "Site administrator email address"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Your account email address must match this in order to use the web admin panel."; -$a->strings["Please select a default timezone for your website"] = "Please select a default time zone for your website"; -$a->strings["Site settings"] = "Site settings"; -$a->strings["System Language:"] = "System language:"; -$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Set the default language for your Friendica installation interface and email communication."; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Could not find a command line version of PHP in the web server PATH."; -$a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = "If your server doesn't have a command line version of PHP installed, you won't be able to run background processing. See 'Setup the worker'"; -$a->strings["PHP executable path"] = "PHP executable path"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Enter full path to php executable. You can leave this blank to continue the installation."; -$a->strings["Command line PHP"] = "Command line PHP"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "PHP executable is not a php cli binary; it could possibly be a cgi-fgci version."; -$a->strings["Found PHP version: "] = "Found PHP version: "; -$a->strings["PHP cli binary"] = "PHP cli binary"; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "The command line version of PHP on your system does not have \"register_argc_argv\" enabled."; -$a->strings["This is required for message delivery to work."] = "This is required for message delivery to work."; -$a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "If running under Windows OS, please see \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Generate encryption keys"; -$a->strings["libCurl PHP module"] = "libCurl PHP module"; -$a->strings["GD graphics PHP module"] = "GD graphics PHP module"; -$a->strings["OpenSSL PHP module"] = "OpenSSL PHP module"; -$a->strings["PDO or MySQLi PHP module"] = "PDO or MySQLi PHP module"; -$a->strings["mb_string PHP module"] = "mb_string PHP module"; -$a->strings["XML PHP module"] = "XML PHP module"; -$a->strings["iconv module"] = "iconv module"; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Error: Apache web server mod-rewrite module is required but not installed."; -$a->strings["Error: libCURL PHP module required but not installed."] = "Error: libCURL PHP module required but not installed."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Error: GD graphics PHP module with JPEG support required but not installed."; -$a->strings["Error: openssl PHP module required but not installed."] = "Error: openssl PHP module required but not installed."; -$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = "Error: PDO or MySQLi PHP module required but not installed."; -$a->strings["Error: The MySQL driver for PDO is not installed."] = "Error: MySQL driver for PDO is not installed."; -$a->strings["Error: mb_string PHP module required but not installed."] = "Error: mb_string PHP module required but not installed."; -$a->strings["Error: iconv PHP module required but not installed."] = "Error: iconv PHP module required but not installed."; -$a->strings["Error, XML PHP module required but not installed."] = "Error, XML PHP module required but not installed."; -$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "The web installer needs to be able to create a file called \".htconfig.php\" in the top-level directory of your web server, but it is unable to do so."; -$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "This is most often a permission setting issue, as the web server may not be able to write files in your directory - even if you can."; -$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = "At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top-level directory."; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternatively, you may skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php is writable"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."; -$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = "In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top-level directory."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Please ensure the user (e.g. www-data) that your web server runs as has write access to this directory."; -$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = "Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 is writable"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "URL rewrite in .htaccess is not working. Check your server configuration."; -$a->strings["Url rewrite is working"] = "URL rewrite is working"; -$a->strings["ImageMagick PHP extension is not installed"] = "ImageMagick PHP extension is not installed"; -$a->strings["ImageMagick PHP extension is installed"] = "ImageMagick PHP extension is installed"; -$a->strings["ImageMagick supports GIF"] = "ImageMagick supports GIF"; -$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."; -$a->strings["

What next

"] = "

What next

"; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = "IMPORTANT: You will need to [manually] setup a scheduled task for the worker."; -$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = "Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."; -$a->strings["Time Conversion"] = "Time conversion"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica provides this service for sharing events with other networks and friends in unknown time zones."; -$a->strings["UTC time: %s"] = "UTC time: %s"; -$a->strings["Current timezone: %s"] = "Current time zone: %s"; -$a->strings["Converted localtime: %s"] = "Converted local time: %s"; -$a->strings["Please select your timezone:"] = "Please select your time zone:"; +$a->strings["Terms of Service"] = "Terms of Service"; +$a->strings["Privacy Statement"] = "Privacy Statement"; +$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = "At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."; +$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = "At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."; +$a->strings["This is Friendica, version"] = "This is Friendica, version"; +$a->strings["running at web location"] = "running at web location"; +$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = "Please visit Friendi.ca to learn more about the Friendica project."; +$a->strings["Bug reports and issues: please visit"] = "Bug reports and issues: please visit"; +$a->strings["the bugtracker at github"] = "the bugtracker at github"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"; +$a->strings["Installed addons/apps:"] = "Installed addons/apps:"; +$a->strings["No installed addons/apps"] = "No installed addons/apps"; +$a->strings["Read about the Terms of Service of this node."] = "Read about the Terms of Service of this node."; +$a->strings["On this server the following remote servers are blocked."] = "On this server the following remote servers are blocked."; +$a->strings["Reason for the block"] = "Reason for the block"; $a->strings["No valid account found."] = "No valid account found."; $a->strings["Password reset request issued. Check your email."] = "Password reset request issued. Please check your email."; $a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\n\t\tDear %1\$s,\n\t\t\tA request was received at \"%2\$s\" to reset your account password\n\t\tTo confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser's address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided; ignore or delete this email, as the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."; @@ -889,80 +1124,6 @@ $a->strings["Your password may be changed from the Settings page after $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"; $a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = "\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"; $a->strings["Your password has been changed at %s"] = "Your password has been changed at %s"; -$a->strings["No more system notifications."] = "No more system notifications."; -$a->strings["{0} wants to be your friend"] = "{0} wants to be your friend"; -$a->strings["{0} sent you a message"] = "{0} sent you a message"; -$a->strings["{0} requested registration"] = "{0} requested registration"; -$a->strings["Poke/Prod"] = "Poke/Prod"; -$a->strings["poke, prod or do other things to somebody"] = "Poke, prod or do other things to somebody"; -$a->strings["Recipient"] = "Recipient:"; -$a->strings["Choose what you wish to do to recipient"] = "Choose what you wish to do:"; -$a->strings["Make this post private"] = "Make this post private"; -$a->strings["Only logged in users are permitted to perform a probing."] = "Only logged in users are permitted to perform a probing."; -$a->strings["Image uploaded but image cropping failed."] = "Image uploaded but image cropping failed."; -$a->strings["Image size reduction [%s] failed."] = "Image size reduction [%s] failed."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Shift-reload the page or clear browser cache if the new photo does not display immediately."; -$a->strings["Unable to process image"] = "Unable to process image"; -$a->strings["Image exceeds size limit of %s"] = "Image exceeds size limit of %s"; -$a->strings["Unable to process image."] = "Unable to process image."; -$a->strings["Upload File:"] = "Upload File:"; -$a->strings["Select a profile:"] = "Select a profile:"; -$a->strings["or"] = "or"; -$a->strings["skip this step"] = "skip this step"; -$a->strings["select a photo from your photo albums"] = "select a photo from your photo albums"; -$a->strings["Crop Image"] = "Crop Image"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Please adjust the image cropping for optimum viewing."; -$a->strings["Done Editing"] = "Done editing"; -$a->strings["Image uploaded successfully."] = "Image uploaded successfully."; -$a->strings["Image upload failed."] = "Image upload failed."; -$a->strings["Permission denied"] = "Permission denied"; -$a->strings["Invalid profile identifier."] = "Invalid profile identifier."; -$a->strings["Profile Visibility Editor"] = "Profile Visibility Editor"; -$a->strings["Click on a contact to add or remove."] = "Click on a contact to add or remove."; -$a->strings["Visible To"] = "Visible to"; -$a->strings["All Contacts (with secure profile access)"] = "All contacts with secure profile access"; -$a->strings["Account approved."] = "Account approved."; -$a->strings["Registration revoked for %s"] = "Registration revoked for %s"; -$a->strings["Please login."] = "Please login."; -$a->strings["Remove My Account"] = "Remove My Account"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "This will completely remove your account. Once this has been done it is not recoverable."; -$a->strings["Please enter your password for verification:"] = "Please enter your password for verification:"; -$a->strings["Remove term"] = "Remove term"; -$a->strings["Saved Searches"] = "Saved searches"; -$a->strings["Only logged in users are permitted to perform a search."] = "Only logged in users are permitted to perform a search."; -$a->strings["Too Many Requests"] = "Too many requests"; -$a->strings["Only one search per minute is permitted for not logged in users."] = "Only one search per minute is permitted for not logged in users."; -$a->strings["No results."] = "No results."; -$a->strings["Items tagged with: %s"] = "Items tagged with: %s"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s is following %2\$s's %3\$s"; -$a->strings["Tag removed"] = "Tag removed"; -$a->strings["Remove Item Tag"] = "Remove Item tag"; -$a->strings["Select a tag to remove: "] = "Select a tag to remove: "; -$a->strings["Export account"] = "Export account"; -$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = "Export your account info and contacts. Use this to backup your account or to move it to another server."; -$a->strings["Export all"] = "Export all"; -$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = "Export your account info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"; -$a->strings["Export personal data"] = "Export personal data"; -$a->strings["No contacts."] = "No contacts."; -$a->strings["Access denied."] = "Access denied."; -$a->strings["Wall Photos"] = "Wall photos"; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Number of daily wall messages for %s exceeded. Message failed."; -$a->strings["No recipient selected."] = "No recipient selected."; -$a->strings["Unable to check your home location."] = "Unable to check your home location."; -$a->strings["Message could not be sent."] = "Message could not be sent."; -$a->strings["Message collection failure."] = "Message collection failure."; -$a->strings["Message sent."] = "Message sent."; -$a->strings["No recipient."] = "No recipient."; -$a->strings["Send Private Message"] = "Send private message"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."; -$a->strings["To:"] = "To:"; -$a->strings["Subject:"] = "Subject:"; -$a->strings["Unable to locate original post."] = "Unable to locate original post."; -$a->strings["Empty post discarded."] = "Empty post discarded."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "This message was sent to you by %s, a member of the Friendica social network."; -$a->strings["You may visit them online at %s"] = "You may visit them online at %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Please contact the sender by replying to this post if you do not wish to receive these messages."; -$a->strings["%s posted an update."] = "%s posted an update."; $a->strings["Registration successful. Please check your email for further instructions."] = "Registration successful. Please check your email for further instructions."; $a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = "Failed to send email message. Here your account details:
login: %s
password: %s

You can change your password after login."; $a->strings["Registration successful."] = "Registration successful."; @@ -1012,11 +1173,17 @@ $a->strings["check webfinger"] = "Check webfinger"; $a->strings["Admin"] = "Admin"; $a->strings["Addon Features"] = "Addon features"; $a->strings["User registrations waiting for confirmation"] = "User registrations awaiting confirmation"; +$a->strings["Administration"] = "Administration"; +$a->strings["Display Terms of Service"] = "Display Terms of Service"; +$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = "Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."; +$a->strings["Display Privacy Statement"] = "Display Privacy Statement"; +$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = "Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."; +$a->strings["The Terms of Service"] = "Terms of Service"; +$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = "Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] or less."; $a->strings["The blocked domain"] = "Blocked domain"; $a->strings["The reason why you blocked this domain."] = "Reason why you blocked this domain."; $a->strings["Delete domain"] = "Delete domain"; $a->strings["Check to delete this entry from the blocklist"] = "Check to delete this entry from the blocklist"; -$a->strings["Administration"] = "Administration"; $a->strings["This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."] = "This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."; $a->strings["The list of blocked servers will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = "The list of blocked servers will publicly available on the Friendica page so that your users and people investigating communication problems can readily find the reason."; $a->strings["Add new entry to block list"] = "Add new entry to block list"; @@ -1067,9 +1234,9 @@ $a->strings["Network"] = "Network"; $a->strings["Created"] = "Created"; $a->strings["Last Tried"] = "Last Tried"; $a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = "This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."; -$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php scripts/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
"] = "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB, because Friendica will use InnoDB only features in the future. See here for a guide that may be helpful converting the table engines. You may also use the command php scripts/dbstructure.php toinnodb of your Friendica installation for an automatic conversion.
"; +$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = "Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"; $a->strings["There is a new version of Friendica available for download. Your current version is %1\$s, upstream version is %2\$s"] = "A new Friendica version is available now. Your current version is %1\$s, upstream version is %2\$s"; -$a->strings["The database update failed. Please run \"php scripts/dbstructure.php update\" from the command line and have a look at the errors that might appear."] = "The database update failed. Please run \"php scripts/dbstructure.php update\" from the command line; check logs for errors."; +$a->strings["The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and have a look at the errors that might appear."] = "The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and check for errors that may appear."; $a->strings["The worker was never executed. Please check your database structure!"] = "The worker process has never been executed. Please check your database structure!"; $a->strings["The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings."] = "The last worker process started at %s UTC. This is more than one hour ago. Please adjust your crontab settings."; $a->strings["Normal Account"] = "Standard account"; @@ -1113,6 +1280,7 @@ $a->strings["Policies"] = "Policies"; $a->strings["Auto Discovered Contact Directory"] = "Auto-discovered contact directory"; $a->strings["Performance"] = "Performance"; $a->strings["Worker"] = "Worker"; +$a->strings["Message Relay"] = "Message relay"; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Relocate - Warning, advanced function: This could make this server unreachable."; $a->strings["Site name"] = "Site name"; $a->strings["Host name"] = "Host name"; @@ -1148,7 +1316,7 @@ $a->strings["Register policy"] = "Registration policy"; $a->strings["Maximum Daily Registrations"] = "Maximum daily registrations"; $a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = "If open registration is permitted, this sets the maximum number of new registrations per day. This setting has no effect for registrations by approval."; $a->strings["Register text"] = "Registration text"; -$a->strings["Will be displayed prominently on the registration page."] = "Will be displayed prominently on the registration page."; +$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = "Will be displayed prominently on the registration page. You may use BBCode here."; $a->strings["Accounts abandoned after x days"] = "Accounts abandoned after so many days"; $a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Will not waste system resources polling external sites for abandoned accounts. Enter 0 for no time limit."; $a->strings["Allowed friend domains"] = "Allowed friend domains"; @@ -1245,6 +1413,7 @@ $a->strings["New base url"] = "New base URL"; $a->strings["Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."] = "Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."; $a->strings["RINO Encryption"] = "RINO Encryption"; $a->strings["Encryption layer between nodes."] = "Encryption layer between nodes."; +$a->strings["Enabled"] = "Enabled"; $a->strings["Maximum number of parallel workers"] = "Maximum number of parallel workers"; $a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = "On shared hosts set this to 2. On larger systems, values of 10 are great. Default value is 4."; $a->strings["Don't use 'proc_open' with the worker"] = "Don't use 'proc_open' with the worker"; @@ -1253,6 +1422,20 @@ $a->strings["Enable fastlane"] = "Enable fast-lane"; $a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = "The fast-lane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."; $a->strings["Enable frontend worker"] = "Enable frontend worker"; $a->strings["When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = "When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."; +$a->strings["Subscribe to relay"] = "Subscribe to relay"; +$a->strings["Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page."] = "Receive public posts from the specified relay. Post will be included in searches, subscribed tags and on the global community page."; +$a->strings["Relay server"] = "Relay server"; +$a->strings["Address of the relay server where public posts should be send to. For example https://relay.diasp.org"] = "Address of the relay server where public posts should be send to. For example https://relay.diasp.org"; +$a->strings["Direct relay transfer"] = "Direct relay transfer"; +$a->strings["Enables the direct transfer to other servers without using the relay servers"] = "Enables direct transfer to other servers without using a relay server."; +$a->strings["Relay scope"] = "Relay scope"; +$a->strings["Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."] = "Set to 'all' or 'tags'. 'all' means receive every public post; 'tags' receive public posts only with specified tags."; +$a->strings["all"] = "all"; +$a->strings["tags"] = "tags"; +$a->strings["Server tags"] = "Server tags"; +$a->strings["Comma separated list of tags for the 'tags' subscription."] = "Comma separated tags for subscription."; +$a->strings["Allow user tags"] = "Allow user tags"; +$a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = "Use user-generated tags from saved searches for 'tags' subscription in addition to 'relay_server_tags'."; $a->strings["Update has been marked successful"] = "Update has been marked successful"; $a->strings["Database structure update %s was successfully applied."] = "Database structure update %s was successfully applied."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Executing of database structure update %s failed with error: %s"; @@ -1267,7 +1450,7 @@ $a->strings["This does not include updates prior to 1139, which did not return a $a->strings["Mark success (if update was manually applied)"] = "Mark success (if update was manually applied)"; $a->strings["Attempt to execute this update step automatically"] = "Attempt to execute this update step automatically"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThe administrator of %2\$s has set up an account for you."; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."] = "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, this may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."; $a->strings["Registration details for %s"] = "Registration details for %s"; $a->strings["%s user blocked/unblocked"] = [ 0 => "%s user blocked/unblocked", @@ -1333,166 +1516,6 @@ $a->strings["Off"] = "Off"; $a->strings["On"] = "On"; $a->strings["Lock feature %s"] = "Lock feature %s"; $a->strings["Manage Additional Features"] = "Manage additional features"; -$a->strings["Source (bbcode) text:"] = "Source (bbcode) text:"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Source (Diaspora) text to convert to BBcode:"; -$a->strings["Source input: "] = "Source input: "; -$a->strings["bbcode (raw HTML(: "] = "bbcode (raw HTML(: "; -$a->strings["bbcode: "] = "bbcode: "; -$a->strings["bbcode => html2bbcode: "] = "bbcode => html2bbcode: "; -$a->strings["bb2diaspora: "] = "bb2diaspora: "; -$a->strings["bb2diaspora => Markdown: "] = "bb2diaspora => Markdown: "; -$a->strings["bb2diaspora => diaspora2bb: "] = "bb2diaspora => diaspora2bb: "; -$a->strings["Source input (Diaspora format): "] = "Source input (Diaspora format): "; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Login"] = "Login"; -$a->strings["The post was created"] = "The post was created"; -$a->strings["Community option not available."] = "Community option not available."; -$a->strings["Not available."] = "Not available."; -$a->strings["Local Community"] = "Local community"; -$a->strings["Posts from local users on this server"] = "Posts from local users on this server"; -$a->strings["Global Community"] = "Global community"; -$a->strings["Posts from users of the whole federated network"] = "Posts from users of the whole federated network"; -$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."; -$a->strings["Status:"] = "Status:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["Global Directory"] = "Global Directory"; -$a->strings["Find on this site"] = "Find on this site"; -$a->strings["Results for:"] = "Results for:"; -$a->strings["Site Directory"] = "Site directory"; -$a->strings["No entries (some entries may be hidden)."] = "No entries (entries may be hidden)."; -$a->strings["Item not found"] = "Item not found"; -$a->strings["Edit post"] = "Edit post"; -$a->strings["Event can not end before it has started."] = "Event cannot end before it has started."; -$a->strings["Event title and start time are required."] = "Event title and starting time are required."; -$a->strings["Create New Event"] = "Create new event"; -$a->strings["Event details"] = "Event details"; -$a->strings["Starting date and Title are required."] = "Starting date and title are required."; -$a->strings["Event Starts:"] = "Event starts:"; -$a->strings["Finish date/time is not known or not relevant"] = "Finish date/time is not known or not relevant"; -$a->strings["Event Finishes:"] = "Event finishes:"; -$a->strings["Adjust for viewer timezone"] = "Adjust for viewer's time zone"; -$a->strings["Description:"] = "Description:"; -$a->strings["Title:"] = "Title:"; -$a->strings["Share this event"] = "Share this event"; -$a->strings["Basic"] = "Basic"; -$a->strings["Failed to remove event"] = "Failed to remove event"; -$a->strings["Event removed"] = "Event removed"; -$a->strings["Friend suggestion sent."] = "Friend suggestion sent"; -$a->strings["Suggest Friends"] = "Suggest friends"; -$a->strings["Suggest a friend for %s"] = "Suggest a friend for %s"; -$a->strings["Group created."] = "Group created."; -$a->strings["Could not create group."] = "Could not create group."; -$a->strings["Group not found."] = "Group not found."; -$a->strings["Group name changed."] = "Group name changed."; -$a->strings["Save Group"] = "Save group"; -$a->strings["Create a group of contacts/friends."] = "Create a group of contacts/friends."; -$a->strings["Group Name: "] = "Group name: "; -$a->strings["Group removed."] = "Group removed."; -$a->strings["Unable to remove group."] = "Unable to remove group."; -$a->strings["Delete Group"] = "Delete group"; -$a->strings["Group Editor"] = "Group Editor"; -$a->strings["Edit Group Name"] = "Edit group name"; -$a->strings["Members"] = "Members"; -$a->strings["Group is empty"] = "Group is empty"; -$a->strings["Remove Contact"] = "Remove contact"; -$a->strings["Add Contact"] = "Add contact"; -$a->strings["New Message"] = "New Message"; -$a->strings["Unable to locate contact information."] = "Unable to locate contact information."; -$a->strings["Messages"] = "Messages"; -$a->strings["Do you really want to delete this message?"] = "Do you really want to delete this message?"; -$a->strings["Message deleted."] = "Message deleted."; -$a->strings["Conversation removed."] = "Conversation removed."; -$a->strings["No messages."] = "No messages."; -$a->strings["Message not available."] = "Message not available."; -$a->strings["Delete message"] = "Delete message"; -$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; -$a->strings["Delete conversation"] = "Delete conversation"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "No secure communications available. You may be able to respond from the sender's profile page."; -$a->strings["Send Reply"] = "Send reply"; -$a->strings["Unknown sender - %s"] = "Unknown sender - %s"; -$a->strings["You and %s"] = "Me and %s"; -$a->strings["%s and You"] = "%s and me"; -$a->strings["%d message"] = [ - 0 => "%d message", - 1 => "%d messages", -]; -$a->strings["add"] = "add"; -$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ - 0 => "Warning: This group contains %s member from a network that doesn't allow non public messages.", - 1 => "Warning: This group contains %s members from a network that doesn't allow non public messages.", -]; -$a->strings["Messages in this group won't be send to these receivers."] = "Messages in this group won't be send to these receivers."; -$a->strings["No such group"] = "No such group"; -$a->strings["Group: %s"] = "Group: %s"; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Private messages to this person are at risk of public disclosure."; -$a->strings["Invalid contact."] = "Invalid contact."; -$a->strings["Commented Order"] = "Commented last"; -$a->strings["Sort by Comment Date"] = "Sort by comment date"; -$a->strings["Posted Order"] = "Posted last"; -$a->strings["Sort by Post Date"] = "Sort by post date"; -$a->strings["Posts that mention or involve you"] = "Posts mentioning or involving me"; -$a->strings["New"] = "New"; -$a->strings["Activity Stream - by date"] = "Activity Stream - by date"; -$a->strings["Shared Links"] = "Shared links"; -$a->strings["Interesting Links"] = "Interesting links"; -$a->strings["Starred"] = "Starred"; -$a->strings["Favourite Posts"] = "My favorite posts"; -$a->strings["Personal Notes"] = "Personal notes"; -$a->strings["Photo Albums"] = "Photo Albums"; -$a->strings["Recent Photos"] = "Recent photos"; -$a->strings["Upload New Photos"] = "Upload new photos"; -$a->strings["everybody"] = "everybody"; -$a->strings["Contact information unavailable"] = "Contact information unavailable"; -$a->strings["Album not found."] = "Album not found."; -$a->strings["Delete Album"] = "Delete album"; -$a->strings["Do you really want to delete this photo album and all its photos?"] = "Do you really want to delete this photo album and all its photos?"; -$a->strings["Delete Photo"] = "Delete photo"; -$a->strings["Do you really want to delete this photo?"] = "Do you really want to delete this photo?"; -$a->strings["a photo"] = "a photo"; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s was tagged in %2\$s by %3\$s"; -$a->strings["Image upload didn't complete, please try again"] = "Image upload didn't complete, please try again"; -$a->strings["Image file is missing"] = "Image file is missing"; -$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = "Server can't accept new file upload at this time, please contact your administrator"; -$a->strings["Image file is empty."] = "Image file is empty."; -$a->strings["No photos selected"] = "No photos selected"; -$a->strings["Access to this item is restricted."] = "Access to this item is restricted."; -$a->strings["Upload Photos"] = "Upload photos"; -$a->strings["New album name: "] = "New album name: "; -$a->strings["or existing album name: "] = "or existing album name: "; -$a->strings["Do not show a status post for this upload"] = "Do not show a status post for this upload"; -$a->strings["Show to Groups"] = "Show to groups"; -$a->strings["Show to Contacts"] = "Show to contacts"; -$a->strings["Edit Album"] = "Edit album"; -$a->strings["Show Newest First"] = "Show newest first"; -$a->strings["Show Oldest First"] = "Show oldest first"; -$a->strings["View Photo"] = "View photo"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Permission denied. Access to this item may be restricted."; -$a->strings["Photo not available"] = "Photo not available"; -$a->strings["View photo"] = "View photo"; -$a->strings["Edit photo"] = "Edit photo"; -$a->strings["Use as profile photo"] = "Use as profile photo"; -$a->strings["Private Message"] = "Private message"; -$a->strings["View Full Size"] = "View full size"; -$a->strings["Tags: "] = "Tags: "; -$a->strings["[Remove any tag]"] = "[Remove any tag]"; -$a->strings["New album name"] = "New album name"; -$a->strings["Caption"] = "Caption"; -$a->strings["Add a Tag"] = "Add Tag"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Example: @bob, @jojo@example.com, #California, #camping"; -$a->strings["Do not rotate"] = "Do not rotate"; -$a->strings["Rotate CW (right)"] = "Rotate right (CW)"; -$a->strings["Rotate CCW (left)"] = "Rotate left (CCW)"; -$a->strings["I like this (toggle)"] = "I like this (toggle)"; -$a->strings["I don't like this (toggle)"] = "I don't like this (toggle)"; -$a->strings["This is you"] = "This is me"; -$a->strings["Comment"] = "Comment"; -$a->strings["Map"] = "Map"; -$a->strings["View Album"] = "View album"; -$a->strings["Requested profile is not available."] = "Requested profile is unavailable."; -$a->strings["%s's posts"] = "%s's posts"; -$a->strings["%s's comments"] = "%s's comments"; -$a->strings["%s's timeline"] = "%s's timeline"; -$a->strings["Tips for New Members"] = "Tips for New Members"; $a->strings["Display"] = "Display"; $a->strings["Social Networks"] = "Social networks"; $a->strings["Delegations"] = "Delegations"; @@ -1505,6 +1528,7 @@ $a->strings["Features updated"] = "Features updated"; $a->strings["Relocate message has been send to your contacts"] = "Relocate message has been send to your contacts"; $a->strings["Passwords do not match. Password unchanged."] = "Passwords do not match. Password unchanged."; $a->strings["Empty passwords are not allowed. Password unchanged."] = "Empty passwords are not allowed. Password unchanged."; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = "The new password has been exposed in a public data dump; please choose another."; $a->strings["Wrong password."] = "Wrong password."; $a->strings["Password changed."] = "Password changed."; $a->strings["Password update failed. Please try again."] = "Password update failed. Please try again."; @@ -1537,6 +1561,8 @@ $a->strings["Built-in support for %s connectivity is %s"] = "Built-in support fo $a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; $a->strings["Email access is disabled on this site."] = "Email access is disabled on this site."; $a->strings["General Social Media Settings"] = "General Social Media Settings"; +$a->strings["Disable Content Warning"] = "Disable content warning"; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = "Users on networks like Mastodon or Pleroma are able to set a content warning field which collapses their post by default. This disables the automatic collapsing and sets the content warning as the post title. It doesn't affect any other content filtering you may set up."; $a->strings["Disable intelligent shortening"] = "Disable intelligent shortening"; $a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = "Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original Friendica post."; $a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = "Automatically follow any GNU Social (OStatus) followers/mentioners"; @@ -1566,7 +1592,7 @@ $a->strings["Display Settings"] = "Display Settings"; $a->strings["Display Theme:"] = "Display theme:"; $a->strings["Mobile Theme:"] = "Mobile theme:"; $a->strings["Suppress warning of insecure networks"] = "Suppress warning of insecure networks"; -$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = "Suppresses warnings if groups contains members whose networks that cannot receive non-public postings."; +$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = "Suppresses warnings if groups contains members whose networks cannot receive non-public postings."; $a->strings["Update browser every xx seconds"] = "Update browser every so many seconds:"; $a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = "Minimum 10 seconds; to disable -1."; $a->strings["Number of items to display per page:"] = "Number of items displayed per page:"; @@ -1649,14 +1675,14 @@ $a->strings["Full Name:"] = "Full name:"; $a->strings["Email Address:"] = "Email address:"; $a->strings["Your Timezone:"] = "Time zone:"; $a->strings["Your Language:"] = "Language:"; -$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Set the language of your Friendica interface and emails receiving"; +$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Set the language of your Friendica interface and emails sent to you."; $a->strings["Default Post Location:"] = "Posting location:"; $a->strings["Use Browser Location:"] = "Use browser location:"; $a->strings["Security and Privacy Settings"] = "Security and privacy"; $a->strings["Maximum Friend Requests/Day:"] = "Maximum friend requests per day:"; $a->strings["(to prevent spam abuse)"] = "May prevent spam or abuse registrations"; $a->strings["Default Post Permissions"] = "Default post permissions"; -$a->strings["(click to open/close)"] = "(click to open/close)"; +$a->strings["(click to open/close)"] = "(reveal/hide)"; $a->strings["Default Private Post"] = "Default private post"; $a->strings["Default Public Post"] = "Default public post"; $a->strings["Default Permissions for New Posts"] = "Default permissions for new posts"; @@ -1680,80 +1706,22 @@ $a->strings["Show desktop popup on new notifications"] = "Show desktop pop-up on $a->strings["Text-only notification emails"] = "Text-only notification emails"; $a->strings["Send text only notification emails, without the html part"] = "Receive text only emails without HTML "; $a->strings["Show detailled notifications"] = "Show detailled notifications"; -$a->strings["Per default the notificiation are condensed to a single notification per item. When enabled, every notification is displayed."] = "Per default the notificiation are condensed to a single notification per item. When enabled, every notification is displayed."; +$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = "By default, notifications are condensed into a single notification for each item. When enabled, every notification is displayed."; $a->strings["Advanced Account/Page Type Settings"] = "Advanced account types"; $a->strings["Change the behaviour of this account for special situations"] = "Change behaviour of this account for special situations"; $a->strings["Relocate"] = "Recent relocation"; $a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = "If you have moved this profile from another server and some of your contacts don't receive your updates:"; $a->strings["Resend relocate message to contacts"] = "Resend relocation message to contacts"; -$a->strings["Do you really want to delete this video?"] = "Do you really want to delete this video?"; -$a->strings["Delete Video"] = "Delete video"; -$a->strings["No videos selected"] = "No videos selected"; -$a->strings["Recent Videos"] = "Recent videos"; -$a->strings["Upload New Videos"] = "Upload new videos"; -$a->strings["default"] = "default"; -$a->strings["greenzero"] = "greenzero"; -$a->strings["purplezero"] = "purplezero"; -$a->strings["easterbunny"] = "easterbunny"; -$a->strings["darkzero"] = "darkzero"; -$a->strings["comix"] = "comix"; -$a->strings["slackr"] = "slackr"; -$a->strings["Variations"] = "Variations"; -$a->strings["Repeat the image"] = "Repeat the image"; -$a->strings["Will repeat your image to fill the background."] = "Will repeat your image to fill the background."; -$a->strings["Stretch"] = "Stretch"; -$a->strings["Will stretch to width/height of the image."] = "Will stretch to width/height of the image."; -$a->strings["Resize fill and-clip"] = "Resize fill and-clip"; -$a->strings["Resize to fill and retain aspect ratio."] = "Resize to fill and retain aspect ratio."; -$a->strings["Resize best fit"] = "Resize to best fit"; -$a->strings["Resize to best fit and retain aspect ratio."] = "Resize to best fit and retain aspect ratio."; -$a->strings["Default"] = "Default"; -$a->strings["Note"] = "Note"; -$a->strings["Check image permissions if all users are allowed to visit the image"] = "Check image permissions if all users are allowed to visit the image"; -$a->strings["Select scheme"] = "Select scheme:"; -$a->strings["Navigation bar background color"] = "Navigation bar background color:"; -$a->strings["Navigation bar icon color "] = "Navigation bar icon color:"; -$a->strings["Link color"] = "Link color:"; -$a->strings["Set the background color"] = "Background color:"; -$a->strings["Content background opacity"] = "Content background opacity"; -$a->strings["Set the background image"] = "Background image:"; -$a->strings["Login page background image"] = "Login page background image"; -$a->strings["Login page background color"] = "Login page background color"; -$a->strings["Leave background image and color empty for theme defaults"] = "Leave background image and color empty for theme defaults"; -$a->strings["Guest"] = "Guest"; -$a->strings["Visitor"] = "Visitor"; -$a->strings["Logout"] = "Logout"; -$a->strings["End this session"] = "End this session"; -$a->strings["Your posts and conversations"] = "My posts and conversations"; -$a->strings["Your profile page"] = "My profile page"; -$a->strings["Your photos"] = "My photos"; -$a->strings["Videos"] = "Videos"; -$a->strings["Your videos"] = "My videos"; -$a->strings["Your events"] = "My events"; -$a->strings["Conversations from your friends"] = "My friends' conversations"; -$a->strings["Events and Calendar"] = "Events and calendar"; -$a->strings["Private mail"] = "Private messages"; -$a->strings["Account settings"] = "Account settings"; -$a->strings["Manage/edit friends and contacts"] = "Manage/Edit friends and contacts"; -$a->strings["Alignment"] = "Alignment"; -$a->strings["Left"] = "Left"; -$a->strings["Center"] = "Center"; -$a->strings["Color scheme"] = "Color scheme"; -$a->strings["Posts font size"] = "Posts font size"; -$a->strings["Textareas font size"] = "Text areas font size"; -$a->strings["Comma separated list of helper forums"] = "Comma separated list of helper forums"; -$a->strings["Set style"] = "Set style"; -$a->strings["Community Pages"] = "Community pages"; -$a->strings["Community Profiles"] = "Community profiles"; -$a->strings["Help or @NewHere ?"] = "Help or @NewHere ?"; -$a->strings["Connect Services"] = "Connect services"; -$a->strings["Find Friends"] = "Find friends"; -$a->strings["Last users"] = "Last users"; -$a->strings["Local Directory"] = "Local directory"; -$a->strings["Similar Interests"] = "Similar interests"; -$a->strings["Invite Friends"] = "Invite friends"; -$a->strings["External link to forum"] = "External link to forum"; -$a->strings["Quick Start"] = "Quick start"; +$a->strings["Error decoding account file"] = "Error decoding account file"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Error! No version data in file! Is this a Friendica account file?"; +$a->strings["User '%s' already exists on this server!"] = "User '%s' already exists on this server!"; +$a->strings["User creation error"] = "User creation error"; +$a->strings["User profile creation error"] = "User profile creation error"; +$a->strings["%d contact not imported"] = [ + 0 => "%d contact not imported", + 1 => "%d contacts not imported", +]; +$a->strings["Done. You can now login with your username and password"] = "Done. You can now login with your username and password"; $a->strings["System"] = "System"; $a->strings["Home"] = "Home"; $a->strings["Introductions"] = "Introductions"; @@ -1768,16 +1736,13 @@ $a->strings["%s is now friends with %s"] = "%s is now friends with %s"; $a->strings["Friend Suggestion"] = "Friend suggestion"; $a->strings["Friend/Connect Request"] = "Friend/Contact request"; $a->strings["New Follower"] = "New follower"; -$a->strings["Error decoding account file"] = "Error decoding account file"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Error! No version data in file! Is this a Friendica account file?"; -$a->strings["User '%s' already exists on this server!"] = "User '%s' already exists on this server!"; -$a->strings["User creation error"] = "User creation error"; -$a->strings["User profile creation error"] = "User profile creation error"; -$a->strings["%d contact not imported"] = [ - 0 => "%d contact not imported", - 1 => "%d contacts not imported", -]; -$a->strings["Done. You can now login with your username and password"] = "Done. You can now login with your username and password"; +$a->strings["Post to Email"] = "Post to email"; +$a->strings["Hide your profile details from unknown viewers?"] = "Hide profile details from unknown viewers?"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connectors are disabled since \"%s\" is enabled."; +$a->strings["Visible to everybody"] = "Visible to everybody"; +$a->strings["show"] = "show"; +$a->strings["don't show"] = "don't show"; +$a->strings["Close"] = "Close"; $a->strings["Birthday:"] = "Birthday:"; $a->strings["YYYY-MM-DD or MM-DD"] = "YYYY-MM-DD or MM-DD"; $a->strings["never"] = "never"; @@ -1801,85 +1766,17 @@ $a->strings["$1 wrote:"] = "$1 wrote:"; $a->strings["Encrypted content"] = "Encrypted content"; $a->strings["Invalid source protocol"] = "Invalid source protocol"; $a->strings["Invalid link protocol"] = "Invalid link protocol"; -$a->strings["Frequently"] = "Frequently"; -$a->strings["Hourly"] = "Hourly"; -$a->strings["Twice daily"] = "Twice daily"; -$a->strings["Daily"] = "Daily"; -$a->strings["Weekly"] = "Weekly"; -$a->strings["Monthly"] = "Monthly"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "LinkedIn"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "MySpace"; -$a->strings["Google+"] = "Google+"; -$a->strings["pump.io"] = "Pump.io"; -$a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = "Diaspora connector"; -$a->strings["GNU Social Connector"] = "GNU Social connector"; -$a->strings["pnut"] = "Pnut"; -$a->strings["App.net"] = "App.net"; -$a->strings["Male"] = "Male"; -$a->strings["Female"] = "Female"; -$a->strings["Currently Male"] = "Currently Male"; -$a->strings["Currently Female"] = "Currently Female"; -$a->strings["Mostly Male"] = "Mostly Male"; -$a->strings["Mostly Female"] = "Mostly Female"; -$a->strings["Transgender"] = "Transgender"; -$a->strings["Intersex"] = "Intersex"; -$a->strings["Transsexual"] = "Transsexual"; -$a->strings["Hermaphrodite"] = "Hermaphrodite"; -$a->strings["Neuter"] = "Neuter"; -$a->strings["Non-specific"] = "Non-specific"; -$a->strings["Other"] = "Other"; -$a->strings["Males"] = "Males"; -$a->strings["Females"] = "Females"; -$a->strings["Gay"] = "Gay"; -$a->strings["Lesbian"] = "Lesbian"; -$a->strings["No Preference"] = "No Preference"; -$a->strings["Bisexual"] = "Bisexual"; -$a->strings["Autosexual"] = "Auto-sexual"; -$a->strings["Abstinent"] = "Abstinent"; -$a->strings["Virgin"] = "Virgin"; -$a->strings["Deviant"] = "Deviant"; -$a->strings["Fetish"] = "Fetish"; -$a->strings["Oodles"] = "Oodles"; -$a->strings["Nonsexual"] = "Asexual"; -$a->strings["Single"] = "Single"; -$a->strings["Lonely"] = "Lonely"; -$a->strings["Available"] = "Available"; -$a->strings["Unavailable"] = "Unavailable"; -$a->strings["Has crush"] = "Having a crush"; -$a->strings["Infatuated"] = "Infatuated"; -$a->strings["Dating"] = "Dating"; -$a->strings["Unfaithful"] = "Unfaithful"; -$a->strings["Sex Addict"] = "Sex addict"; -$a->strings["Friends"] = "Friends"; -$a->strings["Friends/Benefits"] = "Friends with benefits"; -$a->strings["Casual"] = "Casual"; -$a->strings["Engaged"] = "Engaged"; -$a->strings["Married"] = "Married"; -$a->strings["Imaginarily married"] = "Imaginarily married"; -$a->strings["Partners"] = "Partners"; -$a->strings["Cohabiting"] = "Cohabiting"; -$a->strings["Common law"] = "Common law spouse"; -$a->strings["Happy"] = "Happy"; -$a->strings["Not looking"] = "Not looking"; -$a->strings["Swinger"] = "Swinger"; -$a->strings["Betrayed"] = "Betrayed"; -$a->strings["Separated"] = "Separated"; -$a->strings["Unstable"] = "Unstable"; -$a->strings["Divorced"] = "Divorced"; -$a->strings["Imaginarily divorced"] = "Imaginarily divorced"; -$a->strings["Widowed"] = "Widowed"; -$a->strings["Uncertain"] = "Uncertain"; -$a->strings["It's complicated"] = "It's complicated"; -$a->strings["Don't care"] = "Don't care"; -$a->strings["Ask me"] = "Ask me"; +$a->strings["External link to forum"] = "External link to forum"; $a->strings["Nothing new here"] = "Nothing new here"; $a->strings["Clear notifications"] = "Clear notifications"; +$a->strings["Logout"] = "Logout"; +$a->strings["End this session"] = "End this session"; +$a->strings["Your posts and conversations"] = "My posts and conversations"; +$a->strings["Your profile page"] = "My profile page"; +$a->strings["Your photos"] = "My photos"; +$a->strings["Videos"] = "Videos"; +$a->strings["Your videos"] = "My videos"; +$a->strings["Your events"] = "My events"; $a->strings["Personal notes"] = "Personal notes"; $a->strings["Your personal notes"] = "My personal notes"; $a->strings["Sign in"] = "Sign in"; @@ -1891,23 +1788,33 @@ $a->strings["Addon applications, utilities, games"] = "Addon applications, utili $a->strings["Search site content"] = "Search site content"; $a->strings["Community"] = "Community"; $a->strings["Conversations on this and other servers"] = "Conversations on this and other servers"; +$a->strings["Events and Calendar"] = "Events and calendar"; $a->strings["Directory"] = "Directory"; $a->strings["People directory"] = "People directory"; $a->strings["Information about this friendica instance"] = "Information about this Friendica instance"; +$a->strings["Conversations from your friends"] = "My friends' conversations"; $a->strings["Network Reset"] = "Network reset"; $a->strings["Load Network page with no filters"] = "Load network page without filters"; $a->strings["Friend Requests"] = "Friend requests"; $a->strings["See all notifications"] = "See all notifications"; $a->strings["Mark all system notifications seen"] = "Mark all system notifications seen"; +$a->strings["Private mail"] = "Private messages"; $a->strings["Inbox"] = "Inbox"; $a->strings["Outbox"] = "Outbox"; $a->strings["Manage"] = "Manage"; $a->strings["Manage other pages"] = "Manage other pages"; +$a->strings["Account settings"] = "Account settings"; $a->strings["Profiles"] = "Profiles"; $a->strings["Manage/Edit Profiles"] = "Manage/Edit profiles"; +$a->strings["Manage/edit friends and contacts"] = "Manage/Edit friends and contacts"; $a->strings["Site setup and configuration"] = "Site setup and configuration"; $a->strings["Navigation"] = "Navigation"; $a->strings["Site map"] = "Site map"; +$a->strings["Embedding disabled"] = "Embedding disabled"; +$a->strings["Embedded content"] = "Embedded content"; +$a->strings["Export"] = "Export"; +$a->strings["Export calendar as ical"] = "Export calendar as ical"; +$a->strings["Export calendar as csv"] = "Export calendar as csv"; $a->strings["General Features"] = "General"; $a->strings["Multiple Profiles"] = "Multiple profiles"; $a->strings["Ability to create multiple profiles"] = "Ability to create multiple profiles"; @@ -1960,8 +1867,6 @@ $a->strings["Tag Cloud"] = "Tag cloud"; $a->strings["Provide a personal tag cloud on your profile page"] = "Provide a personal tag cloud on your profile page"; $a->strings["Display Membership Date"] = "Display membership date"; $a->strings["Display membership date in profile"] = "Display membership date in profile"; -$a->strings["Embedding disabled"] = "Embedding disabled"; -$a->strings["Embedded content"] = "Embedded content"; $a->strings["Add New Contact"] = "Add new contact"; $a->strings["Enter address or web location"] = "Enter address or web location"; $a->strings["Example: bob@example.com, http://example.com/barbara"] = "Example: jo@example.com, http://example.com/jo"; @@ -1972,7 +1877,9 @@ $a->strings["%d invitation available"] = [ $a->strings["Find People"] = "Find people"; $a->strings["Enter name or interest"] = "Enter name or interest"; $a->strings["Examples: Robert Morgenstein, Fishing"] = "Examples: Robert Morgenstein, fishing"; +$a->strings["Similar Interests"] = "Similar interests"; $a->strings["Random Profile"] = "Random profile"; +$a->strings["Invite Friends"] = "Invite friends"; $a->strings["View Global Directory"] = "View global directory"; $a->strings["Networks"] = "Networks"; $a->strings["All Networks"] = "All networks"; @@ -1982,6 +1889,83 @@ $a->strings["%d contact in common"] = [ 0 => "%d contact in common", 1 => "%d contacts in common", ]; +$a->strings["Frequently"] = "Frequently"; +$a->strings["Hourly"] = "Hourly"; +$a->strings["Twice daily"] = "Twice daily"; +$a->strings["Daily"] = "Daily"; +$a->strings["Weekly"] = "Weekly"; +$a->strings["Monthly"] = "Monthly"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Zot!"] = "Zot!"; +$a->strings["LinkedIn"] = "LinkedIn"; +$a->strings["XMPP/IM"] = "XMPP/IM"; +$a->strings["MySpace"] = "MySpace"; +$a->strings["Google+"] = "Google+"; +$a->strings["pump.io"] = "pump.io"; +$a->strings["Twitter"] = "Twitter"; +$a->strings["Diaspora Connector"] = "Diaspora Connector"; +$a->strings["GNU Social Connector"] = "GNU Social Connector"; +$a->strings["pnut"] = "pnut"; +$a->strings["App.net"] = "App.net"; +$a->strings["Male"] = "Male"; +$a->strings["Female"] = "Female"; +$a->strings["Currently Male"] = "Currently male"; +$a->strings["Currently Female"] = "Currently female"; +$a->strings["Mostly Male"] = "Mostly male"; +$a->strings["Mostly Female"] = "Mostly female"; +$a->strings["Transgender"] = "Transgender"; +$a->strings["Intersex"] = "Intersex"; +$a->strings["Transsexual"] = "Transsexual"; +$a->strings["Hermaphrodite"] = "Hermaphrodite"; +$a->strings["Neuter"] = "Neuter"; +$a->strings["Non-specific"] = "Non-specific"; +$a->strings["Other"] = "Other"; +$a->strings["Males"] = "Males"; +$a->strings["Females"] = "Females"; +$a->strings["Gay"] = "Gay"; +$a->strings["Lesbian"] = "Lesbian"; +$a->strings["No Preference"] = "No Preference"; +$a->strings["Bisexual"] = "Bisexual"; +$a->strings["Autosexual"] = "Auto-sexual"; +$a->strings["Abstinent"] = "Abstinent"; +$a->strings["Virgin"] = "Virgin"; +$a->strings["Deviant"] = "Deviant"; +$a->strings["Fetish"] = "Fetish"; +$a->strings["Oodles"] = "Oodles"; +$a->strings["Nonsexual"] = "Asexual"; +$a->strings["Single"] = "Single"; +$a->strings["Lonely"] = "Lonely"; +$a->strings["Available"] = "Available"; +$a->strings["Unavailable"] = "Unavailable"; +$a->strings["Has crush"] = "Having a crush"; +$a->strings["Infatuated"] = "Infatuated"; +$a->strings["Dating"] = "Dating"; +$a->strings["Unfaithful"] = "Unfaithful"; +$a->strings["Sex Addict"] = "Sex addict"; +$a->strings["Friends"] = "Friends"; +$a->strings["Friends/Benefits"] = "Friends with benefits"; +$a->strings["Casual"] = "Casual"; +$a->strings["Engaged"] = "Engaged"; +$a->strings["Married"] = "Married"; +$a->strings["Imaginarily married"] = "Imaginarily married"; +$a->strings["Partners"] = "Partners"; +$a->strings["Cohabiting"] = "Cohabiting"; +$a->strings["Common law"] = "Common law spouse"; +$a->strings["Happy"] = "Happy"; +$a->strings["Not looking"] = "Not looking"; +$a->strings["Swinger"] = "Swinger"; +$a->strings["Betrayed"] = "Betrayed"; +$a->strings["Separated"] = "Separated"; +$a->strings["Unstable"] = "Unstable"; +$a->strings["Divorced"] = "Divorced"; +$a->strings["Imaginarily divorced"] = "Imaginarily divorced"; +$a->strings["Widowed"] = "Widowed"; +$a->strings["Uncertain"] = "Uncertain"; +$a->strings["It's complicated"] = "It's complicated"; +$a->strings["Don't care"] = "Don't care"; +$a->strings["Ask me"] = "Ask me"; $a->strings["There are no tables on MyISAM."] = "There are no tables on MyISAM."; $a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."; $a->strings["The error message is\n[pre]%s[/pre]"] = "The error message is\n[pre]%s[/pre]"; @@ -1990,9 +1974,6 @@ $a->strings["Errors encountered performing database changes: "] = "Errors encoun $a->strings[": Database update"] = ": Database update"; $a->strings["%s: updating %s table."] = "%s: updating %s table."; $a->strings["[no subject]"] = "[no subject]"; -$a->strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s is going to %2\$s's %3\$s"; -$a->strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s is not going to %2\$s's %3\$s"; -$a->strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s may go to %2\$s's %3\$s"; $a->strings["Requested account is not available."] = "Requested account is unavailable."; $a->strings["Edit profile"] = "Edit profile"; $a->strings["Atom feed"] = "Atom feed"; @@ -2022,6 +2003,17 @@ $a->strings["Work/employment:"] = "Work/Employment:"; $a->strings["School/education:"] = "School/Education:"; $a->strings["Forums:"] = "Forums:"; $a->strings["Only You Can See This"] = "Only you can see this."; +$a->strings["%1\$s is attending %2\$s's %3\$s"] = "%1\$s is going to %2\$s's %3\$s"; +$a->strings["%1\$s is not attending %2\$s's %3\$s"] = "%1\$s is not going to %2\$s's %3\$s"; +$a->strings["%1\$s may attend %2\$s's %3\$s"] = "%1\$s may go to %2\$s's %3\$s"; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "A deleted group with this name has been revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."; +$a->strings["Default privacy group for new contacts"] = "Default privacy group for new contacts"; +$a->strings["Everybody"] = "Everybody"; +$a->strings["edit"] = "edit"; +$a->strings["Edit group"] = "Edit group"; +$a->strings["Contacts not in any group"] = "Contacts not in any group"; +$a->strings["Create a new group"] = "Create new group"; +$a->strings["Edit groups"] = "Edit groups"; $a->strings["Drop Contact"] = "Drop contact"; $a->strings["Organisation"] = "Organization"; $a->strings["News"] = "News"; @@ -2040,14 +2032,20 @@ $a->strings["Limited profile. This person will be unable to receive direct/perso $a->strings["Unable to retrieve contact information."] = "Unable to retrieve contact information."; $a->strings["%s's birthday"] = "%s's birthday"; $a->strings["Happy Birthday %s"] = "Happy Birthday, %s!"; -$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "A deleted group with this name has been revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."; -$a->strings["Default privacy group for new contacts"] = "Default privacy group for new contacts"; -$a->strings["Everybody"] = "Everybody"; -$a->strings["edit"] = "edit"; -$a->strings["Edit group"] = "Edit group"; -$a->strings["Contacts not in any group"] = "Contacts not in any group"; -$a->strings["Create a new group"] = "Create new group"; -$a->strings["Edit groups"] = "Edit groups"; +$a->strings["Starts:"] = "Starts:"; +$a->strings["Finishes:"] = "Finishes:"; +$a->strings["all-day"] = "All-day"; +$a->strings["Jun"] = "Jun"; +$a->strings["Sept"] = "Sep"; +$a->strings["No events to display"] = "No events to display"; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Edit event"; +$a->strings["Duplicate event"] = "Duplicate event"; +$a->strings["Delete event"] = "Delete event"; +$a->strings["D g:i A"] = "D g:i A"; +$a->strings["g:i A"] = "g:i A"; +$a->strings["Show map"] = "Show map"; +$a->strings["Hide map"] = "Hide map"; $a->strings["Login failed"] = "Login failed"; $a->strings["Not enough information to authenticate"] = "Not enough information to authenticate"; $a->strings["An invitation is required."] = "An invitation is required."; @@ -2066,31 +2064,22 @@ $a->strings["Your nickname can only contain a-z, 0-9 and _."] = "Your nickname c $a->strings["Nickname is already registered. Please choose another."] = "Nickname is already registered. Please choose another."; $a->strings["SERIOUS ERROR: Generation of security keys failed."] = "SERIOUS ERROR: Generation of security keys failed."; $a->strings["An error occurred during registration. Please try again."] = "An error occurred during registration. Please try again."; +$a->strings["default"] = "default"; $a->strings["An error occurred creating your default profile. Please try again."] = "An error occurred creating your default profile. Please try again."; $a->strings["An error occurred creating your self contact. Please try again."] = "An error occurred creating your self contact. Please try again."; $a->strings["An error occurred creating your default contact group. Please try again."] = "An error occurred while creating your default contact group. Please try again."; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"; $a->strings["Registration at %s"] = "Registration at %s"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = "\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"; -$a->strings["\n\t\t\tThe login details are as follows:\n\t\t\t\tSite Location:\t%3\$s\n\t\t\t\tLogin Name:\t%1\$s\n\t\t\t\tPassword:\t%5\$s\n\n\t\t\tYou may change your password from your account Settings page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile keywords (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\n\t\t\tThank you and welcome to %2\$s."] = "\n\t\t\tThe login details are as follows:\n\t\t\t\tSite Location:\t%3\$s\n\t\t\t\tLogin Name:\t%1\$s\n\t\t\t\tPassword:\t%5\$s\n\n\t\t\tYou may change your password from your account Settings page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile keywords (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\n\t\t\tThank you and welcome to %2\$s."; -$a->strings["%s\\'s birthday"] = "%s\\'s birthday"; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = "\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."; $a->strings["%s is now following %s."] = "%s is now following %s."; $a->strings["following"] = "following"; $a->strings["%s stopped following %s."] = "%s stopped following %s."; $a->strings["stopped following"] = "stopped following"; +$a->strings["%s\\'s birthday"] = "%s\\'s birthday"; $a->strings["Sharing notification from Diaspora network"] = "Sharing notification from Diaspora network"; $a->strings["Attachments:"] = "Attachments:"; $a->strings["(no subject)"] = "(no subject)"; -$a->strings["Create a New Account"] = "Create a new account"; -$a->strings["Password: "] = "Password: "; -$a->strings["Remember me"] = "Remember me"; -$a->strings["Or login using OpenID: "] = "Or login with OpenID: "; -$a->strings["Forgot your password?"] = "Forgot your password?"; -$a->strings["Website Terms of Service"] = "Website Terms of Service"; -$a->strings["terms of service"] = "Terms of service"; -$a->strings["Website Privacy Policy"] = "Website Privacy Policy"; -$a->strings["privacy policy"] = "Privacy policy"; -$a->strings["Logged out."] = "Logged out."; $a->strings["This entry was edited"] = "This entry was edited"; $a->strings["save to folder"] = "Save to folder"; $a->strings["I will attend"] = "I will attend"; @@ -2124,7 +2113,63 @@ $a->strings["Code"] = "Code"; $a->strings["Image"] = "Image"; $a->strings["Link"] = "Link"; $a->strings["Video"] = "Video"; +$a->strings["Create a New Account"] = "Create a new account"; +$a->strings["Password: "] = "Password: "; +$a->strings["Remember me"] = "Remember me"; +$a->strings["Or login using OpenID: "] = "Or login with OpenID: "; +$a->strings["Forgot your password?"] = "Forgot your password?"; +$a->strings["Website Terms of Service"] = "Website Terms of Service"; +$a->strings["terms of service"] = "Terms of service"; +$a->strings["Website Privacy Policy"] = "Website Privacy Policy"; +$a->strings["privacy policy"] = "Privacy policy"; +$a->strings["Logged out."] = "Logged out."; $a->strings["Delete this item?"] = "Delete this item?"; $a->strings["show fewer"] = "Show fewer."; +$a->strings["greenzero"] = "greenzero"; +$a->strings["purplezero"] = "purplezero"; +$a->strings["easterbunny"] = "easterbunny"; +$a->strings["darkzero"] = "darkzero"; +$a->strings["comix"] = "comix"; +$a->strings["slackr"] = "slackr"; +$a->strings["Variations"] = "Variations"; +$a->strings["Repeat the image"] = "Repeat the image"; +$a->strings["Will repeat your image to fill the background."] = "Will repeat your image to fill the background."; +$a->strings["Stretch"] = "Stretch"; +$a->strings["Will stretch to width/height of the image."] = "Will stretch to width/height of the image."; +$a->strings["Resize fill and-clip"] = "Resize fill and-clip"; +$a->strings["Resize to fill and retain aspect ratio."] = "Resize to fill and retain aspect ratio."; +$a->strings["Resize best fit"] = "Resize to best fit"; +$a->strings["Resize to best fit and retain aspect ratio."] = "Resize to best fit and retain aspect ratio."; +$a->strings["Default"] = "Default"; +$a->strings["Note"] = "Note"; +$a->strings["Check image permissions if all users are allowed to visit the image"] = "Check image permissions if all users are allowed to visit the image"; +$a->strings["Select scheme"] = "Select scheme:"; +$a->strings["Navigation bar background color"] = "Navigation bar background color:"; +$a->strings["Navigation bar icon color "] = "Navigation bar icon color:"; +$a->strings["Link color"] = "Link color:"; +$a->strings["Set the background color"] = "Background color:"; +$a->strings["Content background opacity"] = "Content background opacity"; +$a->strings["Set the background image"] = "Background image:"; +$a->strings["Login page background image"] = "Login page background image"; +$a->strings["Login page background color"] = "Login page background color"; +$a->strings["Leave background image and color empty for theme defaults"] = "Leave background image and color empty for theme defaults"; +$a->strings["Guest"] = "Guest"; +$a->strings["Visitor"] = "Visitor"; +$a->strings["Alignment"] = "Alignment"; +$a->strings["Left"] = "Left"; +$a->strings["Center"] = "Center"; +$a->strings["Color scheme"] = "Color scheme"; +$a->strings["Posts font size"] = "Posts font size"; +$a->strings["Textareas font size"] = "Text areas font size"; +$a->strings["Comma separated list of helper forums"] = "Comma separated list of helper forums"; +$a->strings["Set style"] = "Set style"; +$a->strings["Community Pages"] = "Community pages"; +$a->strings["Community Profiles"] = "Community profiles"; +$a->strings["Help or @NewHere ?"] = "Help or @NewHere ?"; +$a->strings["Connect Services"] = "Connect services"; +$a->strings["Find Friends"] = "Find friends"; +$a->strings["Last users"] = "Last users"; +$a->strings["Local Directory"] = "Local directory"; +$a->strings["Quick Start"] = "Quick start"; $a->strings["toggle mobile"] = "Toggle mobile"; $a->strings["Update %s failed. See error logs."] = "Update %s failed. See error logs."; diff --git a/view/lang/fi-fi/messages.po b/view/lang/fi-fi/messages.po index 55ff7ef71..080324d4b 100644 --- a/view/lang/fi-fi/messages.po +++ b/view/lang/fi-fi/messages.po @@ -15,7 +15,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-08 17:35+0000\n" +"PO-Revision-Date: 2018-04-09 16:48+0000\n" "Last-Translator: Kris\n" "Language-Team: Finnish (Finland) (http://www.transifex.com/Friendica/friendica/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -2363,7 +2363,7 @@ msgstr "Aikavyöhyke: %s" #: mod/localtime.php:46 #, php-format msgid "Converted localtime: %s" -msgstr "" +msgstr "Muunnettu paikallisaika: %s" #: mod/localtime.php:52 msgid "Please select your timezone:" @@ -3690,7 +3690,7 @@ msgstr "" #: mod/unfollow.php:47 msgid "Contact unfollowed" -msgstr "" +msgstr "Kontaktia ei enää seurata" #: mod/unfollow.php:73 msgid "You aren't a friend of this contact." @@ -3833,7 +3833,7 @@ msgstr "Tapahtuma poistettu" #: mod/profile_photo.php:55 msgid "Image uploaded but image cropping failed." -msgstr "" +msgstr "Kuva ladattu mutta kuvan rajaus epäonnistui." #: mod/profile_photo.php:88 mod/profile_photo.php:96 mod/profile_photo.php:104 #: mod/profile_photo.php:315 @@ -5255,7 +5255,7 @@ msgstr "" #: mod/admin.php:402 msgid "Server added to blocklist." -msgstr "" +msgstr "Palvelin lisätty estolistalle" #: mod/admin.php:418 msgid "Site blocklist updated." @@ -5274,8 +5274,8 @@ msgstr "" #, php-format msgid "%s contact unblocked" msgid_plural "%s contacts unblocked" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%s kontakti poistettu estolistalta" +msgstr[1] "%s kontaktia poistettu estolistalta" #: mod/admin.php:479 msgid "Remote Contact Blocklist" @@ -5639,7 +5639,7 @@ msgstr "" #: mod/admin.php:1362 msgid "Banner/Logo" -msgstr "" +msgstr "Banneri/logo" #: mod/admin.php:1363 msgid "Shortcut icon" @@ -6401,7 +6401,7 @@ msgstr "" #: mod/admin.php:1526 msgid "No failed updates." -msgstr "" +msgstr "Ei epäonnistuineita päivityksiä." #: mod/admin.php:1527 msgid "Check database structure" @@ -6491,12 +6491,12 @@ msgstr "Käyttäjä '%s' poistettu" #: mod/admin.php:1682 #, php-format msgid "User '%s' unblocked" -msgstr "" +msgstr "Käyttäjä '%s' poistettu estolistalta" #: mod/admin.php:1682 #, php-format msgid "User '%s' blocked" -msgstr "" +msgstr "Käyttäjä '%s' estetty" #: mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 mod/admin.php:1824 #: src/Content/ContactSelector.php:82 @@ -6676,7 +6676,7 @@ msgstr "Tyhjennä" #: mod/admin.php:2297 msgid "Enable Debugging" -msgstr "" +msgstr "Ota virheenkorjaustila käyttöön" #: mod/admin.php:2298 msgid "Log file" @@ -6734,11 +6734,11 @@ msgstr "" #: mod/admin.php:2437 msgid "Manage Additional Features" -msgstr "" +msgstr "Hallitse lisäominaisuudet" #: mod/settings.php:72 msgid "Display" -msgstr "" +msgstr "Ulkonäkö" #: mod/settings.php:79 mod/settings.php:842 msgid "Social Networks" @@ -7619,7 +7619,7 @@ msgstr "" #: src/Core/NotificationsManager.php:171 msgid "System" -msgstr "" +msgstr "Järjestelmä" #: src/Core/NotificationsManager.php:192 src/Content/Nav.php:124 #: src/Content/Nav.php:181 @@ -7680,7 +7680,7 @@ msgstr "Ystävä/yhteyspyyntö" #: src/Core/NotificationsManager.php:851 msgid "New Follower" -msgstr "" +msgstr "Uusi seuraaja" #: src/Core/ACL.php:295 msgid "Post to Email" @@ -7875,7 +7875,7 @@ msgstr "Luo tili" #: src/Content/Nav.php:134 msgid "Help and documentation" -msgstr "" +msgstr "Ohjeet ja dokmentointi" #: src/Content/Nav.php:138 msgid "Apps" @@ -7912,7 +7912,7 @@ msgstr "" #: src/Content/Nav.php:174 msgid "Information about this friendica instance" -msgstr "" +msgstr "Lisätietoja tästä Friendica -instanssista" #: src/Content/Nav.php:178 view/theme/frio/theme.php:266 msgid "Conversations from your friends" @@ -8079,7 +8079,7 @@ msgstr "" #: src/Content/Feature.php:98 msgid "Group Filter" -msgstr "" +msgstr "Ryhmäsuodatin" #: src/Content/Feature.php:98 msgid "Enable widget to display Network posts only from selected group" @@ -8087,7 +8087,7 @@ msgstr "" #: src/Content/Feature.php:99 msgid "Network Filter" -msgstr "" +msgstr "Verkkosuodatin" #: src/Content/Feature.php:99 msgid "Enable widget to display Network posts only from selected network" @@ -8289,67 +8289,67 @@ msgstr[1] "" #: src/Content/ContactSelector.php:55 msgid "Frequently" -msgstr "" +msgstr "Usein" #: src/Content/ContactSelector.php:56 msgid "Hourly" -msgstr "" +msgstr "Tunneittain" #: src/Content/ContactSelector.php:57 msgid "Twice daily" -msgstr "" +msgstr "Kahdesti päivässä" #: src/Content/ContactSelector.php:58 msgid "Daily" -msgstr "" +msgstr "Päivittäin" #: src/Content/ContactSelector.php:59 msgid "Weekly" -msgstr "" +msgstr "Viikottain" #: src/Content/ContactSelector.php:60 msgid "Monthly" -msgstr "" +msgstr "Kuukausittain" #: src/Content/ContactSelector.php:80 msgid "OStatus" -msgstr "" +msgstr "OStatus" #: src/Content/ContactSelector.php:81 msgid "RSS/Atom" -msgstr "" +msgstr "RSS/Atom" #: src/Content/ContactSelector.php:84 msgid "Facebook" -msgstr "" +msgstr "Facebook" #: src/Content/ContactSelector.php:85 msgid "Zot!" -msgstr "" +msgstr "Zot!" #: src/Content/ContactSelector.php:86 msgid "LinkedIn" -msgstr "" +msgstr "LinkedIn" #: src/Content/ContactSelector.php:87 msgid "XMPP/IM" -msgstr "" +msgstr "XMPP/IM" #: src/Content/ContactSelector.php:88 msgid "MySpace" -msgstr "" +msgstr "MySpace" #: src/Content/ContactSelector.php:89 msgid "Google+" -msgstr "" +msgstr "Google+" #: src/Content/ContactSelector.php:90 msgid "pump.io" -msgstr "" +msgstr "pump.io" #: src/Content/ContactSelector.php:91 msgid "Twitter" -msgstr "" +msgstr "Twitter" #: src/Content/ContactSelector.php:92 msgid "Diaspora Connector" @@ -8361,19 +8361,19 @@ msgstr "" #: src/Content/ContactSelector.php:94 msgid "pnut" -msgstr "" +msgstr "pnut" #: src/Content/ContactSelector.php:95 msgid "App.net" -msgstr "" +msgstr "App.net" #: src/Content/ContactSelector.php:125 msgid "Male" -msgstr "" +msgstr "Mies" #: src/Content/ContactSelector.php:125 msgid "Female" -msgstr "" +msgstr "Nainen" #: src/Content/ContactSelector.php:125 msgid "Currently Male" diff --git a/view/lang/fi-fi/strings.php b/view/lang/fi-fi/strings.php index 4c5a6e3f7..5d4e0585c 100644 --- a/view/lang/fi-fi/strings.php +++ b/view/lang/fi-fi/strings.php @@ -528,7 +528,7 @@ $a->strings["Time Conversion"] = "Aikamuunnos"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = ""; $a->strings["UTC time: %s"] = "UTC-aika: %s"; $a->strings["Current timezone: %s"] = "Aikavyöhyke: %s"; -$a->strings["Converted localtime: %s"] = ""; +$a->strings["Converted localtime: %s"] = "Muunnettu paikallisaika: %s"; $a->strings["Please select your timezone:"] = "Valitse aikavyöhykkeesi:"; $a->strings["Only logged in users are permitted to perform a probing."] = ""; $a->strings["Permission denied"] = "Käyttöoikeus evätty"; @@ -836,7 +836,7 @@ $a->strings["success"] = "onnistui"; $a->strings["failed"] = "epäonnistui"; $a->strings["ignored"] = "ohitettu"; $a->strings["Contact wasn't found or can't be unfollowed."] = ""; -$a->strings["Contact unfollowed"] = ""; +$a->strings["Contact unfollowed"] = "Kontaktia ei enää seurata"; $a->strings["You aren't a friend of this contact."] = "Et ole kontaktin kaveri."; $a->strings["Unfollowing is currently not supported by your network."] = ""; $a->strings["Disconnect/Unfollow"] = "Katkaise / Lopeta seuraaminen"; @@ -870,7 +870,7 @@ $a->strings["Basic"] = ""; $a->strings["Advanced"] = ""; $a->strings["Failed to remove event"] = "Tapahtuman poisto epäonnistui"; $a->strings["Event removed"] = "Tapahtuma poistettu"; -$a->strings["Image uploaded but image cropping failed."] = ""; +$a->strings["Image uploaded but image cropping failed."] = "Kuva ladattu mutta kuvan rajaus epäonnistui."; $a->strings["Image size reduction [%s] failed."] = ""; $a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = ""; $a->strings["Unable to process image"] = "Kuvan käsitteleminen epäonnistui"; @@ -1195,13 +1195,13 @@ $a->strings["Save changes to the blocklist"] = ""; $a->strings["Current Entries in the Blocklist"] = ""; $a->strings["Delete entry from blocklist"] = ""; $a->strings["Delete entry from blocklist?"] = ""; -$a->strings["Server added to blocklist."] = ""; +$a->strings["Server added to blocklist."] = "Palvelin lisätty estolistalle"; $a->strings["Site blocklist updated."] = "Sivuston estolista päivitetty."; $a->strings["The contact has been blocked from the node"] = ""; $a->strings["Could not find any contact entry for this URL (%s)"] = ""; $a->strings["%s contact unblocked"] = [ - 0 => "", - 1 => "", + 0 => "%s kontakti poistettu estolistalta", + 1 => "%s kontaktia poistettu estolistalta", ]; $a->strings["Remote Contact Blocklist"] = ""; $a->strings["This page allows you to prevent any message from a remote contact to reach your node."] = ""; @@ -1286,7 +1286,7 @@ $a->strings["Site name"] = "Sivuston nimi"; $a->strings["Host name"] = "Palvelimen nimi"; $a->strings["Sender Email"] = "Lähettäjän sähköposti"; $a->strings["The email address your server shall use to send notification emails from."] = ""; -$a->strings["Banner/Logo"] = ""; +$a->strings["Banner/Logo"] = "Banneri/logo"; $a->strings["Shortcut icon"] = ""; $a->strings["Link to an icon that will be used for browsers."] = ""; $a->strings["Touch icon"] = ""; @@ -1443,7 +1443,7 @@ $a->strings["Executing %s failed with error: %s"] = ""; $a->strings["Update %s was successfully applied."] = ""; $a->strings["Update %s did not return a status. Unknown if it succeeded."] = ""; $a->strings["There was no additional update function %s that needed to be called."] = ""; -$a->strings["No failed updates."] = ""; +$a->strings["No failed updates."] = "Ei epäonnistuineita päivityksiä."; $a->strings["Check database structure"] = "Tarkista tietokannan rakenne"; $a->strings["Failed Updates"] = "Epäonnistuineita päivityksiä"; $a->strings["This does not include updates prior to 1139, which did not return a status."] = ""; @@ -1461,8 +1461,8 @@ $a->strings["%s user deleted"] = [ 1 => "%s käyttäjää poistettu", ]; $a->strings["User '%s' deleted"] = "Käyttäjä '%s' poistettu"; -$a->strings["User '%s' unblocked"] = ""; -$a->strings["User '%s' blocked"] = ""; +$a->strings["User '%s' unblocked"] = "Käyttäjä '%s' poistettu estolistalta"; +$a->strings["User '%s' blocked"] = "Käyttäjä '%s' estetty"; $a->strings["Email"] = "Sähköposti"; $a->strings["Register date"] = "Rekisteripäivämäärä"; $a->strings["Last login"] = "Viimeisin kirjautuminen"; @@ -1504,7 +1504,7 @@ $a->strings["Log settings updated."] = "Lokiasetukset päivitetty."; $a->strings["PHP log currently enabled."] = "PHP-loki käytössä"; $a->strings["PHP log currently disabled."] = "PHP-loki pois käytöstä"; $a->strings["Clear"] = "Tyhjennä"; -$a->strings["Enable Debugging"] = ""; +$a->strings["Enable Debugging"] = "Ota virheenkorjaustila käyttöön"; $a->strings["Log file"] = "Lokitiedosto"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = ""; $a->strings["Log level"] = ""; @@ -1515,8 +1515,8 @@ $a->strings["Couldn't open %1\$s log file.\\r\\n
Check to s $a->strings["Off"] = "Pois päältä"; $a->strings["On"] = "Päällä"; $a->strings["Lock feature %s"] = ""; -$a->strings["Manage Additional Features"] = ""; -$a->strings["Display"] = ""; +$a->strings["Manage Additional Features"] = "Hallitse lisäominaisuudet"; +$a->strings["Display"] = "Ulkonäkö"; $a->strings["Social Networks"] = "Sosiaalinen media"; $a->strings["Delegations"] = ""; $a->strings["Connected apps"] = "Yhdistetyt sovellukset"; @@ -1722,7 +1722,7 @@ $a->strings["%d contact not imported"] = [ 1 => "", ]; $a->strings["Done. You can now login with your username and password"] = ""; -$a->strings["System"] = ""; +$a->strings["System"] = "Järjestelmä"; $a->strings["Home"] = "Koti"; $a->strings["Introductions"] = "Esittelyt"; $a->strings["%s commented on %s's post"] = ""; @@ -1735,7 +1735,7 @@ $a->strings["%s may attend %s's event"] = ""; $a->strings["%s is now friends with %s"] = ""; $a->strings["Friend Suggestion"] = "Kaveriehdotus"; $a->strings["Friend/Connect Request"] = "Ystävä/yhteyspyyntö"; -$a->strings["New Follower"] = ""; +$a->strings["New Follower"] = "Uusi seuraaja"; $a->strings["Post to Email"] = "Viesti sähköpostiin"; $a->strings["Hide your profile details from unknown viewers?"] = ""; $a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; @@ -1782,7 +1782,7 @@ $a->strings["Your personal notes"] = ""; $a->strings["Sign in"] = "Kirjaudu sisään"; $a->strings["Home Page"] = "Kotisivu"; $a->strings["Create an account"] = "Luo tili"; -$a->strings["Help and documentation"] = ""; +$a->strings["Help and documentation"] = "Ohjeet ja dokmentointi"; $a->strings["Apps"] = "Sovellukset"; $a->strings["Addon applications, utilities, games"] = "Lisäosa sovelluksia, apuohjelmia, pelejä"; $a->strings["Search site content"] = ""; @@ -1791,7 +1791,7 @@ $a->strings["Conversations on this and other servers"] = ""; $a->strings["Events and Calendar"] = "Tapahtumat ja kalenteri"; $a->strings["Directory"] = "Luettelo"; $a->strings["People directory"] = ""; -$a->strings["Information about this friendica instance"] = ""; +$a->strings["Information about this friendica instance"] = "Lisätietoja tästä Friendica -instanssista"; $a->strings["Conversations from your friends"] = ""; $a->strings["Network Reset"] = "Verkon nollaus"; $a->strings["Load Network page with no filters"] = ""; @@ -1832,9 +1832,9 @@ $a->strings["Search by Date"] = "Päivämäärähaku"; $a->strings["Ability to select posts by date ranges"] = ""; $a->strings["List Forums"] = "Näytä foorumit"; $a->strings["Enable widget to display the forums your are connected with"] = ""; -$a->strings["Group Filter"] = ""; +$a->strings["Group Filter"] = "Ryhmäsuodatin"; $a->strings["Enable widget to display Network posts only from selected group"] = ""; -$a->strings["Network Filter"] = ""; +$a->strings["Network Filter"] = "Verkkosuodatin"; $a->strings["Enable widget to display Network posts only from selected network"] = ""; $a->strings["Save search terms for re-use"] = ""; $a->strings["Network Tabs"] = ""; @@ -1889,28 +1889,28 @@ $a->strings["%d contact in common"] = [ 0 => "", 1 => "", ]; -$a->strings["Frequently"] = ""; -$a->strings["Hourly"] = ""; -$a->strings["Twice daily"] = ""; -$a->strings["Daily"] = ""; -$a->strings["Weekly"] = ""; -$a->strings["Monthly"] = ""; -$a->strings["OStatus"] = ""; -$a->strings["RSS/Atom"] = ""; -$a->strings["Facebook"] = ""; -$a->strings["Zot!"] = ""; -$a->strings["LinkedIn"] = ""; -$a->strings["XMPP/IM"] = ""; -$a->strings["MySpace"] = ""; -$a->strings["Google+"] = ""; -$a->strings["pump.io"] = ""; -$a->strings["Twitter"] = ""; +$a->strings["Frequently"] = "Usein"; +$a->strings["Hourly"] = "Tunneittain"; +$a->strings["Twice daily"] = "Kahdesti päivässä"; +$a->strings["Daily"] = "Päivittäin"; +$a->strings["Weekly"] = "Viikottain"; +$a->strings["Monthly"] = "Kuukausittain"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Zot!"] = "Zot!"; +$a->strings["LinkedIn"] = "LinkedIn"; +$a->strings["XMPP/IM"] = "XMPP/IM"; +$a->strings["MySpace"] = "MySpace"; +$a->strings["Google+"] = "Google+"; +$a->strings["pump.io"] = "pump.io"; +$a->strings["Twitter"] = "Twitter"; $a->strings["Diaspora Connector"] = ""; $a->strings["GNU Social Connector"] = ""; -$a->strings["pnut"] = ""; -$a->strings["App.net"] = ""; -$a->strings["Male"] = ""; -$a->strings["Female"] = ""; +$a->strings["pnut"] = "pnut"; +$a->strings["App.net"] = "App.net"; +$a->strings["Male"] = "Mies"; +$a->strings["Female"] = "Nainen"; $a->strings["Currently Male"] = ""; $a->strings["Currently Female"] = ""; $a->strings["Mostly Male"] = ""; From ea9b4cc52319bdeb2078ff34cdb2eff90ae3aa22 Mon Sep 17 00:00:00 2001 From: Michael Date: Tue, 10 Apr 2018 05:55:36 +0000 Subject: [PATCH 026/112] Ignore function "call_user_func_array" in the callstack --- src/Core/System.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Core/System.php b/src/Core/System.php index 7b68f6131..9d360dff0 100644 --- a/src/Core/System.php +++ b/src/Core/System.php @@ -60,7 +60,7 @@ class System extends BaseObject $previous = ['class' => '', 'function' => '']; // The ignore list contains all functions that are only wrapper functions - $ignore = ['fetchUrl']; + $ignore = ['fetchUrl', 'call_user_func_array']; while ($func = array_pop($trace)) { if (!empty($func['class'])) { From f3d98b2864f131d6ba6532f81c61fa3d9895bd20 Mon Sep 17 00:00:00 2001 From: Pierre Rudloff Date: Tue, 10 Apr 2018 10:46:10 +0200 Subject: [PATCH 027/112] api_get_user() should not return false right away if the number in the URL is not a valid user --- include/api.php | 14 ++++++-------- 1 file changed, 6 insertions(+), 8 deletions(-) diff --git a/include/api.php b/include/api.php index 645d82a46..ffe193ab9 100644 --- a/include/api.php +++ b/include/api.php @@ -577,14 +577,12 @@ function api_get_user(App $a, $contact_id = null) if (is_numeric($user)) { $user = dbesc(api_unique_id_to_nurl(intval($user))); - if ($user == "") { - return false; - } - - $url = $user; - $extra_query = "AND `contact`.`nurl` = '%s' "; - if (api_user() !== false) { - $extra_query .= "AND `contact`.`uid`=" . intval(api_user()); + if ($user != "") { + $url = $user; + $extra_query = "AND `contact`.`nurl` = '%s' "; + if (api_user() !== false) { + $extra_query .= "AND `contact`.`uid`=" . intval(api_user()); + } } } else { $user = dbesc($user); From 369518e7b6ba68d8708cb34d87860e16e9db673c Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Tue, 10 Apr 2018 06:23:40 -0400 Subject: [PATCH 028/112] [BBCode] Improve support for strikethrough --- src/Content/Text/BBCode.php | 2 +- src/Content/Text/HTML.php | 3 +++ 2 files changed, 4 insertions(+), 1 deletion(-) diff --git a/src/Content/Text/BBCode.php b/src/Content/Text/BBCode.php index 97b809211..375559346 100644 --- a/src/Content/Text/BBCode.php +++ b/src/Content/Text/BBCode.php @@ -1583,7 +1583,7 @@ class BBCode extends BaseObject $text = preg_replace("(\[u\](.*?)\[\/u\])ism", '$1', $text); // Check for strike-through text - $text = preg_replace("(\[s\](.*?)\[\/s\])ism", '$1', $text); + $text = preg_replace("(\[s\](.*?)\[\/s\])ism", '$1', $text); // Check for over-line text $text = preg_replace("(\[o\](.*?)\[\/o\])ism", '$1', $text); diff --git a/src/Content/Text/HTML.php b/src/Content/Text/HTML.php index f82a254d3..896db876f 100644 --- a/src/Content/Text/HTML.php +++ b/src/Content/Text/HTML.php @@ -221,6 +221,9 @@ class HTML self::tagToBBCode($doc, 'b', [], '[b]', '[/b]'); self::tagToBBCode($doc, 'i', [], '[i]', '[/i]'); self::tagToBBCode($doc, 'u', [], '[u]', '[/u]'); + self::tagToBBCode($doc, 's', [], '[s]', '[/s]'); + self::tagToBBCode($doc, 'del', [], '[s]', '[/s]'); + self::tagToBBCode($doc, 'strike', [], '[s]', '[/s]'); self::tagToBBCode($doc, 'big', [], "[size=large]", "[/size]"); self::tagToBBCode($doc, 'small', [], "[size=small]", "[/size]"); From 869d8ab12db59a2582729bed68acc65d2cfab052 Mon Sep 17 00:00:00 2001 From: Michael Date: Tue, 10 Apr 2018 11:10:02 +0000 Subject: [PATCH 029/112] We can now define the days after a contact is archived --- doc/htconfig.md | 3 ++- src/Model/Contact.php | 4 +++- src/Protocol/Diaspora.php | 2 +- src/Worker/Queue.php | 8 ++++---- 4 files changed, 10 insertions(+), 7 deletions(-) diff --git a/doc/htconfig.md b/doc/htconfig.md index 0b9d1cdd2..977bf1dbc 100644 --- a/doc/htconfig.md +++ b/doc/htconfig.md @@ -25,8 +25,9 @@ Example: To set the automatic database cleanup process add this line to your .ht * **allowed_link_protocols** (Array) - Allowed protocols in links URLs, add at your own risk. http is always allowed. * **always_show_preview** (Boolean) - Only show small preview picures. Default value is false. -* **block_local_dir** (Boolean) - Blocks the access to the directory of the local users. +* **archival_days** (Integer) - Number of days that we try to deliver content before we archive a contact. Defaults to 32. * **auth_cookie_lifetime** (Integer) - Number of days that should pass without any activity before a user who chose "Remember me" when logging in is considered logged out. Defaults to 7. +* **block_local_dir** (Boolean) - Blocks the access to the directory of the local users. * **config_adapter** (jit|preload) - Allow to switch the configuration adapter to improve performances at the cost of memory consumption. Default value is "jit" * **curl_range_bytes** - Maximum number of bytes that should be fetched. Default is 0, which mean "no limit". * **db_log** - Name of a logfile to log slow database queries diff --git a/src/Model/Contact.php b/src/Model/Contact.php index 60dec8b28..1354bbdb8 100644 --- a/src/Model/Contact.php +++ b/src/Model/Contact.php @@ -306,7 +306,9 @@ class Contact extends BaseObject */ /// @todo Check for contact vitality via probing - $expiry = $contact['term-date'] . ' + 32 days '; + $archival_days = Config::get('system', 'archival_days', 32); + + $expiry = $contact['term-date'] . ' + ' . $archival_days . ' days '; if (DateTimeFormat::utcNow() > DateTimeFormat::utc($expiry)) { /* Relationship is really truly dead. archive them rather than * delete, though if the owner tries to unarchive them we'll start diff --git a/src/Protocol/Diaspora.php b/src/Protocol/Diaspora.php index 79e7c0963..0e5f0c27f 100644 --- a/src/Protocol/Diaspora.php +++ b/src/Protocol/Diaspora.php @@ -3319,7 +3319,7 @@ class Diaspora } } - logger("transmit: ".$logid."-".$guid." returns: ".$return_code); + logger("transmit: ".$logid."-".$guid." to ".$dest_url." returns: ".$return_code); if (!$return_code || (($return_code == 503) && (stristr($a->get_curl_headers(), "retry-after")))) { if (!$no_queue && ($contact['contact-type'] != ACCOUNT_TYPE_RELAY)) { diff --git a/src/Worker/Queue.php b/src/Worker/Queue.php index 5c8942db2..57f6e9277 100644 --- a/src/Worker/Queue.php +++ b/src/Worker/Queue.php @@ -86,7 +86,7 @@ class Queue logger("Check server " . $server . " (" . $contact["network"] . ")"); $vital = PortableContact::checkServer($server, $contact["network"], true); - Cache::set($cachekey_server . $server, $vital, CACHE_QUARTER_HOUR); + Cache::set($cachekey_server . $server, $vital, CACHE_MINUTE); } if (!is_null($vital) && !$vital) { @@ -118,7 +118,7 @@ class Queue QueueModel::removeItem($q_item['id']); } else { QueueModel::updateTime($q_item['id']); - Cache::set($cachekey_deadguy . $contact['notify'], true, CACHE_QUARTER_HOUR); + Cache::set($cachekey_deadguy . $contact['notify'], true, CACHE_MINUTE); } break; case NETWORK_OSTATUS: @@ -127,7 +127,7 @@ class Queue if ($deliver_status == -1) { QueueModel::updateTime($q_item['id']); - Cache::set($cachekey_deadguy . $contact['notify'], true, CACHE_QUARTER_HOUR); + Cache::set($cachekey_deadguy . $contact['notify'], true, CACHE_MINUTE); } else { QueueModel::removeItem($q_item['id']); } @@ -141,7 +141,7 @@ class Queue QueueModel::removeItem($q_item['id']); } else { QueueModel::updateTime($q_item['id']); - Cache::set($cachekey_deadguy . $contact['notify'], true, CACHE_QUARTER_HOUR); + Cache::set($cachekey_deadguy . $contact['notify'], true, CACHE_MINUTE); } break; From 71218ecff95b632645764cfffd0d5e2522675d22 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 10 Apr 2018 18:30:17 +0200 Subject: [PATCH 030/112] DE translations THX Copiis --- view/lang/de/messages.po | 21 +++++++++++---------- view/lang/de/strings.php | 16 ++++++++-------- 2 files changed, 19 insertions(+), 18 deletions(-) diff --git a/view/lang/de/messages.po b/view/lang/de/messages.po index 2c352a622..b6beabe9e 100644 --- a/view/lang/de/messages.po +++ b/view/lang/de/messages.po @@ -7,6 +7,7 @@ # Andreas H., 2015-2018 # Andy H3 , 2017 # Tobias Diekershoff , 2011 +# Copiis Praeesse , 2018 # David Rabel , 2016 # Erkan Yilmaz , 2011 # Fabian Dost , 2012 @@ -39,8 +40,8 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-07 06:03+0000\n" -"Last-Translator: Tobias Diekershoff \n" +"PO-Revision-Date: 2018-04-10 06:01+0000\n" +"Last-Translator: Copiis Praeesse \n" "Language-Team: German (http://www.transifex.com/Friendica/friendica/language/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -76,7 +77,7 @@ msgstr "Kann die DNS Informationen für den Datenbankserver '%s' nicht ermitteln msgid "Daily posting limit of %d post reached. The post was rejected." msgid_plural "Daily posting limit of %d posts reached. The post was rejected." msgstr[0] "Das tägliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen." -msgstr[1] "Das tägliche Limit von %d Beiträgen wurde erreicht. Die Nachricht wurde verworfen." +msgstr[1] "Das tägliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." #: include/api.php:1223 #, php-format @@ -84,7 +85,7 @@ msgid "Weekly posting limit of %d post reached. The post was rejected." msgid_plural "" "Weekly posting limit of %d posts reached. The post was rejected." msgstr[0] "Das wöchentliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen." -msgstr[1] "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Die Nachricht wurde verworfen." +msgstr[1] "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen." #: include/api.php:1247 #, php-format @@ -120,17 +121,17 @@ msgstr "%1$s, %2$s Administrator" #: include/enotify.php:50 src/Worker/Delivery.php:404 msgid "noreply" -msgstr "noreply" +msgstr "keine Antwort" #: include/enotify.php:98 #, php-format msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica-Meldung] Neue Nachricht erhalten von %s" +msgstr "[Friendica-Meldung] Neue Email erhalten um %s" #: include/enotify.php:100 #, php-format msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s hat Dir eine neue private Nachricht auf %2$s geschickt." +msgstr "%1$s hat Dir eine neue private Nachricht um %2$s geschickt." #: include/enotify.php:101 msgid "a private message" @@ -159,7 +160,7 @@ msgstr "%1$s kommentierte [url=%2$s]%3$ss %4$s[/url]" #: include/enotify.php:159 #, php-format msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s kommentierte [url=%2$s]Deinen %3$s[/url]" +msgstr "%1$s kommentierte [url=%2$s]deine %3$s[/url]" #: include/enotify.php:171 #, php-format @@ -185,7 +186,7 @@ msgstr "[Friendica-Meldung] %s hat auf Deine Pinnwand geschrieben" #: include/enotify.php:185 #, php-format msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s schrieb auf %2$s auf Deine Pinnwand" +msgstr "%1$s schrieb um %2$s auf Deine Pinnwand" #: include/enotify.php:186 #, php-format @@ -5080,7 +5081,7 @@ msgstr "Übersicht" #: mod/admin.php:181 mod/admin.php:718 msgid "Federation Statistics" -msgstr "Federation Statistik" +msgstr "Föderation Statistik" #: mod/admin.php:182 msgid "Configuration" diff --git a/view/lang/de/strings.php b/view/lang/de/strings.php index ee6907558..7198bc5bb 100644 --- a/view/lang/de/strings.php +++ b/view/lang/de/strings.php @@ -12,11 +12,11 @@ $a->strings["The form security token was not correct. This probably happened bec $a->strings["Cannot locate DNS info for database server '%s'"] = "Kann die DNS Informationen für den Datenbankserver '%s' nicht ermitteln."; $a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ 0 => "Das tägliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen.", - 1 => "Das tägliche Limit von %d Beiträgen wurde erreicht. Die Nachricht wurde verworfen.", + 1 => "Das tägliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.", ]; $a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ 0 => "Das wöchentliche Limit von %d Beitrag wurde erreicht. Die Nachricht wurde verworfen.", - 1 => "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Die Nachricht wurde verworfen.", + 1 => "Das wöchentliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen.", ]; $a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Das monatliche Limit von %d Beiträgen wurde erreicht. Der Beitrag wurde verworfen."; $a->strings["Profile Photos"] = "Profilbilder"; @@ -24,20 +24,20 @@ $a->strings["Friendica Notification"] = "Friendica-Benachrichtigung"; $a->strings["Thank You,"] = "Danke,"; $a->strings["%s Administrator"] = "der Administrator von %s"; $a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Administrator"; -$a->strings["noreply"] = "noreply"; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica-Meldung] Neue Nachricht erhalten von %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s hat Dir eine neue private Nachricht auf %2\$s geschickt."; +$a->strings["noreply"] = "keine Antwort"; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica-Meldung] Neue Email erhalten um %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s hat Dir eine neue private Nachricht um %2\$s geschickt."; $a->strings["a private message"] = "eine private Nachricht"; $a->strings["%1\$s sent you %2\$s."] = "%1\$s schickte Dir %2\$s."; $a->strings["Please visit %s to view and/or reply to your private messages."] = "Bitte besuche %s, um Deine privaten Nachrichten anzusehen und/oder zu beantworten."; $a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]a %3\$s[/url]"; $a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]%3\$ss %4\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]Deinen %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]deine %3\$s[/url]"; $a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica-Meldung] Kommentar zum Beitrag #%1\$d von %2\$s"; $a->strings["%s commented on an item/conversation you have been following."] = "%s hat einen Beitrag kommentiert, dem Du folgst."; $a->strings["Please visit %s to view and/or reply to the conversation."] = "Bitte besuche %s, um die Konversation anzusehen und/oder zu kommentieren."; $a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica-Meldung] %s hat auf Deine Pinnwand geschrieben"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s schrieb auf %2\$s auf Deine Pinnwand"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s schrieb um %2\$s auf Deine Pinnwand"; $a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s hat etwas auf [url=%2\$s]Deiner Pinnwand[/url] gepostet"; $a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica-Meldung] %s hat Dich erwähnt"; $a->strings["%1\$s tagged you at %2\$s"] = "%1\$s erwähnte Dich auf %2\$s"; @@ -1150,7 +1150,7 @@ $a->strings["Import your profile to this friendica instance"] = "Importiere Dein $a->strings["Theme settings updated."] = "Themeneinstellungen aktualisiert."; $a->strings["Information"] = "Information"; $a->strings["Overview"] = "Übersicht"; -$a->strings["Federation Statistics"] = "Federation Statistik"; +$a->strings["Federation Statistics"] = "Föderation Statistik"; $a->strings["Configuration"] = "Konfiguration"; $a->strings["Site"] = "Seite"; $a->strings["Users"] = "Nutzer"; From 3119eabce52a7b908aa157ffa318115668ce706c Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 10 Apr 2018 18:30:59 +0200 Subject: [PATCH 031/112] =?UTF-8?q?IS=20translation=20THX=20Sveinn=20?= =?UTF-8?q?=C3=AD=20Felli?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- view/lang/is/messages.po | 14644 +++++++++++++++++++------------------ view/lang/is/strings.php | 3339 +++++---- 2 files changed, 9348 insertions(+), 8635 deletions(-) diff --git a/view/lang/is/messages.po b/view/lang/is/messages.po index 1ac568203..1460ba2e3 100644 --- a/view/lang/is/messages.po +++ b/view/lang/is/messages.po @@ -11,14 +11,14 @@ # peturisfeld , 2012 # peturisfeld , 2012 # sella , 2012 -# Sveinn í Felli , 2014,2016 +# Sveinn í Felli , 2014,2016,2018 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2016-12-19 07:46+0100\n" -"PO-Revision-Date: 2016-12-19 10:01+0000\n" -"Last-Translator: fabrixxm \n" +"POT-Creation-Date: 2018-04-06 16:58+0200\n" +"PO-Revision-Date: 2018-04-10 11:46+0000\n" +"Last-Translator: Sveinn í Felli \n" "Language-Team: Icelandic (http://www.transifex.com/Friendica/friendica/language/is/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -26,3175 +26,4798 @@ msgstr "" "Language: is\n" "Plural-Forms: nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\n" -#: include/contact_widgets.php:6 -msgid "Add New Contact" -msgstr "Bæta við tengilið" +#: include/security.php:81 +msgid "Welcome " +msgstr "Velkomin(n)" -#: include/contact_widgets.php:7 -msgid "Enter address or web location" -msgstr "Settu inn slóð" +#: include/security.php:82 +msgid "Please upload a profile photo." +msgstr "Gerðu svo vel að hlaða inn forsíðumynd." -#: include/contact_widgets.php:8 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Dæmi: gudmundur@simnet.is, http://simnet.is/gudmundur" +#: include/security.php:84 +msgid "Welcome back " +msgstr "Velkomin(n) aftur" -#: include/contact_widgets.php:10 include/identity.php:218 -#: mod/allfriends.php:82 mod/dirfind.php:201 mod/match.php:87 -#: mod/suggest.php:101 -msgid "Connect" -msgstr "Tengjast" - -#: include/contact_widgets.php:24 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d boðskort í boði" -msgstr[1] "%d boðskort í boði" - -#: include/contact_widgets.php:30 -msgid "Find People" -msgstr "Finna fólk" - -#: include/contact_widgets.php:31 -msgid "Enter name or interest" -msgstr "Settu inn nafn eða áhugamál" - -#: include/contact_widgets.php:32 include/Contact.php:354 -#: include/conversation.php:981 mod/allfriends.php:66 mod/dirfind.php:204 -#: mod/match.php:72 mod/suggest.php:83 mod/contacts.php:602 mod/follow.php:103 -msgid "Connect/Follow" -msgstr "Tengjast/fylgja" - -#: include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Dæmi: Jón Jónsson, Veiði" - -#: include/contact_widgets.php:34 mod/directory.php:204 mod/contacts.php:798 -msgid "Find" -msgstr "Finna" - -#: include/contact_widgets.php:35 mod/suggest.php:114 -#: view/theme/vier/theme.php:203 -msgid "Friend Suggestions" -msgstr "Vina uppástungur" - -#: include/contact_widgets.php:36 view/theme/vier/theme.php:202 -msgid "Similar Interests" -msgstr "Svipuð áhugamál" - -#: include/contact_widgets.php:37 -msgid "Random Profile" +#: include/security.php:431 +msgid "" +"The form security token was not correct. This probably happened because the " +"form has been opened for too long (>3 hours) before submitting it." msgstr "" -#: include/contact_widgets.php:38 view/theme/vier/theme.php:204 -msgid "Invite Friends" -msgstr "Bjóða vinum aðgang" - -#: include/contact_widgets.php:108 -msgid "Networks" -msgstr "Net" - -#: include/contact_widgets.php:111 -msgid "All Networks" -msgstr "Öll net" - -#: include/contact_widgets.php:141 include/features.php:110 -msgid "Saved Folders" -msgstr "Vistaðar möppur" - -#: include/contact_widgets.php:144 include/contact_widgets.php:176 -msgid "Everything" -msgstr "Allt" - -#: include/contact_widgets.php:173 -msgid "Categories" -msgstr "Flokkar" - -#: include/contact_widgets.php:237 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d tengiliður sameiginlegur" -msgstr[1] "%d tengiliðir sameiginlegir" - -#: include/contact_widgets.php:242 include/ForumManager.php:119 -#: include/items.php:2245 mod/content.php:624 object/Item.php:432 -#: view/theme/vier/theme.php:260 boot.php:972 -msgid "show more" -msgstr "birta meira" - -#: include/ForumManager.php:114 include/nav.php:131 include/text.php:1025 -#: view/theme/vier/theme.php:255 -msgid "Forums" -msgstr "Spjallsvæði" - -#: include/ForumManager.php:116 view/theme/vier/theme.php:257 -msgid "External link to forum" -msgstr "Ytri tengill á spjallsvæði" - -#: include/profile_selectors.php:6 -msgid "Male" -msgstr "Karl" - -#: include/profile_selectors.php:6 -msgid "Female" -msgstr "Kona" - -#: include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "Karlmaður í augnablikinu" - -#: include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "Kvenmaður í augnablikinu" - -#: include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "Aðallega karlmaður" - -#: include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "Aðallega kvenmaður" - -#: include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Kyngervingur" - -#: include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Hvorugkyn" - -#: include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Kynskiptingur" - -#: include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Tvíkynja" - -#: include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Hvorukyn" - -#: include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Ekki ákveðið" - -#: include/profile_selectors.php:6 -msgid "Other" -msgstr "Annað" - -#: include/profile_selectors.php:6 include/conversation.php:1487 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "Óviss" -msgstr[1] "Óvissir" - -#: include/profile_selectors.php:23 -msgid "Males" -msgstr "Karlar" - -#: include/profile_selectors.php:23 -msgid "Females" -msgstr "Konur" - -#: include/profile_selectors.php:23 -msgid "Gay" -msgstr "Hommi" - -#: include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Lesbía" - -#: include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Til í allt" - -#: include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Tvíkynhneigð/ur" - -#: include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Sjálfkynhneigð/ur" - -#: include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Skírlíf/ur" - -#: include/profile_selectors.php:23 -msgid "Virgin" -msgstr "Hrein mey/Hreinn sveinn" - -#: include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Óþekkur" - -#: include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Blæti" - -#: include/profile_selectors.php:23 -msgid "Oodles" -msgstr "Mikið af því" - -#: include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Engin kynhneigð" - -#: include/profile_selectors.php:42 -msgid "Single" -msgstr "Einhleyp/ur" - -#: include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Einmanna" - -#: include/profile_selectors.php:42 -msgid "Available" -msgstr "Á lausu" - -#: include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "Frátekin/n" - -#: include/profile_selectors.php:42 -msgid "Has crush" -msgstr "Er skotin(n)" - -#: include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "" - -#: include/profile_selectors.php:42 -msgid "Dating" -msgstr "Deita" - -#: include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Ótrú/r" - -#: include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Kynlífsfíkill" - -#: include/profile_selectors.php:42 include/user.php:280 include/user.php:284 -msgid "Friends" -msgstr "Vinir" - -#: include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Vinir með meiru" - -#: include/profile_selectors.php:42 -msgid "Casual" -msgstr "Lauslát/ur" - -#: include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Trúlofuð/Trúlofaður" - -#: include/profile_selectors.php:42 -msgid "Married" -msgstr "Gift/ur" - -#: include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "" - -#: include/profile_selectors.php:42 -msgid "Partners" -msgstr "Félagar" - -#: include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "Í sambúð" - -#: include/profile_selectors.php:42 -msgid "Common law" -msgstr "Löggilt sambúð" - -#: include/profile_selectors.php:42 -msgid "Happy" -msgstr "Hamingjusöm/Hamingjusamur" - -#: include/profile_selectors.php:42 -msgid "Not looking" -msgstr "Ekki að leita" - -#: include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Svingari" - -#: include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Svikin/n" - -#: include/profile_selectors.php:42 -msgid "Separated" -msgstr "Skilin/n að borði og sæng" - -#: include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Óstabíll" - -#: include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Fráskilin/n" - -#: include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "" - -#: include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Ekkja/Ekkill" - -#: include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Óviss" - -#: include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "Þetta er flókið" - -#: include/profile_selectors.php:42 -msgid "Don't care" -msgstr "Gæti ekki verið meira sama" - -#: include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Spurðu mig" - -#: include/dba_pdo.php:72 include/dba.php:56 +#: include/dba.php:57 #, php-format msgid "Cannot locate DNS info for database server '%s'" msgstr "Get ekki flett upp DNS upplýsingum fyrir gagnagrunnsþjón '%s'" -#: include/auth.php:45 -msgid "Logged out." -msgstr "Skráður út." - -#: include/auth.php:116 include/auth.php:178 mod/openid.php:100 -msgid "Login failed." -msgstr "Innskráning mistókst." - -#: include/auth.php:132 include/user.php:75 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "" - -#: include/auth.php:132 include/user.php:75 -msgid "The error message was:" -msgstr "Villumeldingin var:" - -#: include/group.php:25 -msgid "" -"A deleted group with this name was revived. Existing item permissions " -"may apply to this group and any future members. If this is " -"not what you intended, please create another group with a different name." -msgstr "Hóp sem var eytt hefur verið endurlífgaður. Færslur sem þegar voru til geta mögulega farið á hópinn og framtíðar meðlimir. Ef þetta er ekki það sem þú vilt, þá þarftu að búa til nýjan hóp með öðru nafni." - -#: include/group.php:209 -msgid "Default privacy group for new contacts" -msgstr "" - -#: include/group.php:242 -msgid "Everybody" -msgstr "Allir" - -#: include/group.php:265 -msgid "edit" -msgstr "breyta" - -#: include/group.php:286 mod/newmember.php:61 -msgid "Groups" -msgstr "Hópar" - -#: include/group.php:288 -msgid "Edit groups" -msgstr "Breyta hópum" - -#: include/group.php:290 -msgid "Edit group" -msgstr "Breyta hóp" - -#: include/group.php:291 -msgid "Create a new group" -msgstr "Stofna nýjan hóp" - -#: include/group.php:292 mod/group.php:94 mod/group.php:178 -msgid "Group Name: " -msgstr "Nafn hóps: " - -#: include/group.php:294 -msgid "Contacts not in any group" -msgstr "Tengiliðir ekki í neinum hópum" - -#: include/group.php:296 mod/network.php:201 -msgid "add" -msgstr "bæta við" - -#: include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Óþekkt | Ekki flokkað" - -#: include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Banna samstundis" - -#: include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Grunsamlegur, ruslsendari, auglýsandi" - -#: include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Ég þekki þetta, en hef ekki skoðun á" - -#: include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "Í lagi, væntanlega meinlaus" - -#: include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Gott orðspor, ég treysti þessu" - -#: include/contact_selectors.php:56 mod/admin.php:890 -msgid "Frequently" -msgstr "Oft" - -#: include/contact_selectors.php:57 mod/admin.php:891 -msgid "Hourly" -msgstr "Klukkustundar fresti" - -#: include/contact_selectors.php:58 mod/admin.php:892 -msgid "Twice daily" -msgstr "Tvisvar á dag" - -#: include/contact_selectors.php:59 mod/admin.php:893 -msgid "Daily" -msgstr "Daglega" - -#: include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Vikulega" - -#: include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Mánaðarlega" - -#: include/contact_selectors.php:76 mod/dfrn_request.php:868 -msgid "Friendica" -msgstr "Friendica" - -#: include/contact_selectors.php:77 -msgid "OStatus" -msgstr "OStatus" - -#: include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: include/contact_selectors.php:79 include/contact_selectors.php:86 -#: mod/admin.php:1396 mod/admin.php:1409 mod/admin.php:1422 mod/admin.php:1440 -msgid "Email" -msgstr "Póstfang" - -#: include/contact_selectors.php:80 mod/settings.php:842 -#: mod/dfrn_request.php:870 -msgid "Diaspora" -msgstr "Diaspora" - -#: include/contact_selectors.php:81 -msgid "Facebook" -msgstr "Facebook" - -#: include/contact_selectors.php:82 -msgid "Zot!" -msgstr "Zot!" - -#: include/contact_selectors.php:83 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: include/contact_selectors.php:84 -msgid "XMPP/IM" -msgstr "XMPP/IM" - -#: include/contact_selectors.php:85 -msgid "MySpace" -msgstr "MySpace" - -#: include/contact_selectors.php:87 -msgid "Google+" -msgstr "Google+" - -#: include/contact_selectors.php:88 -msgid "pump.io" -msgstr "pump.io" - -#: include/contact_selectors.php:89 -msgid "Twitter" -msgstr "Twitter" - -#: include/contact_selectors.php:90 -msgid "Diaspora Connector" -msgstr "Diaspora tenging" - -#: include/contact_selectors.php:91 -msgid "GNU Social" -msgstr "GNU Social" - -#: include/contact_selectors.php:92 -msgid "App.net" -msgstr "App.net" - -#: include/contact_selectors.php:103 -msgid "Hubzilla/Redmatrix" -msgstr "Hubzilla/Redmatrix" - -#: include/acl_selectors.php:327 -msgid "Post to Email" -msgstr "Senda skilaboð á tölvupóst" - -#: include/acl_selectors.php:332 +#: include/api.php:1199 #, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "" - -#: include/acl_selectors.php:333 mod/settings.php:1181 -msgid "Hide your profile details from unknown viewers?" -msgstr "Fela forsíðuupplýsingar fyrir óþekktum?" - -#: include/acl_selectors.php:338 -msgid "Visible to everybody" -msgstr "Sjáanlegt öllum" - -#: include/acl_selectors.php:339 view/theme/vier/config.php:103 -msgid "show" -msgstr "sýna" - -#: include/acl_selectors.php:340 view/theme/vier/config.php:103 -msgid "don't show" -msgstr "fela" - -#: include/acl_selectors.php:346 mod/editpost.php:133 -msgid "CC: email addresses" -msgstr "CC: tölvupóstfang" - -#: include/acl_selectors.php:347 mod/editpost.php:140 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Dæmi: bibbi@vefur.is, mgga@vefur.is" - -#: include/acl_selectors.php:349 mod/events.php:509 mod/photos.php:1156 -#: mod/photos.php:1535 -msgid "Permissions" -msgstr "Aðgangsheimildir" - -#: include/acl_selectors.php:350 -msgid "Close" -msgstr "Loka" - -#: include/like.php:163 include/conversation.php:130 -#: include/conversation.php:266 include/text.php:1804 mod/subthread.php:87 -#: mod/tagger.php:62 -msgid "photo" -msgstr "mynd" - -#: include/like.php:163 include/diaspora.php:1406 include/conversation.php:125 -#: include/conversation.php:134 include/conversation.php:261 -#: include/conversation.php:270 mod/subthread.php:87 mod/tagger.php:62 -msgid "status" -msgstr "staða" - -#: include/like.php:165 include/conversation.php:122 -#: include/conversation.php:258 include/text.php:1802 -msgid "event" -msgstr "atburður" - -#: include/like.php:182 include/diaspora.php:1402 include/conversation.php:141 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s líkar við %3$s hjá %2$s " - -#: include/like.php:184 include/conversation.php:144 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s líkar ekki við %3$s hjá %2$s " - -#: include/like.php:186 -#, php-format -msgid "%1$s is attending %2$s's %3$s" -msgstr "" - -#: include/like.php:188 -#, php-format -msgid "%1$s is not attending %2$s's %3$s" -msgstr "" - -#: include/like.php:190 -#, php-format -msgid "%1$s may attend %2$s's %3$s" -msgstr "" - -#: include/message.php:15 include/message.php:173 -msgid "[no subject]" -msgstr "[ekkert efni]" - -#: include/message.php:145 include/Photo.php:1040 include/Photo.php:1056 -#: include/Photo.php:1064 include/Photo.php:1089 mod/wall_upload.php:218 -#: mod/wall_upload.php:232 mod/wall_upload.php:239 mod/item.php:478 -msgid "Wall Photos" -msgstr "Veggmyndir" - -#: include/plugin.php:526 include/plugin.php:528 -msgid "Click here to upgrade." -msgstr "Smelltu hér til að uppfæra." - -#: include/plugin.php:534 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "" - -#: include/plugin.php:539 -msgid "This action is not available under your subscription plan." -msgstr "" - -#: include/uimport.php:94 -msgid "Error decoding account file" -msgstr "" - -#: include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "" - -#: include/uimport.php:116 include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "" - -#: include/uimport.php:120 include/uimport.php:131 -#, php-format -msgid "User '%s' already exists on this server!" -msgstr "" - -#: include/uimport.php:153 -msgid "User creation error" -msgstr "" - -#: include/uimport.php:173 -msgid "User profile creation error" -msgstr "" - -#: include/uimport.php:222 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" +msgid "Daily posting limit of %d post reached. The post was rejected." +msgid_plural "Daily posting limit of %d posts reached. The post was rejected." msgstr[0] "" msgstr[1] "" -#: include/uimport.php:292 -msgid "Done. You can now login with your username and password" +#: include/api.php:1223 +#, php-format +msgid "Weekly posting limit of %d post reached. The post was rejected." +msgid_plural "" +"Weekly posting limit of %d posts reached. The post was rejected." +msgstr[0] "" +msgstr[1] "" + +#: include/api.php:1247 +#, php-format +msgid "Monthly posting limit of %d post reached. The post was rejected." msgstr "" -#: include/datetime.php:57 include/datetime.php:59 mod/profiles.php:705 -msgid "Miscellaneous" -msgstr "Ýmislegt" +#: include/api.php:4400 mod/photos.php:88 mod/photos.php:194 +#: mod/photos.php:722 mod/photos.php:1149 mod/photos.php:1166 +#: mod/photos.php:1684 mod/profile_photo.php:85 mod/profile_photo.php:93 +#: mod/profile_photo.php:101 mod/profile_photo.php:211 +#: mod/profile_photo.php:302 mod/profile_photo.php:312 src/Model/User.php:539 +#: src/Model/User.php:547 src/Model/User.php:555 +msgid "Profile Photos" +msgstr "Forsíðumyndir" -#: include/datetime.php:183 include/identity.php:629 -msgid "Birthday:" -msgstr "Afmælisdagur:" - -#: include/datetime.php:185 mod/profiles.php:728 -msgid "Age: " -msgstr "Aldur: " - -#: include/datetime.php:187 -msgid "YYYY-MM-DD or MM-DD" -msgstr "ÁÁÁÁ-MM-DD eða MM-DD" - -#: include/datetime.php:341 -msgid "never" -msgstr "aldrei" - -#: include/datetime.php:347 -msgid "less than a second ago" -msgstr "fyrir minna en sekúndu" - -#: include/datetime.php:350 -msgid "year" -msgstr "ár" - -#: include/datetime.php:350 -msgid "years" -msgstr "ár" - -#: include/datetime.php:351 include/event.php:480 mod/cal.php:284 -#: mod/events.php:389 -msgid "month" -msgstr "mánuður" - -#: include/datetime.php:351 -msgid "months" -msgstr "mánuðir" - -#: include/datetime.php:352 include/event.php:481 mod/cal.php:285 -#: mod/events.php:390 -msgid "week" -msgstr "vika" - -#: include/datetime.php:352 -msgid "weeks" -msgstr "vikur" - -#: include/datetime.php:353 include/event.php:482 mod/cal.php:286 -#: mod/events.php:391 -msgid "day" -msgstr "dagur" - -#: include/datetime.php:353 -msgid "days" -msgstr "dagar" - -#: include/datetime.php:354 -msgid "hour" -msgstr "klukkustund" - -#: include/datetime.php:354 -msgid "hours" -msgstr "klukkustundir" - -#: include/datetime.php:355 -msgid "minute" -msgstr "mínúta" - -#: include/datetime.php:355 -msgid "minutes" -msgstr "mínútur" - -#: include/datetime.php:356 -msgid "second" -msgstr "sekúnda" - -#: include/datetime.php:356 -msgid "seconds" -msgstr "sekúndur" - -#: include/datetime.php:365 -#, php-format -msgid "%1$d %2$s ago" -msgstr "Fyrir %1$d %2$s síðan" - -#: include/datetime.php:572 -#, php-format -msgid "%s's birthday" -msgstr "Afmælisdagur %s" - -#: include/datetime.php:573 include/dfrn.php:1109 -#, php-format -msgid "Happy Birthday %s" -msgstr "Til hamingju með afmælið %s" - -#: include/enotify.php:24 +#: include/enotify.php:31 msgid "Friendica Notification" msgstr "Friendica tilkynning" -#: include/enotify.php:27 +#: include/enotify.php:34 msgid "Thank You," msgstr "Takk fyrir," -#: include/enotify.php:30 +#: include/enotify.php:37 #, php-format msgid "%s Administrator" msgstr "Kerfisstjóri %s" -#: include/enotify.php:32 +#: include/enotify.php:39 #, php-format msgid "%1$s, %2$s Administrator" msgstr "%1$s, %2$s kerfisstjóri" -#: include/enotify.php:43 include/delivery.php:457 +#: include/enotify.php:50 src/Worker/Delivery.php:404 msgid "noreply" msgstr "ekki svara" -#: include/enotify.php:70 -#, php-format -msgid "%s " -msgstr "%s " - -#: include/enotify.php:83 +#: include/enotify.php:98 #, php-format msgid "[Friendica:Notify] New mail received at %s" msgstr "" -#: include/enotify.php:85 +#: include/enotify.php:100 #, php-format msgid "%1$s sent you a new private message at %2$s." msgstr "" -#: include/enotify.php:86 +#: include/enotify.php:101 +msgid "a private message" +msgstr "einkaskilaboð" + +#: include/enotify.php:101 #, php-format msgid "%1$s sent you %2$s." msgstr "%1$s sendi þér %2$s." -#: include/enotify.php:86 -msgid "a private message" -msgstr "einkaskilaboð" - -#: include/enotify.php:88 +#: include/enotify.php:103 #, php-format msgid "Please visit %s to view and/or reply to your private messages." msgstr "Farðu á %s til að skoða og/eða svara einkaskilaboðunum þínum." -#: include/enotify.php:134 +#: include/enotify.php:141 #, php-format msgid "%1$s commented on [url=%2$s]a %3$s[/url]" msgstr "" -#: include/enotify.php:141 +#: include/enotify.php:149 #, php-format msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" msgstr "" -#: include/enotify.php:149 +#: include/enotify.php:159 #, php-format msgid "%1$s commented on [url=%2$s]your %3$s[/url]" msgstr "" -#: include/enotify.php:159 +#: include/enotify.php:171 #, php-format msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" msgstr "" -#: include/enotify.php:161 +#: include/enotify.php:173 #, php-format msgid "%s commented on an item/conversation you have been following." msgstr "%s skrifaði athugasemd á færslu/samtal sem þú ert að fylgja." -#: include/enotify.php:164 include/enotify.php:178 include/enotify.php:192 -#: include/enotify.php:206 include/enotify.php:224 include/enotify.php:238 +#: include/enotify.php:176 include/enotify.php:191 include/enotify.php:206 +#: include/enotify.php:221 include/enotify.php:240 include/enotify.php:255 #, php-format msgid "Please visit %s to view and/or reply to the conversation." msgstr "Farðu á %s til að skoða og/eða svara samtali." -#: include/enotify.php:171 +#: include/enotify.php:183 #, php-format msgid "[Friendica:Notify] %s posted to your profile wall" msgstr "" -#: include/enotify.php:173 +#: include/enotify.php:185 #, php-format msgid "%1$s posted to your profile wall at %2$s" msgstr "" -#: include/enotify.php:174 +#: include/enotify.php:186 #, php-format msgid "%1$s posted to [url=%2$s]your wall[/url]" msgstr "" -#: include/enotify.php:185 +#: include/enotify.php:198 #, php-format msgid "[Friendica:Notify] %s tagged you" msgstr "" -#: include/enotify.php:187 +#: include/enotify.php:200 #, php-format msgid "%1$s tagged you at %2$s" msgstr "" -#: include/enotify.php:188 +#: include/enotify.php:201 #, php-format msgid "%1$s [url=%2$s]tagged you[/url]." msgstr "" -#: include/enotify.php:199 +#: include/enotify.php:213 #, php-format msgid "[Friendica:Notify] %s shared a new post" msgstr "" -#: include/enotify.php:201 +#: include/enotify.php:215 #, php-format msgid "%1$s shared a new post at %2$s" msgstr "" -#: include/enotify.php:202 +#: include/enotify.php:216 #, php-format msgid "%1$s [url=%2$s]shared a post[/url]." msgstr "" -#: include/enotify.php:213 +#: include/enotify.php:228 #, php-format msgid "[Friendica:Notify] %1$s poked you" msgstr "[Friendica:Notify] %1$s potaði í þig" -#: include/enotify.php:215 +#: include/enotify.php:230 #, php-format msgid "%1$s poked you at %2$s" msgstr "%1$s potaði í þig %2$s" -#: include/enotify.php:216 +#: include/enotify.php:231 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." msgstr "" -#: include/enotify.php:231 +#: include/enotify.php:247 #, php-format msgid "[Friendica:Notify] %s tagged your post" msgstr "" -#: include/enotify.php:233 +#: include/enotify.php:249 #, php-format msgid "%1$s tagged your post at %2$s" msgstr "" -#: include/enotify.php:234 +#: include/enotify.php:250 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" msgstr "" -#: include/enotify.php:245 +#: include/enotify.php:262 msgid "[Friendica:Notify] Introduction received" msgstr "" -#: include/enotify.php:247 +#: include/enotify.php:264 #, php-format msgid "You've received an introduction from '%1$s' at %2$s" msgstr "" -#: include/enotify.php:248 +#: include/enotify.php:265 #, php-format msgid "You've received [url=%1$s]an introduction[/url] from %2$s." msgstr "" -#: include/enotify.php:252 include/enotify.php:295 +#: include/enotify.php:270 include/enotify.php:316 #, php-format msgid "You may visit their profile at %s" msgstr "Þú getur heimsótt síðuna þeirra á %s" -#: include/enotify.php:254 +#: include/enotify.php:272 #, php-format msgid "Please visit %s to approve or reject the introduction." msgstr "Farðu á %s til að samþykkja eða hunsa þessa kynningu." -#: include/enotify.php:262 +#: include/enotify.php:280 msgid "[Friendica:Notify] A new person is sharing with you" msgstr "" -#: include/enotify.php:264 include/enotify.php:265 +#: include/enotify.php:282 include/enotify.php:283 #, php-format msgid "%1$s is sharing with you at %2$s" msgstr "" -#: include/enotify.php:271 +#: include/enotify.php:290 msgid "[Friendica:Notify] You have a new follower" msgstr "" -#: include/enotify.php:273 include/enotify.php:274 +#: include/enotify.php:292 include/enotify.php:293 #, php-format msgid "You have a new follower at %2$s : %1$s" msgstr "" -#: include/enotify.php:285 +#: include/enotify.php:305 msgid "[Friendica:Notify] Friend suggestion received" msgstr "" -#: include/enotify.php:287 +#: include/enotify.php:307 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" msgstr "" -#: include/enotify.php:288 +#: include/enotify.php:308 #, php-format msgid "" "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." msgstr "" -#: include/enotify.php:293 +#: include/enotify.php:314 msgid "Name:" msgstr "Nafn:" -#: include/enotify.php:294 +#: include/enotify.php:315 msgid "Photo:" msgstr "Mynd:" -#: include/enotify.php:297 +#: include/enotify.php:318 #, php-format msgid "Please visit %s to approve or reject the suggestion." msgstr "Farðu á %s til að samþykkja eða hunsa þessa uppástungu." -#: include/enotify.php:305 include/enotify.php:319 +#: include/enotify.php:326 include/enotify.php:341 msgid "[Friendica:Notify] Connection accepted" msgstr "[Friendica:Notify] Tenging samþykkt" -#: include/enotify.php:307 include/enotify.php:321 +#: include/enotify.php:328 include/enotify.php:343 #, php-format msgid "'%1$s' has accepted your connection request at %2$s" msgstr "" -#: include/enotify.php:308 include/enotify.php:322 +#: include/enotify.php:329 include/enotify.php:344 #, php-format msgid "%2$s has accepted your [url=%1$s]connection request[/url]." msgstr "" -#: include/enotify.php:312 +#: include/enotify.php:334 msgid "" "You are now mutual friends and may exchange status updates, photos, and " "email without restriction." msgstr "" -#: include/enotify.php:314 +#: include/enotify.php:336 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "" -#: include/enotify.php:326 +#: include/enotify.php:349 #, php-format msgid "" -"'%1$s' has chosen to accept you a \"fan\", which restricts some forms of " +"'%1$s' has chosen to accept you a fan, which restricts some forms of " "communication - such as private messaging and some profile interactions. If " "this is a celebrity or community page, these settings were applied " "automatically." msgstr "" -#: include/enotify.php:328 +#: include/enotify.php:351 #, php-format msgid "" "'%1$s' may choose to extend this into a two-way or more permissive " "relationship in the future." msgstr "" -#: include/enotify.php:330 +#: include/enotify.php:353 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." msgstr "" -#: include/enotify.php:340 +#: include/enotify.php:363 msgid "[Friendica System:Notify] registration request" msgstr "[Friendica System:Notify] beiðni um skráningu" -#: include/enotify.php:342 +#: include/enotify.php:365 #, php-format msgid "You've received a registration request from '%1$s' at %2$s" msgstr "" -#: include/enotify.php:343 +#: include/enotify.php:366 #, php-format msgid "You've received a [url=%1$s]registration request[/url] from %2$s." msgstr "" -#: include/enotify.php:347 +#: include/enotify.php:371 #, php-format msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" msgstr "" -#: include/enotify.php:350 +#: include/enotify.php:377 #, php-format msgid "Please visit %s to approve or reject the request." msgstr "Farðu á %s til að samþykkja eða hunsa þessa beiðni." -#: include/event.php:16 include/bb2diaspora.php:152 mod/localtime.php:12 -msgid "l F d, Y \\@ g:i A" -msgstr "" - -#: include/event.php:33 include/event.php:51 include/event.php:487 -#: include/bb2diaspora.php:158 -msgid "Starts:" -msgstr "Byrjar:" - -#: include/event.php:36 include/event.php:57 include/event.php:488 -#: include/bb2diaspora.php:166 -msgid "Finishes:" -msgstr "Endar:" - -#: include/event.php:39 include/event.php:63 include/event.php:489 -#: include/bb2diaspora.php:174 include/identity.php:328 -#: mod/notifications.php:232 mod/directory.php:137 mod/events.php:494 -#: mod/contacts.php:628 -msgid "Location:" -msgstr "Staðsetning:" - -#: include/event.php:441 -msgid "Sun" -msgstr "Sun" - -#: include/event.php:442 -msgid "Mon" -msgstr "Mán" - -#: include/event.php:443 -msgid "Tue" -msgstr "Þri" - -#: include/event.php:444 -msgid "Wed" -msgstr "Mið" - -#: include/event.php:445 -msgid "Thu" -msgstr "Fim" - -#: include/event.php:446 -msgid "Fri" -msgstr "Fös" - -#: include/event.php:447 -msgid "Sat" -msgstr "Lau" - -#: include/event.php:448 include/text.php:1130 mod/settings.php:972 -msgid "Sunday" -msgstr "Sunnudagur" - -#: include/event.php:449 include/text.php:1130 mod/settings.php:972 -msgid "Monday" -msgstr "Mánudagur" - -#: include/event.php:450 include/text.php:1130 -msgid "Tuesday" -msgstr "Þriðjudagur" - -#: include/event.php:451 include/text.php:1130 -msgid "Wednesday" -msgstr "Miðvikudagur" - -#: include/event.php:452 include/text.php:1130 -msgid "Thursday" -msgstr "Fimmtudagur" - -#: include/event.php:453 include/text.php:1130 -msgid "Friday" -msgstr "Föstudagur" - -#: include/event.php:454 include/text.php:1130 -msgid "Saturday" -msgstr "Laugardagur" - -#: include/event.php:455 -msgid "Jan" -msgstr "Jan" - -#: include/event.php:456 -msgid "Feb" -msgstr "Feb" - -#: include/event.php:457 -msgid "Mar" -msgstr "Mar" - -#: include/event.php:458 -msgid "Apr" -msgstr "Apr" - -#: include/event.php:459 include/event.php:471 include/text.php:1134 -msgid "May" -msgstr "Maí" - -#: include/event.php:460 -msgid "Jun" -msgstr "Jún" - -#: include/event.php:461 -msgid "Jul" -msgstr "Júl" - -#: include/event.php:462 -msgid "Aug" -msgstr "Ágú" - -#: include/event.php:463 -msgid "Sept" -msgstr "Sept" - -#: include/event.php:464 -msgid "Oct" -msgstr "Okt" - -#: include/event.php:465 -msgid "Nov" -msgstr "Nóv" - -#: include/event.php:466 -msgid "Dec" -msgstr "Des" - -#: include/event.php:467 include/text.php:1134 -msgid "January" -msgstr "Janúar" - -#: include/event.php:468 include/text.php:1134 -msgid "February" -msgstr "Febrúar" - -#: include/event.php:469 include/text.php:1134 -msgid "March" -msgstr "Mars" - -#: include/event.php:470 include/text.php:1134 -msgid "April" -msgstr "Apríl" - -#: include/event.php:472 include/text.php:1134 -msgid "June" -msgstr "Júní" - -#: include/event.php:473 include/text.php:1134 -msgid "July" -msgstr "Júlí" - -#: include/event.php:474 include/text.php:1134 -msgid "August" -msgstr "Ágúst" - -#: include/event.php:475 include/text.php:1134 -msgid "September" -msgstr "September" - -#: include/event.php:476 include/text.php:1134 -msgid "October" -msgstr "Október" - -#: include/event.php:477 include/text.php:1134 -msgid "November" -msgstr "Nóvember" - -#: include/event.php:478 include/text.php:1134 -msgid "December" -msgstr "Desember" - -#: include/event.php:479 mod/cal.php:283 mod/events.php:388 -msgid "today" -msgstr "í dag" - -#: include/event.php:483 -msgid "all-day" -msgstr "" - -#: include/event.php:485 -msgid "No events to display" -msgstr "" - -#: include/event.php:574 -msgid "l, F j" -msgstr "" - -#: include/event.php:593 -msgid "Edit event" -msgstr "Breyta atburð" - -#: include/event.php:615 include/text.php:1532 include/text.php:1539 -msgid "link to source" -msgstr "slóð á heimild" - -#: include/event.php:850 -msgid "Export" -msgstr "Flytja út" - -#: include/event.php:851 -msgid "Export calendar as ical" -msgstr "Flytja dagatal út sem ICAL" - -#: include/event.php:852 -msgid "Export calendar as csv" -msgstr "Flytja dagatal út sem CSV" - -#: include/nav.php:35 mod/navigation.php:19 -msgid "Nothing new here" -msgstr "Ekkert nýtt hér" - -#: include/nav.php:39 mod/navigation.php:23 -msgid "Clear notifications" -msgstr "Hreinsa tilkynningar" - -#: include/nav.php:40 include/text.php:1015 -msgid "@name, !forum, #tags, content" -msgstr "@nafn, !spjallsvæði, #merki, innihald" - -#: include/nav.php:78 view/theme/frio/theme.php:246 boot.php:1792 -msgid "Logout" -msgstr "Útskrá" - -#: include/nav.php:78 view/theme/frio/theme.php:246 -msgid "End this session" -msgstr "Loka þessu innliti" - -#: include/nav.php:81 include/identity.php:714 mod/contacts.php:637 -#: mod/contacts.php:833 view/theme/frio/theme.php:249 -msgid "Status" -msgstr "Staða" - -#: include/nav.php:81 include/nav.php:161 view/theme/frio/theme.php:249 -msgid "Your posts and conversations" -msgstr "Samtölin þín" - -#: include/nav.php:82 include/identity.php:605 include/identity.php:691 -#: include/identity.php:722 mod/profperm.php:104 mod/newmember.php:32 -#: mod/contacts.php:639 mod/contacts.php:841 view/theme/frio/theme.php:250 -msgid "Profile" -msgstr "Forsíða" - -#: include/nav.php:82 view/theme/frio/theme.php:250 -msgid "Your profile page" -msgstr "Forsíðan þín" - -#: include/nav.php:83 include/identity.php:730 mod/fbrowser.php:32 -#: view/theme/frio/theme.php:251 -msgid "Photos" -msgstr "Myndir" - -#: include/nav.php:83 view/theme/frio/theme.php:251 -msgid "Your photos" -msgstr "Myndirnar þínar" - -#: include/nav.php:84 include/identity.php:738 include/identity.php:741 -#: view/theme/frio/theme.php:252 -msgid "Videos" -msgstr "Myndskeið" - -#: include/nav.php:84 view/theme/frio/theme.php:252 -msgid "Your videos" -msgstr "Myndskeiðin þín" - -#: include/nav.php:85 include/nav.php:149 include/identity.php:750 -#: include/identity.php:761 mod/cal.php:275 mod/events.php:379 -#: view/theme/frio/theme.php:253 view/theme/frio/theme.php:257 -msgid "Events" -msgstr "Atburðir" - -#: include/nav.php:85 view/theme/frio/theme.php:253 -msgid "Your events" -msgstr "Atburðirnir þínir" - -#: include/nav.php:86 -msgid "Personal notes" -msgstr "Einkaglósur" - -#: include/nav.php:86 -msgid "Your personal notes" -msgstr "Einkaglósurnar þínar" - -#: include/nav.php:95 mod/bookmarklet.php:12 boot.php:1793 -msgid "Login" -msgstr "Innskrá" - -#: include/nav.php:95 -msgid "Sign in" -msgstr "Innskrá" - -#: include/nav.php:105 include/nav.php:161 -#: include/NotificationsManager.php:174 -msgid "Home" -msgstr "Heim" - -#: include/nav.php:105 -msgid "Home Page" -msgstr "Heimasíða" - -#: include/nav.php:109 mod/register.php:289 boot.php:1768 -msgid "Register" -msgstr "Nýskrá" - -#: include/nav.php:109 -msgid "Create an account" -msgstr "Stofna notanda" - -#: include/nav.php:115 mod/help.php:47 view/theme/vier/theme.php:298 -msgid "Help" -msgstr "Hjálp" - -#: include/nav.php:115 -msgid "Help and documentation" -msgstr "Hjálp og leiðbeiningar" - -#: include/nav.php:119 -msgid "Apps" -msgstr "Forrit" - -#: include/nav.php:119 -msgid "Addon applications, utilities, games" -msgstr "Viðbótarforrit, nytjatól, leikir" - -#: include/nav.php:123 include/text.php:1012 mod/search.php:149 -msgid "Search" -msgstr "Leita" - -#: include/nav.php:123 -msgid "Search site content" -msgstr "Leita í efni á vef" - -#: include/nav.php:126 include/text.php:1020 -msgid "Full Text" -msgstr "Allur textinn" - -#: include/nav.php:127 include/text.php:1021 -msgid "Tags" -msgstr "Merki" - -#: include/nav.php:128 include/nav.php:192 include/identity.php:783 -#: include/identity.php:786 include/text.php:1022 mod/contacts.php:792 -#: mod/contacts.php:853 mod/viewcontacts.php:116 view/theme/frio/theme.php:260 -msgid "Contacts" -msgstr "Tengiliðir" - -#: include/nav.php:143 include/nav.php:145 mod/community.php:36 -msgid "Community" -msgstr "Samfélag" - -#: include/nav.php:143 -msgid "Conversations on this site" -msgstr "Samtöl á þessum vef" - -#: include/nav.php:145 -msgid "Conversations on the network" -msgstr "Samtöl á þessu neti" - -#: include/nav.php:149 include/identity.php:753 include/identity.php:764 -#: view/theme/frio/theme.php:257 -msgid "Events and Calendar" -msgstr "Atburðir og dagskrá" - -#: include/nav.php:152 -msgid "Directory" -msgstr "Tengiliðalisti" - -#: include/nav.php:152 -msgid "People directory" -msgstr "Nafnaskrá" - -#: include/nav.php:154 -msgid "Information" -msgstr "Upplýsingar" - -#: include/nav.php:154 -msgid "Information about this friendica instance" -msgstr "Upplýsingar um þetta tilvik Friendica" - -#: include/nav.php:158 include/NotificationsManager.php:160 mod/admin.php:411 -#: view/theme/frio/theme.php:256 -msgid "Network" -msgstr "Samfélag" - -#: include/nav.php:158 view/theme/frio/theme.php:256 -msgid "Conversations from your friends" -msgstr "Samtöl frá vinum" - -#: include/nav.php:159 -msgid "Network Reset" -msgstr "Núllstilling netkerfis" - -#: include/nav.php:159 -msgid "Load Network page with no filters" -msgstr "" - -#: include/nav.php:166 include/NotificationsManager.php:181 -msgid "Introductions" -msgstr "Kynningar" - -#: include/nav.php:166 -msgid "Friend Requests" -msgstr "Vinabeiðnir" - -#: include/nav.php:169 mod/notifications.php:96 -msgid "Notifications" -msgstr "Tilkynningar" - -#: include/nav.php:170 -msgid "See all notifications" -msgstr "Sjá allar tilkynningar" - -#: include/nav.php:171 mod/settings.php:902 -msgid "Mark as seen" -msgstr "Merka sem séð" - -#: include/nav.php:171 -msgid "Mark all system notifications seen" -msgstr "Merkja allar tilkynningar sem séðar" - -#: include/nav.php:175 mod/message.php:190 view/theme/frio/theme.php:258 -msgid "Messages" -msgstr "Skilaboð" - -#: include/nav.php:175 view/theme/frio/theme.php:258 -msgid "Private mail" -msgstr "Einka skilaboð" - -#: include/nav.php:176 -msgid "Inbox" -msgstr "Innhólf" - -#: include/nav.php:177 -msgid "Outbox" -msgstr "Úthólf" - -#: include/nav.php:178 mod/message.php:16 -msgid "New Message" -msgstr "Ný skilaboð" - -#: include/nav.php:181 -msgid "Manage" -msgstr "Umsýsla" - -#: include/nav.php:181 -msgid "Manage other pages" -msgstr "Sýsla með aðrar síður" - -#: include/nav.php:184 mod/settings.php:81 -msgid "Delegations" -msgstr "" - -#: include/nav.php:184 mod/delegate.php:130 -msgid "Delegate Page Management" -msgstr "" - -#: include/nav.php:186 mod/newmember.php:22 mod/settings.php:111 -#: mod/admin.php:1524 mod/admin.php:1782 view/theme/frio/theme.php:259 -msgid "Settings" -msgstr "Stillingar" - -#: include/nav.php:186 view/theme/frio/theme.php:259 -msgid "Account settings" -msgstr "Stillingar aðgangsreiknings" - -#: include/nav.php:189 include/identity.php:282 -msgid "Profiles" -msgstr "Forsíður" - -#: include/nav.php:189 -msgid "Manage/Edit Profiles" -msgstr "Sýsla með forsíður" - -#: include/nav.php:192 view/theme/frio/theme.php:260 -msgid "Manage/edit friends and contacts" -msgstr "Sýsla með vini og tengiliði" - -#: include/nav.php:197 mod/admin.php:186 -msgid "Admin" -msgstr "Stjórnborð" - -#: include/nav.php:197 -msgid "Site setup and configuration" -msgstr "Uppsetning og stillingar vefsvæðis" - -#: include/nav.php:200 -msgid "Navigation" -msgstr "Yfirsýn" - -#: include/nav.php:200 -msgid "Site map" -msgstr "Yfirlit um vefsvæði" - -#: include/photos.php:53 mod/fbrowser.php:41 mod/fbrowser.php:62 -#: mod/photos.php:180 mod/photos.php:1086 mod/photos.php:1211 -#: mod/photos.php:1232 mod/photos.php:1795 mod/photos.php:1807 -msgid "Contact Photos" -msgstr "Myndir tengiliðs" - -#: include/security.php:22 -msgid "Welcome " -msgstr "Velkomin(n)" - -#: include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Gerðu svo vel að hlaða inn forsíðumynd." - -#: include/security.php:26 -msgid "Welcome back " -msgstr "Velkomin(n) aftur" - -#: include/security.php:373 -msgid "" -"The form security token was not correct. This probably happened because the " -"form has been opened for too long (>3 hours) before submitting it." -msgstr "" - -#: include/NotificationsManager.php:153 -msgid "System" -msgstr "Kerfi" - -#: include/NotificationsManager.php:167 mod/profiles.php:703 -#: mod/network.php:845 -msgid "Personal" -msgstr "Einka" - -#: include/NotificationsManager.php:234 include/NotificationsManager.php:244 +#: include/items.php:342 mod/notice.php:22 mod/viewsrc.php:21 +#: mod/display.php:72 mod/display.php:252 mod/display.php:354 +#: mod/admin.php:276 mod/admin.php:1854 mod/admin.php:2102 +msgid "Item not found." +msgstr "Atriði fannst ekki." + +#: include/items.php:382 +msgid "Do you really want to delete this item?" +msgstr "Viltu í alvörunni eyða þessu atriði?" + +#: include/items.php:384 mod/api.php:110 mod/suggest.php:38 +#: mod/dfrn_request.php:653 mod/message.php:138 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:639 mod/profiles.php:661 +#: mod/contacts.php:472 mod/register.php:237 mod/settings.php:1105 +#: mod/settings.php:1111 mod/settings.php:1118 mod/settings.php:1122 +#: mod/settings.php:1126 mod/settings.php:1130 mod/settings.php:1134 +#: mod/settings.php:1138 mod/settings.php:1158 mod/settings.php:1159 +#: mod/settings.php:1160 mod/settings.php:1161 mod/settings.php:1162 +msgid "Yes" +msgstr "Já" + +#: include/items.php:387 include/conversation.php:1378 mod/fbrowser.php:103 +#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 +#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 +#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 +#: mod/unfollow.php:117 mod/follow.php:161 mod/contacts.php:475 +#: mod/settings.php:676 mod/settings.php:702 +msgid "Cancel" +msgstr "Hætta við" + +#: include/items.php:401 mod/allfriends.php:21 mod/api.php:35 mod/api.php:40 +#: mod/attach.php:38 mod/common.php:26 mod/crepair.php:98 mod/nogroup.php:28 +#: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/uimport.php:28 +#: mod/notifications.php:73 mod/dfrn_confirm.php:68 mod/invite.php:20 +#: mod/invite.php:106 mod/wall_attach.php:74 mod/wall_attach.php:77 +#: mod/manage.php:131 mod/regmod.php:108 mod/viewcontacts.php:57 +#: mod/wallmessage.php:16 mod/wallmessage.php:40 mod/wallmessage.php:79 +#: mod/wallmessage.php:103 mod/poke.php:150 mod/wall_upload.php:103 +#: mod/wall_upload.php:106 mod/editpost.php:18 mod/fsuggest.php:80 +#: mod/group.php:26 mod/item.php:160 mod/message.php:59 mod/message.php:104 +#: mod/network.php:32 mod/notes.php:30 mod/photos.php:174 mod/photos.php:1051 +#: mod/delegate.php:25 mod/delegate.php:43 mod/delegate.php:54 +#: mod/dirfind.php:25 mod/ostatus_subscribe.php:16 mod/unfollow.php:15 +#: mod/unfollow.php:57 mod/unfollow.php:90 mod/cal.php:304 mod/events.php:194 +#: mod/profile_photo.php:30 mod/profile_photo.php:176 +#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/follow.php:17 +#: mod/follow.php:54 mod/follow.php:118 mod/profiles.php:182 +#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 +#: mod/settings.php:42 mod/settings.php:141 mod/settings.php:665 index.php:416 +msgid "Permission denied." +msgstr "Heimild ekki veitt." + +#: include/items.php:471 +msgid "Archives" +msgstr "Safnskrár" + +#: include/items.php:477 src/Content/ForumManager.php:130 +#: src/Content/Widget.php:312 src/Object/Post.php:430 src/App.php:512 +#: view/theme/vier/theme.php:259 +msgid "show more" +msgstr "birta meira" + +#: include/conversation.php:144 include/conversation.php:282 +#: include/text.php:1774 src/Model/Item.php:1795 +msgid "event" +msgstr "atburður" + +#: include/conversation.php:147 include/conversation.php:157 +#: include/conversation.php:285 include/conversation.php:294 +#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 +#: src/Protocol/Diaspora.php:2010 +msgid "status" +msgstr "staða" + +#: include/conversation.php:152 include/conversation.php:290 +#: include/text.php:1776 mod/subthread.php:97 mod/tagger.php:72 +#: src/Model/Item.php:1793 +msgid "photo" +msgstr "mynd" + +#: include/conversation.php:164 src/Model/Item.php:1666 +#: src/Protocol/Diaspora.php:2006 #, php-format -msgid "%s commented on %s's post" -msgstr "%s athugasemd við %s's færslu" +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s líkar við %3$s hjá %2$s " -#: include/NotificationsManager.php:243 +#: include/conversation.php:167 src/Model/Item.php:1671 #, php-format -msgid "%s created a new post" -msgstr "%s bjó til færslu" +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s líkar ekki við %3$s hjá %2$s " -#: include/NotificationsManager.php:256 -#, php-format -msgid "%s liked %s's post" -msgstr "%s líkaði færsla hjá %s" - -#: include/NotificationsManager.php:267 -#, php-format -msgid "%s disliked %s's post" -msgstr "%s mislíkaði færsla hjá %s" - -#: include/NotificationsManager.php:278 -#, php-format -msgid "%s is attending %s's event" -msgstr "" - -#: include/NotificationsManager.php:289 -#, php-format -msgid "%s is not attending %s's event" -msgstr "" - -#: include/NotificationsManager.php:300 -#, php-format -msgid "%s may attend %s's event" -msgstr "" - -#: include/NotificationsManager.php:315 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s er nú vinur %s" - -#: include/NotificationsManager.php:748 -msgid "Friend Suggestion" -msgstr "Vina tillaga" - -#: include/NotificationsManager.php:781 -msgid "Friend/Connect Request" -msgstr "Vinabeiðni/Tengibeiðni" - -#: include/NotificationsManager.php:781 -msgid "New Follower" -msgstr "Nýr fylgjandi" - -#: include/dbstructure.php:26 -#, php-format -msgid "" -"\n" -"\t\t\tThe friendica developers released update %s recently,\n" -"\t\t\tbut when I tried to install it, something went terribly wrong.\n" -"\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" -"\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." -msgstr "" - -#: include/dbstructure.php:31 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "" - -#: include/dbstructure.php:183 -msgid "Errors encountered creating database tables." -msgstr "Villur komu upp við að stofna töflur í gagnagrunn." - -#: include/dbstructure.php:260 -msgid "Errors encountered performing database changes." -msgstr "" - -#: include/delivery.php:446 -msgid "(no subject)" -msgstr "(ekkert efni)" - -#: include/diaspora.php:1958 -msgid "Sharing notification from Diaspora network" -msgstr "Tilkynning um að einhver deildi atriði á Diaspora netinu" - -#: include/diaspora.php:2864 -msgid "Attachments:" -msgstr "Viðhengi:" - -#: include/network.php:595 -msgid "view full size" -msgstr "Skoða í fullri stærð" - -#: include/Contact.php:340 include/Contact.php:353 include/Contact.php:398 -#: include/conversation.php:968 include/conversation.php:984 -#: mod/allfriends.php:65 mod/directory.php:155 mod/dirfind.php:203 -#: mod/match.php:71 mod/suggest.php:82 -msgid "View Profile" -msgstr "Skoða forsíðu" - -#: include/Contact.php:397 include/conversation.php:967 -msgid "View Status" -msgstr "Skoða stöðu" - -#: include/Contact.php:399 include/conversation.php:969 -msgid "View Photos" -msgstr "Skoða myndir" - -#: include/Contact.php:400 include/conversation.php:970 -msgid "Network Posts" -msgstr "" - -#: include/Contact.php:401 include/conversation.php:971 -msgid "View Contact" -msgstr "" - -#: include/Contact.php:402 -msgid "Drop Contact" -msgstr "Henda tengilið" - -#: include/Contact.php:403 include/conversation.php:972 -msgid "Send PM" -msgstr "Senda einkaboð" - -#: include/Contact.php:404 include/conversation.php:976 -msgid "Poke" -msgstr "Pota" - -#: include/Contact.php:775 -msgid "Organisation" -msgstr "" - -#: include/Contact.php:778 -msgid "News" -msgstr "" - -#: include/Contact.php:781 -msgid "Forum" -msgstr "Spjallsvæði" - -#: include/api.php:1018 -#, php-format -msgid "Daily posting limit of %d posts reached. The post was rejected." -msgstr "" - -#: include/api.php:1038 -#, php-format -msgid "Weekly posting limit of %d posts reached. The post was rejected." -msgstr "" - -#: include/api.php:1059 -#, php-format -msgid "Monthly posting limit of %d posts reached. The post was rejected." -msgstr "" - -#: include/bbcode.php:350 include/bbcode.php:1057 include/bbcode.php:1058 -msgid "Image/photo" -msgstr "Mynd" - -#: include/bbcode.php:467 -#, php-format -msgid "%2$s %3$s" -msgstr "%2$s %3$s" - -#: include/bbcode.php:1017 include/bbcode.php:1037 -msgid "$1 wrote:" -msgstr "$1 skrifaði:" - -#: include/bbcode.php:1066 include/bbcode.php:1067 -msgid "Encrypted content" -msgstr "Dulritað efni" - -#: include/bbcode.php:1169 -msgid "Invalid source protocol" -msgstr "" - -#: include/bbcode.php:1179 -msgid "Invalid link protocol" -msgstr "" - -#: include/conversation.php:147 +#: include/conversation.php:170 #, php-format msgid "%1$s attends %2$s's %3$s" msgstr "" -#: include/conversation.php:150 +#: include/conversation.php:173 #, php-format msgid "%1$s doesn't attend %2$s's %3$s" msgstr "" -#: include/conversation.php:153 +#: include/conversation.php:176 #, php-format msgid "%1$s attends maybe %2$s's %3$s" msgstr "" -#: include/conversation.php:185 mod/dfrn_confirm.php:477 +#: include/conversation.php:209 mod/dfrn_confirm.php:431 +#: src/Protocol/Diaspora.php:2481 #, php-format msgid "%1$s is now friends with %2$s" msgstr "Núna er %1$s vinur %2$s" -#: include/conversation.php:219 +#: include/conversation.php:250 #, php-format msgid "%1$s poked %2$s" msgstr "%1$s potaði í %2$s" -#: include/conversation.php:239 mod/mood.php:62 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "" - -#: include/conversation.php:278 mod/tagger.php:95 +#: include/conversation.php:304 mod/tagger.php:110 #, php-format msgid "%1$s tagged %2$s's %3$s with %4$s" msgstr "%1$s merkti %2$s's %3$s með %4$s" -#: include/conversation.php:303 +#: include/conversation.php:331 msgid "post/item" msgstr "" -#: include/conversation.php:304 +#: include/conversation.php:332 #, php-format msgid "%1$s marked %2$s's %3$s as favorite" msgstr "" -#: include/conversation.php:585 mod/content.php:372 mod/profiles.php:346 -#: mod/photos.php:1607 +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 msgid "Likes" msgstr "Líkar" -#: include/conversation.php:585 mod/content.php:372 mod/profiles.php:350 -#: mod/photos.php:1607 +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 msgid "Dislikes" msgstr "Mislíkar" -#: include/conversation.php:586 include/conversation.php:1481 -#: mod/content.php:373 mod/photos.php:1608 +#: include/conversation.php:606 include/conversation.php:1687 +#: mod/photos.php:1502 msgid "Attending" msgid_plural "Attending" msgstr[0] "Mætir" msgstr[1] "Mæta" -#: include/conversation.php:586 mod/content.php:373 mod/photos.php:1608 +#: include/conversation.php:606 mod/photos.php:1502 msgid "Not attending" msgstr "Mætir ekki" -#: include/conversation.php:586 mod/content.php:373 mod/photos.php:1608 +#: include/conversation.php:606 mod/photos.php:1502 msgid "Might attend" msgstr "Gæti mætt" -#: include/conversation.php:708 mod/content.php:453 mod/content.php:758 -#: mod/photos.php:1681 object/Item.php:133 +#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 msgid "Select" msgstr "Velja" -#: include/conversation.php:709 mod/group.php:171 mod/content.php:454 -#: mod/content.php:759 mod/photos.php:1682 mod/settings.php:741 -#: mod/admin.php:1414 mod/contacts.php:808 mod/contacts.php:1007 -#: object/Item.php:134 +#: include/conversation.php:745 mod/photos.php:1570 mod/contacts.php:830 +#: mod/contacts.php:1035 mod/admin.php:1798 mod/settings.php:738 +#: src/Object/Post.php:179 msgid "Delete" msgstr "Eyða" -#: include/conversation.php:753 mod/content.php:487 mod/content.php:910 -#: mod/content.php:911 object/Item.php:367 object/Item.php:368 +#: include/conversation.php:783 src/Object/Post.php:363 +#: src/Object/Post.php:364 #, php-format msgid "View %s's profile @ %s" msgstr "Birta forsíðu %s hjá %s" -#: include/conversation.php:765 object/Item.php:355 +#: include/conversation.php:795 src/Object/Post.php:351 msgid "Categories:" msgstr "Flokkar:" -#: include/conversation.php:766 object/Item.php:356 +#: include/conversation.php:796 src/Object/Post.php:352 msgid "Filed under:" msgstr "Skráð undir:" -#: include/conversation.php:773 mod/content.php:497 mod/content.php:923 -#: object/Item.php:381 +#: include/conversation.php:803 src/Object/Post.php:377 #, php-format msgid "%s from %s" msgstr "%s til %s" -#: include/conversation.php:789 mod/content.php:513 +#: include/conversation.php:818 msgid "View in context" msgstr "Birta í samhengi" -#: include/conversation.php:791 include/conversation.php:1264 -#: mod/editpost.php:124 mod/wallmessage.php:156 mod/message.php:356 -#: mod/message.php:548 mod/content.php:515 mod/content.php:948 -#: mod/photos.php:1570 object/Item.php:406 +#: include/conversation.php:820 include/conversation.php:1360 +#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 +#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:402 msgid "Please wait" msgstr "Hinkraðu aðeins" -#: include/conversation.php:870 +#: include/conversation.php:891 msgid "remove" msgstr "fjarlægja" -#: include/conversation.php:874 +#: include/conversation.php:895 msgid "Delete Selected Items" msgstr "Eyða völdum færslum" -#: include/conversation.php:966 +#: include/conversation.php:1065 view/theme/frio/theme.php:352 msgid "Follow Thread" msgstr "Fylgja þræði" -#: include/conversation.php:1097 +#: include/conversation.php:1066 src/Model/Contact.php:640 +msgid "View Status" +msgstr "Skoða stöðu" + +#: include/conversation.php:1067 include/conversation.php:1083 +#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 +#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 +#: src/Model/Contact.php:593 src/Model/Contact.php:641 +msgid "View Profile" +msgstr "Skoða forsíðu" + +#: include/conversation.php:1068 src/Model/Contact.php:642 +msgid "View Photos" +msgstr "Skoða myndir" + +#: include/conversation.php:1069 src/Model/Contact.php:643 +msgid "Network Posts" +msgstr "" + +#: include/conversation.php:1070 src/Model/Contact.php:644 +msgid "View Contact" +msgstr "Skoða tengilið" + +#: include/conversation.php:1071 src/Model/Contact.php:646 +msgid "Send PM" +msgstr "Senda einkaboð" + +#: include/conversation.php:1075 src/Model/Contact.php:647 +msgid "Poke" +msgstr "Pota" + +#: include/conversation.php:1080 mod/allfriends.php:74 mod/suggest.php:83 +#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 +#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 +msgid "Connect/Follow" +msgstr "Tengjast/fylgja" + +#: include/conversation.php:1199 #, php-format msgid "%s likes this." msgstr "%s líkar þetta." -#: include/conversation.php:1100 +#: include/conversation.php:1202 #, php-format msgid "%s doesn't like this." msgstr "%s mislíkar þetta." -#: include/conversation.php:1103 +#: include/conversation.php:1205 #, php-format msgid "%s attends." msgstr "%s mætir." -#: include/conversation.php:1106 +#: include/conversation.php:1208 #, php-format msgid "%s doesn't attend." msgstr "%s mætir ekki." -#: include/conversation.php:1109 +#: include/conversation.php:1211 #, php-format msgid "%s attends maybe." msgstr "%s mætir kannski." -#: include/conversation.php:1119 +#: include/conversation.php:1222 msgid "and" msgstr "og" -#: include/conversation.php:1125 +#: include/conversation.php:1228 #, php-format -msgid ", and %d other people" -msgstr ", og %d öðrum" +msgid "and %d other people" +msgstr "" -#: include/conversation.php:1134 +#: include/conversation.php:1237 #, php-format msgid "%2$d people like this" msgstr "" -#: include/conversation.php:1135 +#: include/conversation.php:1238 #, php-format msgid "%s like this." msgstr "" -#: include/conversation.php:1138 +#: include/conversation.php:1241 #, php-format msgid "%2$d people don't like this" msgstr "" -#: include/conversation.php:1139 +#: include/conversation.php:1242 #, php-format msgid "%s don't like this." msgstr "" -#: include/conversation.php:1142 +#: include/conversation.php:1245 #, php-format msgid "%2$d people attend" msgstr "" -#: include/conversation.php:1143 +#: include/conversation.php:1246 #, php-format msgid "%s attend." msgstr "" -#: include/conversation.php:1146 +#: include/conversation.php:1249 #, php-format msgid "%2$d people don't attend" msgstr "" -#: include/conversation.php:1147 +#: include/conversation.php:1250 #, php-format msgid "%s don't attend." msgstr "" -#: include/conversation.php:1150 +#: include/conversation.php:1253 #, php-format msgid "%2$d people attend maybe" msgstr "" -#: include/conversation.php:1151 +#: include/conversation.php:1254 #, php-format -msgid "%s anttend maybe." +msgid "%s attend maybe." msgstr "" -#: include/conversation.php:1190 include/conversation.php:1208 +#: include/conversation.php:1284 include/conversation.php:1300 msgid "Visible to everybody" msgstr "Sjáanlegt öllum" -#: include/conversation.php:1191 include/conversation.php:1209 -#: mod/wallmessage.php:127 mod/wallmessage.php:135 mod/message.php:291 -#: mod/message.php:299 mod/message.php:442 mod/message.php:450 +#: include/conversation.php:1285 include/conversation.php:1301 +#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 +#: mod/message.php:207 mod/message.php:343 mod/message.php:350 msgid "Please enter a link URL:" msgstr "Sláðu inn slóð:" -#: include/conversation.php:1192 include/conversation.php:1210 +#: include/conversation.php:1286 include/conversation.php:1302 msgid "Please enter a video link/URL:" msgstr "Settu inn slóð á myndskeið:" -#: include/conversation.php:1193 include/conversation.php:1211 +#: include/conversation.php:1287 include/conversation.php:1303 msgid "Please enter an audio link/URL:" msgstr "Settu inn slóð á hljóðskrá:" -#: include/conversation.php:1194 include/conversation.php:1212 +#: include/conversation.php:1288 include/conversation.php:1304 msgid "Tag term:" msgstr "Merka með:" -#: include/conversation.php:1195 include/conversation.php:1213 -#: mod/filer.php:30 +#: include/conversation.php:1289 include/conversation.php:1305 +#: mod/filer.php:34 msgid "Save to Folder:" msgstr "Vista í möppu:" -#: include/conversation.php:1196 include/conversation.php:1214 +#: include/conversation.php:1290 include/conversation.php:1306 msgid "Where are you right now?" msgstr "Hvar ert þú núna?" -#: include/conversation.php:1197 +#: include/conversation.php:1291 msgid "Delete item(s)?" msgstr "Eyða atriði/atriðum?" -#: include/conversation.php:1245 mod/photos.php:1569 +#: include/conversation.php:1338 +msgid "New Post" +msgstr "Ný færsla" + +#: include/conversation.php:1341 msgid "Share" msgstr "Deila" -#: include/conversation.php:1246 mod/editpost.php:110 mod/wallmessage.php:154 -#: mod/message.php:354 mod/message.php:545 +#: include/conversation.php:1342 mod/wallmessage.php:143 mod/editpost.php:111 +#: mod/message.php:262 mod/message.php:430 msgid "Upload photo" msgstr "Hlaða upp mynd" -#: include/conversation.php:1247 mod/editpost.php:111 +#: include/conversation.php:1343 mod/editpost.php:112 msgid "upload photo" msgstr "Hlaða upp mynd" -#: include/conversation.php:1248 mod/editpost.php:112 +#: include/conversation.php:1344 mod/editpost.php:113 msgid "Attach file" msgstr "Bæta við skrá" -#: include/conversation.php:1249 mod/editpost.php:113 +#: include/conversation.php:1345 mod/editpost.php:114 msgid "attach file" msgstr "Hengja skrá við" -#: include/conversation.php:1250 mod/editpost.php:114 mod/wallmessage.php:155 -#: mod/message.php:355 mod/message.php:546 +#: include/conversation.php:1346 mod/wallmessage.php:144 mod/editpost.php:115 +#: mod/message.php:263 mod/message.php:431 msgid "Insert web link" msgstr "Setja inn vefslóð" -#: include/conversation.php:1251 mod/editpost.php:115 +#: include/conversation.php:1347 mod/editpost.php:116 msgid "web link" msgstr "vefslóð" -#: include/conversation.php:1252 mod/editpost.php:116 +#: include/conversation.php:1348 mod/editpost.php:117 msgid "Insert video link" msgstr "Setja inn slóð á myndskeið" -#: include/conversation.php:1253 mod/editpost.php:117 +#: include/conversation.php:1349 mod/editpost.php:118 msgid "video link" msgstr "slóð á myndskeið" -#: include/conversation.php:1254 mod/editpost.php:118 +#: include/conversation.php:1350 mod/editpost.php:119 msgid "Insert audio link" msgstr "Setja inn slóð á hljóðskrá" -#: include/conversation.php:1255 mod/editpost.php:119 +#: include/conversation.php:1351 mod/editpost.php:120 msgid "audio link" msgstr "slóð á hljóðskrá" -#: include/conversation.php:1256 mod/editpost.php:120 +#: include/conversation.php:1352 mod/editpost.php:121 msgid "Set your location" msgstr "Veldu staðsetningu þína" -#: include/conversation.php:1257 mod/editpost.php:121 +#: include/conversation.php:1353 mod/editpost.php:122 msgid "set location" msgstr "stilla staðsetningu" -#: include/conversation.php:1258 mod/editpost.php:122 +#: include/conversation.php:1354 mod/editpost.php:123 msgid "Clear browser location" msgstr "Hreinsa staðsetningu í vafra" -#: include/conversation.php:1259 mod/editpost.php:123 +#: include/conversation.php:1355 mod/editpost.php:124 msgid "clear location" msgstr "hreinsa staðsetningu" -#: include/conversation.php:1261 mod/editpost.php:137 +#: include/conversation.php:1357 mod/editpost.php:138 msgid "Set title" msgstr "Setja titil" -#: include/conversation.php:1263 mod/editpost.php:139 +#: include/conversation.php:1359 mod/editpost.php:140 msgid "Categories (comma-separated list)" msgstr "Flokkar (listi aðskilinn með kommum)" -#: include/conversation.php:1265 mod/editpost.php:125 +#: include/conversation.php:1361 mod/editpost.php:126 msgid "Permission settings" msgstr "Stillingar aðgangsheimilda" -#: include/conversation.php:1266 mod/editpost.php:154 +#: include/conversation.php:1362 mod/editpost.php:155 msgid "permissions" msgstr "aðgangsstýring" -#: include/conversation.php:1274 mod/editpost.php:134 +#: include/conversation.php:1370 mod/editpost.php:135 msgid "Public post" msgstr "Opinber færsla" -#: include/conversation.php:1279 mod/editpost.php:145 mod/content.php:737 -#: mod/events.php:504 mod/photos.php:1591 mod/photos.php:1639 -#: mod/photos.php:1725 object/Item.php:729 +#: include/conversation.php:1374 mod/editpost.php:146 mod/photos.php:1492 +#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 +#: src/Object/Post.php:805 msgid "Preview" msgstr "Forskoðun" -#: include/conversation.php:1283 include/items.php:1974 mod/fbrowser.php:101 -#: mod/fbrowser.php:136 mod/tagrm.php:11 mod/tagrm.php:94 mod/editpost.php:148 -#: mod/message.php:220 mod/suggest.php:32 mod/photos.php:235 -#: mod/photos.php:322 mod/settings.php:679 mod/settings.php:705 -#: mod/videos.php:128 mod/contacts.php:445 mod/dfrn_request.php:876 -#: mod/follow.php:121 -msgid "Cancel" -msgstr "Hætta við" - -#: include/conversation.php:1289 +#: include/conversation.php:1383 msgid "Post to Groups" msgstr "Senda á hópa" -#: include/conversation.php:1290 +#: include/conversation.php:1384 msgid "Post to Contacts" msgstr "Senda á tengiliði" -#: include/conversation.php:1291 +#: include/conversation.php:1385 msgid "Private post" msgstr "Einkafærsla" -#: include/conversation.php:1296 include/identity.php:256 mod/editpost.php:152 +#: include/conversation.php:1390 mod/editpost.php:153 +#: src/Model/Profile.php:342 msgid "Message" msgstr "Skilaboð" -#: include/conversation.php:1297 mod/editpost.php:153 +#: include/conversation.php:1391 mod/editpost.php:154 msgid "Browser" msgstr "Vafri" -#: include/conversation.php:1453 +#: include/conversation.php:1658 msgid "View all" msgstr "Skoða allt" -#: include/conversation.php:1475 +#: include/conversation.php:1681 msgid "Like" msgid_plural "Likes" msgstr[0] "Líkar" msgstr[1] "Líkar" -#: include/conversation.php:1478 +#: include/conversation.php:1684 msgid "Dislike" msgid_plural "Dislikes" msgstr[0] "Mislíkar" msgstr[1] "Mislíkar" -#: include/conversation.php:1484 +#: include/conversation.php:1690 msgid "Not Attending" msgid_plural "Not Attending" msgstr[0] "Mæti ekki" msgstr[1] "Mæta ekki" -#: include/dfrn.php:1108 -#, php-format -msgid "%s\\'s birthday" -msgstr "Afmælisdagur %s" +#: include/conversation.php:1693 src/Content/ContactSelector.php:125 +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "Óviss" +msgstr[1] "Óvissir" -#: include/features.php:70 -msgid "General Features" -msgstr "Almennir eiginleikar" - -#: include/features.php:72 -msgid "Multiple Profiles" -msgstr "" - -#: include/features.php:72 -msgid "Ability to create multiple profiles" -msgstr "" - -#: include/features.php:73 -msgid "Photo Location" -msgstr "Staðsetning ljósmyndar" - -#: include/features.php:73 -msgid "" -"Photo metadata is normally stripped. This extracts the location (if present)" -" prior to stripping metadata and links it to a map." -msgstr "" - -#: include/features.php:74 -msgid "Export Public Calendar" -msgstr "Flytja út opinbert dagatal" - -#: include/features.php:74 -msgid "Ability for visitors to download the public calendar" -msgstr "" - -#: include/features.php:79 -msgid "Post Composition Features" -msgstr "" - -#: include/features.php:80 -msgid "Richtext Editor" -msgstr "" - -#: include/features.php:80 -msgid "Enable richtext editor" -msgstr "" - -#: include/features.php:81 -msgid "Post Preview" -msgstr "" - -#: include/features.php:81 -msgid "Allow previewing posts and comments before publishing them" -msgstr "" - -#: include/features.php:82 -msgid "Auto-mention Forums" -msgstr "" - -#: include/features.php:82 -msgid "" -"Add/remove mention when a forum page is selected/deselected in ACL window." -msgstr "" - -#: include/features.php:87 -msgid "Network Sidebar Widgets" -msgstr "" - -#: include/features.php:88 -msgid "Search by Date" -msgstr "Leita eftir dagsetningu" - -#: include/features.php:88 -msgid "Ability to select posts by date ranges" -msgstr "" - -#: include/features.php:89 include/features.php:119 -msgid "List Forums" -msgstr "Spjallsvæðalistar" - -#: include/features.php:89 -msgid "Enable widget to display the forums your are connected with" -msgstr "" - -#: include/features.php:90 -msgid "Group Filter" -msgstr "" - -#: include/features.php:90 -msgid "Enable widget to display Network posts only from selected group" -msgstr "" - -#: include/features.php:91 -msgid "Network Filter" -msgstr "" - -#: include/features.php:91 -msgid "Enable widget to display Network posts only from selected network" -msgstr "" - -#: include/features.php:92 mod/search.php:34 mod/network.php:200 -msgid "Saved Searches" -msgstr "Vistaðar leitir" - -#: include/features.php:92 -msgid "Save search terms for re-use" -msgstr "" - -#: include/features.php:97 -msgid "Network Tabs" -msgstr "" - -#: include/features.php:98 -msgid "Network Personal Tab" -msgstr "" - -#: include/features.php:98 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "" - -#: include/features.php:99 -msgid "Network New Tab" -msgstr "" - -#: include/features.php:99 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "" - -#: include/features.php:100 -msgid "Network Shared Links Tab" -msgstr "" - -#: include/features.php:100 -msgid "Enable tab to display only Network posts with links in them" -msgstr "" - -#: include/features.php:105 -msgid "Post/Comment Tools" -msgstr "" - -#: include/features.php:106 -msgid "Multiple Deletion" -msgstr "" - -#: include/features.php:106 -msgid "Select and delete multiple posts/comments at once" -msgstr "" - -#: include/features.php:107 -msgid "Edit Sent Posts" -msgstr "" - -#: include/features.php:107 -msgid "Edit and correct posts and comments after sending" -msgstr "" - -#: include/features.php:108 -msgid "Tagging" -msgstr "" - -#: include/features.php:108 -msgid "Ability to tag existing posts" -msgstr "" - -#: include/features.php:109 -msgid "Post Categories" -msgstr "" - -#: include/features.php:109 -msgid "Add categories to your posts" -msgstr "" - -#: include/features.php:110 -msgid "Ability to file posts under folders" -msgstr "" - -#: include/features.php:111 -msgid "Dislike Posts" -msgstr "" - -#: include/features.php:111 -msgid "Ability to dislike posts/comments" -msgstr "" - -#: include/features.php:112 -msgid "Star Posts" -msgstr "" - -#: include/features.php:112 -msgid "Ability to mark special posts with a star indicator" -msgstr "" - -#: include/features.php:113 -msgid "Mute Post Notifications" -msgstr "" - -#: include/features.php:113 -msgid "Ability to mute notifications for a thread" -msgstr "" - -#: include/features.php:118 -msgid "Advanced Profile Settings" -msgstr "" - -#: include/features.php:119 -msgid "Show visitors public community forums at the Advanced Profile Page" -msgstr "" - -#: include/follow.php:81 mod/dfrn_request.php:509 -msgid "Disallowed profile URL." -msgstr "Óleyfileg forsíðu slóð." - -#: include/follow.php:86 -msgid "Connect URL missing." -msgstr "Tengislóð vantar." - -#: include/follow.php:113 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Þessi vefur er ekki uppsettur til að leyfa samskipti við önnur samfélagsnet." - -#: include/follow.php:114 include/follow.php:134 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Engir samhæfðir samskiptastaðlar né fréttastraumar fundust." - -#: include/follow.php:132 -msgid "The profile address specified does not provide adequate information." -msgstr "Uppgefin forsíðuslóð inniheldur ekki nægilegar upplýsingar." - -#: include/follow.php:136 -msgid "An author or name was not found." -msgstr "Höfundur eða nafn fannst ekki." - -#: include/follow.php:138 -msgid "No browser URL could be matched to this address." -msgstr "Engin vefslóð passaði við þetta vistfang." - -#: include/follow.php:140 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "" - -#: include/follow.php:141 -msgid "Use mailto: in front of address to force email check." -msgstr "" - -#: include/follow.php:147 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "Þessi forsíðu slóð tilheyrir neti sem er bannað á þessum vef." - -#: include/follow.php:157 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Takmörkuð forsíða. Þessi tengiliður mun ekki getað tekið á móti beinum/einka tilkynningum frá þér." - -#: include/follow.php:258 -msgid "Unable to retrieve contact information." -msgstr "Ekki hægt að sækja tengiliðs upplýsingar." - -#: include/identity.php:42 -msgid "Requested account is not available." -msgstr "Umbeðin forsíða er ekki til." - -#: include/identity.php:51 mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "Umbeðin forsíða ekki til." - -#: include/identity.php:95 include/identity.php:311 include/identity.php:688 -msgid "Edit profile" -msgstr "Breyta forsíðu" - -#: include/identity.php:251 -msgid "Atom feed" -msgstr "Atom fréttaveita" - -#: include/identity.php:282 -msgid "Manage/edit profiles" -msgstr "Sýsla með forsíður" - -#: include/identity.php:287 include/identity.php:313 mod/profiles.php:795 -msgid "Change profile photo" -msgstr "Breyta forsíðumynd" - -#: include/identity.php:288 mod/profiles.php:796 -msgid "Create New Profile" -msgstr "Stofna nýja forsíðu" - -#: include/identity.php:298 mod/profiles.php:785 -msgid "Profile Image" -msgstr "Forsíðumynd" - -#: include/identity.php:301 mod/profiles.php:787 -msgid "visible to everybody" -msgstr "sýnilegt öllum" - -#: include/identity.php:302 mod/profiles.php:691 mod/profiles.php:788 -msgid "Edit visibility" -msgstr "Sýsla með sýnileika" - -#: include/identity.php:330 include/identity.php:616 mod/notifications.php:238 -#: mod/directory.php:139 -msgid "Gender:" -msgstr "Kyn:" - -#: include/identity.php:333 include/identity.php:636 mod/directory.php:141 -msgid "Status:" -msgstr "Staða:" - -#: include/identity.php:335 include/identity.php:647 mod/directory.php:143 -msgid "Homepage:" -msgstr "Heimasíða:" - -#: include/identity.php:337 include/identity.php:657 mod/notifications.php:234 -#: mod/directory.php:145 mod/contacts.php:632 -msgid "About:" -msgstr "Um:" - -#: include/identity.php:339 mod/contacts.php:630 -msgid "XMPP:" -msgstr "" - -#: include/identity.php:422 mod/notifications.php:246 mod/contacts.php:50 -msgid "Network:" -msgstr "Netkerfi:" - -#: include/identity.php:451 include/identity.php:535 -msgid "g A l F d" -msgstr "" - -#: include/identity.php:452 include/identity.php:536 -msgid "F d" -msgstr "" - -#: include/identity.php:497 include/identity.php:582 -msgid "[today]" -msgstr "[í dag]" - -#: include/identity.php:509 -msgid "Birthday Reminders" -msgstr "Afmælisáminningar" - -#: include/identity.php:510 -msgid "Birthdays this week:" -msgstr "Afmæli í þessari viku:" - -#: include/identity.php:569 -msgid "[No description]" -msgstr "[Engin lýsing]" - -#: include/identity.php:593 -msgid "Event Reminders" -msgstr "Atburðaáminningar" - -#: include/identity.php:594 -msgid "Events this week:" -msgstr "Atburðir vikunnar:" - -#: include/identity.php:614 mod/settings.php:1279 -msgid "Full Name:" -msgstr "Fullt nafn:" - -#: include/identity.php:621 -msgid "j F, Y" -msgstr "" - -#: include/identity.php:622 -msgid "j F" -msgstr "" - -#: include/identity.php:633 -msgid "Age:" -msgstr "Aldur:" - -#: include/identity.php:642 -#, php-format -msgid "for %1$d %2$s" -msgstr "" - -#: include/identity.php:645 mod/profiles.php:710 -msgid "Sexual Preference:" -msgstr "Kynhneigð:" - -#: include/identity.php:649 mod/profiles.php:737 -msgid "Hometown:" -msgstr "Heimabær:" - -#: include/identity.php:651 mod/notifications.php:236 mod/contacts.php:634 -#: mod/follow.php:134 -msgid "Tags:" -msgstr "Merki:" - -#: include/identity.php:653 mod/profiles.php:738 -msgid "Political Views:" -msgstr "Stórnmálaskoðanir:" - -#: include/identity.php:655 -msgid "Religion:" -msgstr "Trúarskoðanir:" - -#: include/identity.php:659 -msgid "Hobbies/Interests:" -msgstr "Áhugamál/Áhugasvið:" - -#: include/identity.php:661 mod/profiles.php:742 -msgid "Likes:" -msgstr "Líkar:" - -#: include/identity.php:663 mod/profiles.php:743 -msgid "Dislikes:" -msgstr "Mislíkar:" - -#: include/identity.php:666 -msgid "Contact information and Social Networks:" -msgstr "Tengiliðaupplýsingar og samfélagsnet:" - -#: include/identity.php:668 -msgid "Musical interests:" -msgstr "Tónlistaráhugi:" - -#: include/identity.php:670 -msgid "Books, literature:" -msgstr "Bækur, bókmenntir:" - -#: include/identity.php:672 -msgid "Television:" -msgstr "Sjónvarp:" - -#: include/identity.php:674 -msgid "Film/dance/culture/entertainment:" -msgstr "Kvikmyndir/dans/menning/afþreying:" - -#: include/identity.php:676 -msgid "Love/Romance:" -msgstr "Ást/rómantík:" - -#: include/identity.php:678 -msgid "Work/employment:" -msgstr "Atvinna:" - -#: include/identity.php:680 -msgid "School/education:" -msgstr "Skóli/menntun:" - -#: include/identity.php:684 -msgid "Forums:" -msgstr "Spjallsvæði:" - -#: include/identity.php:692 mod/events.php:507 -msgid "Basic" -msgstr "Einfalt" - -#: include/identity.php:693 mod/events.php:508 mod/admin.php:959 -#: mod/contacts.php:870 -msgid "Advanced" -msgstr "Flóknari" - -#: include/identity.php:717 mod/contacts.php:836 mod/follow.php:142 -msgid "Status Messages and Posts" -msgstr "Stöðu skilaboð og færslur" - -#: include/identity.php:725 mod/contacts.php:844 -msgid "Profile Details" -msgstr "Forsíðu upplýsingar" - -#: include/identity.php:733 mod/photos.php:87 -msgid "Photo Albums" -msgstr "Myndabækur" - -#: include/identity.php:772 mod/notes.php:46 -msgid "Personal Notes" -msgstr "Persónulegar glósur" - -#: include/identity.php:775 -msgid "Only You Can See This" -msgstr "Aðeins þú sérð þetta" - -#: include/items.php:1575 mod/dfrn_confirm.php:730 mod/dfrn_request.php:746 -msgid "[Name Withheld]" -msgstr "[Nafn ekki sýnt]" - -#: include/items.php:1930 mod/viewsrc.php:15 mod/notice.php:15 -#: mod/display.php:103 mod/display.php:279 mod/display.php:478 -#: mod/admin.php:234 mod/admin.php:1471 mod/admin.php:1705 -msgid "Item not found." -msgstr "Atriði fannst ekki." - -#: include/items.php:1969 -msgid "Do you really want to delete this item?" -msgstr "Viltu í alvörunni eyða þessu atriði?" - -#: include/items.php:1971 mod/api.php:105 mod/message.php:217 -#: mod/profiles.php:648 mod/profiles.php:651 mod/profiles.php:677 -#: mod/suggest.php:29 mod/register.php:245 mod/settings.php:1163 -#: mod/settings.php:1169 mod/settings.php:1177 mod/settings.php:1181 -#: mod/settings.php:1186 mod/settings.php:1192 mod/settings.php:1198 -#: mod/settings.php:1204 mod/settings.php:1230 mod/settings.php:1231 -#: mod/settings.php:1232 mod/settings.php:1233 mod/settings.php:1234 -#: mod/contacts.php:442 mod/dfrn_request.php:862 mod/follow.php:110 -msgid "Yes" -msgstr "Já" - -#: include/items.php:2134 mod/notes.php:22 mod/uimport.php:23 -#: mod/nogroup.php:25 mod/invite.php:15 mod/invite.php:101 -#: mod/repair_ostatus.php:9 mod/delegate.php:12 mod/attach.php:33 -#: mod/editpost.php:10 mod/group.php:19 mod/wallmessage.php:9 -#: mod/wallmessage.php:33 mod/wallmessage.php:79 mod/wallmessage.php:103 -#: mod/api.php:26 mod/api.php:31 mod/ostatus_subscribe.php:9 -#: mod/message.php:46 mod/message.php:182 mod/manage.php:96 -#: mod/crepair.php:100 mod/fsuggest.php:78 mod/mood.php:114 mod/poke.php:150 -#: mod/profile_photo.php:19 mod/profile_photo.php:175 -#: mod/profile_photo.php:186 mod/profile_photo.php:199 mod/regmod.php:110 -#: mod/notifications.php:71 mod/profiles.php:166 mod/profiles.php:605 -#: mod/allfriends.php:12 mod/cal.php:304 mod/common.php:18 mod/dirfind.php:11 -#: mod/display.php:475 mod/events.php:190 mod/suggest.php:58 -#: mod/photos.php:159 mod/photos.php:1072 mod/register.php:42 -#: mod/settings.php:22 mod/settings.php:128 mod/settings.php:665 -#: mod/wall_attach.php:67 mod/wall_attach.php:70 mod/wall_upload.php:77 -#: mod/wall_upload.php:80 mod/contacts.php:350 mod/dfrn_confirm.php:61 -#: mod/follow.php:11 mod/follow.php:73 mod/follow.php:155 mod/item.php:199 -#: mod/item.php:211 mod/network.php:4 mod/viewcontacts.php:45 index.php:401 -msgid "Permission denied." -msgstr "Heimild ekki veitt." - -#: include/items.php:2239 -msgid "Archives" -msgstr "Safnskrár" - -#: include/oembed.php:264 -msgid "Embedded content" -msgstr "Innbyggt efni" - -#: include/oembed.php:272 -msgid "Embedding disabled" -msgstr "Innfelling ekki leyfð" - -#: include/ostatus.php:1825 -#, php-format -msgid "%s is now following %s." -msgstr "" - -#: include/ostatus.php:1826 -msgid "following" -msgstr "fylgist með" - -#: include/ostatus.php:1829 -#, php-format -msgid "%s stopped following %s." -msgstr "" - -#: include/ostatus.php:1830 -msgid "stopped following" -msgstr "hætt að fylgja" - -#: include/text.php:304 +#: include/text.php:302 msgid "newer" msgstr "nýrri" -#: include/text.php:306 +#: include/text.php:303 msgid "older" msgstr "eldri" -#: include/text.php:311 -msgid "prev" -msgstr "á undan" - -#: include/text.php:313 +#: include/text.php:308 msgid "first" msgstr "fremsta" -#: include/text.php:345 -msgid "last" -msgstr "síðasta" +#: include/text.php:309 +msgid "prev" +msgstr "á undan" -#: include/text.php:348 +#: include/text.php:343 msgid "next" msgstr "næsta" -#: include/text.php:403 +#: include/text.php:344 +msgid "last" +msgstr "síðasta" + +#: include/text.php:398 msgid "Loading more entries..." msgstr "Hleð inn fleiri færslum..." -#: include/text.php:404 +#: include/text.php:399 msgid "The end" msgstr "Endir" -#: include/text.php:889 +#: include/text.php:884 msgid "No contacts" msgstr "Engir tengiliðir" -#: include/text.php:912 +#: include/text.php:908 #, php-format msgid "%d Contact" msgid_plural "%d Contacts" msgstr[0] "%d tengiliður" msgstr[1] "%d tengiliðir" -#: include/text.php:925 +#: include/text.php:921 msgid "View Contacts" msgstr "Skoða tengiliði" -#: include/text.php:1013 mod/notes.php:61 mod/filer.php:31 -#: mod/editpost.php:109 +#: include/text.php:1010 mod/filer.php:35 mod/editpost.php:110 +#: mod/notes.php:67 msgid "Save" msgstr "Vista" -#: include/text.php:1076 +#: include/text.php:1010 +msgid "Follow" +msgstr "Fylgja" + +#: include/text.php:1016 mod/search.php:155 src/Content/Nav.php:142 +msgid "Search" +msgstr "Leita" + +#: include/text.php:1019 src/Content/Nav.php:58 +msgid "@name, !forum, #tags, content" +msgstr "@nafn, !spjallsvæði, #merki, innihald" + +#: include/text.php:1025 src/Content/Nav.php:145 +msgid "Full Text" +msgstr "Allur textinn" + +#: include/text.php:1026 src/Content/Nav.php:146 +#: src/Content/Widget/TagCloud.php:54 +msgid "Tags" +msgstr "Merki" + +#: include/text.php:1027 mod/viewcontacts.php:131 mod/contacts.php:814 +#: mod/contacts.php:875 src/Content/Nav.php:147 src/Content/Nav.php:212 +#: src/Model/Profile.php:957 src/Model/Profile.php:960 +#: view/theme/frio/theme.php:270 +msgid "Contacts" +msgstr "Tengiliðir" + +#: include/text.php:1030 src/Content/ForumManager.php:125 +#: src/Content/Nav.php:151 view/theme/vier/theme.php:254 +msgid "Forums" +msgstr "Spjallsvæði" + +#: include/text.php:1074 msgid "poke" msgstr "pota" -#: include/text.php:1076 +#: include/text.php:1074 msgid "poked" msgstr "potaði" -#: include/text.php:1077 +#: include/text.php:1075 msgid "ping" -msgstr "" +msgstr "ping" -#: include/text.php:1077 +#: include/text.php:1075 msgid "pinged" msgstr "" -#: include/text.php:1078 +#: include/text.php:1076 msgid "prod" msgstr "" -#: include/text.php:1078 +#: include/text.php:1076 msgid "prodded" msgstr "" -#: include/text.php:1079 +#: include/text.php:1077 msgid "slap" msgstr "" -#: include/text.php:1079 +#: include/text.php:1077 msgid "slapped" msgstr "" -#: include/text.php:1080 +#: include/text.php:1078 msgid "finger" -msgstr "" +msgstr "fingur" -#: include/text.php:1080 +#: include/text.php:1078 msgid "fingered" msgstr "" -#: include/text.php:1081 +#: include/text.php:1079 msgid "rebuff" msgstr "" -#: include/text.php:1081 +#: include/text.php:1079 msgid "rebuffed" msgstr "" -#: include/text.php:1095 -msgid "happy" -msgstr "" +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:379 +msgid "Monday" +msgstr "Mánudagur" -#: include/text.php:1096 -msgid "sad" -msgstr "" +#: include/text.php:1093 src/Model/Event.php:380 +msgid "Tuesday" +msgstr "Þriðjudagur" -#: include/text.php:1097 -msgid "mellow" -msgstr "" +#: include/text.php:1093 src/Model/Event.php:381 +msgid "Wednesday" +msgstr "Miðvikudagur" -#: include/text.php:1098 -msgid "tired" -msgstr "" +#: include/text.php:1093 src/Model/Event.php:382 +msgid "Thursday" +msgstr "Fimmtudagur" -#: include/text.php:1099 -msgid "perky" -msgstr "" +#: include/text.php:1093 src/Model/Event.php:383 +msgid "Friday" +msgstr "Föstudagur" -#: include/text.php:1100 -msgid "angry" -msgstr "" +#: include/text.php:1093 src/Model/Event.php:384 +msgid "Saturday" +msgstr "Laugardagur" -#: include/text.php:1101 -msgid "stupified" -msgstr "" +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:378 +msgid "Sunday" +msgstr "Sunnudagur" -#: include/text.php:1102 -msgid "puzzled" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:399 +msgid "January" +msgstr "Janúar" -#: include/text.php:1103 -msgid "interested" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:400 +msgid "February" +msgstr "Febrúar" -#: include/text.php:1104 -msgid "bitter" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:401 +msgid "March" +msgstr "Mars" -#: include/text.php:1105 -msgid "cheerful" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:402 +msgid "April" +msgstr "Apríl" -#: include/text.php:1106 -msgid "alive" -msgstr "" +#: include/text.php:1097 include/text.php:1114 src/Model/Event.php:390 +#: src/Model/Event.php:403 +msgid "May" +msgstr "Maí" -#: include/text.php:1107 -msgid "annoyed" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:404 +msgid "June" +msgstr "Júní" -#: include/text.php:1108 -msgid "anxious" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:405 +msgid "July" +msgstr "Júlí" -#: include/text.php:1109 -msgid "cranky" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:406 +msgid "August" +msgstr "Ágúst" -#: include/text.php:1110 -msgid "disturbed" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:407 +msgid "September" +msgstr "September" -#: include/text.php:1111 -msgid "frustrated" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:408 +msgid "October" +msgstr "Október" -#: include/text.php:1112 -msgid "motivated" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:409 +msgid "November" +msgstr "Nóvember" -#: include/text.php:1113 -msgid "relaxed" -msgstr "" +#: include/text.php:1097 src/Model/Event.php:410 +msgid "December" +msgstr "Desember" + +#: include/text.php:1111 src/Model/Event.php:371 +msgid "Mon" +msgstr "Mán" + +#: include/text.php:1111 src/Model/Event.php:372 +msgid "Tue" +msgstr "Þri" + +#: include/text.php:1111 src/Model/Event.php:373 +msgid "Wed" +msgstr "Mið" + +#: include/text.php:1111 src/Model/Event.php:374 +msgid "Thu" +msgstr "Fim" + +#: include/text.php:1111 src/Model/Event.php:375 +msgid "Fri" +msgstr "Fös" + +#: include/text.php:1111 src/Model/Event.php:376 +msgid "Sat" +msgstr "Lau" + +#: include/text.php:1111 src/Model/Event.php:370 +msgid "Sun" +msgstr "Sun" + +#: include/text.php:1114 src/Model/Event.php:386 +msgid "Jan" +msgstr "Jan" + +#: include/text.php:1114 src/Model/Event.php:387 +msgid "Feb" +msgstr "Feb" + +#: include/text.php:1114 src/Model/Event.php:388 +msgid "Mar" +msgstr "Mar" + +#: include/text.php:1114 src/Model/Event.php:389 +msgid "Apr" +msgstr "Apr" + +#: include/text.php:1114 src/Model/Event.php:392 +msgid "Jul" +msgstr "Júl" + +#: include/text.php:1114 src/Model/Event.php:393 +msgid "Aug" +msgstr "Ágú" #: include/text.php:1114 -msgid "surprised" -msgstr "" +msgid "Sep" +msgstr "sep" -#: include/text.php:1324 mod/videos.php:380 +#: include/text.php:1114 src/Model/Event.php:395 +msgid "Oct" +msgstr "Okt" + +#: include/text.php:1114 src/Model/Event.php:396 +msgid "Nov" +msgstr "Nóv" + +#: include/text.php:1114 src/Model/Event.php:397 +msgid "Dec" +msgstr "Des" + +#: include/text.php:1275 +#, php-format +msgid "Content warning: %s" +msgstr "Viðvörun vegna innihalds: %s" + +#: include/text.php:1345 mod/videos.php:380 msgid "View Video" msgstr "Skoða myndskeið" -#: include/text.php:1356 +#: include/text.php:1362 msgid "bytes" msgstr "bæti" -#: include/text.php:1388 include/text.php:1400 +#: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" -msgstr "" +msgstr "Smelltu til að opna/loka" -#: include/text.php:1526 +#: include/text.php:1559 msgid "View on separate page" -msgstr "" +msgstr "Skoða á sérstakri síðu" -#: include/text.php:1527 +#: include/text.php:1560 msgid "view on separate page" -msgstr "" +msgstr "skoða á sérstakri síðu" -#: include/text.php:1806 +#: include/text.php:1565 include/text.php:1572 src/Model/Event.php:594 +msgid "link to source" +msgstr "slóð á heimild" + +#: include/text.php:1778 msgid "activity" msgstr "virkni" -#: include/text.php:1808 mod/content.php:623 object/Item.php:431 -#: object/Item.php:444 +#: include/text.php:1780 src/Object/Post.php:429 src/Object/Post.php:441 msgid "comment" msgid_plural "comments" msgstr[0] "athugasemd" msgstr[1] "athugasemdir" -#: include/text.php:1809 +#: include/text.php:1783 msgid "post" -msgstr "" +msgstr "senda" -#: include/text.php:1977 +#: include/text.php:1940 msgid "Item filed" -msgstr "" +msgstr "Atriði skráð" -#: include/user.php:39 mod/settings.php:373 -msgid "Passwords do not match. Password unchanged." -msgstr "Aðgangsorð ber ekki saman. Aðgangsorð óbreytt." +#: mod/allfriends.php:51 +msgid "No friends to display." +msgstr "Engir vinir til að birta." -#: include/user.php:48 -msgid "An invitation is required." -msgstr "Boðskort er skilyrði." +#: mod/allfriends.php:90 mod/suggest.php:101 mod/match.php:105 +#: mod/dirfind.php:215 src/Content/Widget.php:37 src/Model/Profile.php:297 +msgid "Connect" +msgstr "Tengjast" -#: include/user.php:53 -msgid "Invitation could not be verified." -msgstr "Ekki hægt að sannreyna boðskort." +#: mod/api.php:85 mod/api.php:107 +msgid "Authorize application connection" +msgstr "Leyfa forriti að tengjast" -#: include/user.php:61 -msgid "Invalid OpenID url" -msgstr "OpenID slóð ekki til" +#: mod/api.php:86 +msgid "Return to your app and insert this Securty Code:" +msgstr "Farðu aftur í forritið þitt og settu þennan öryggiskóða þar" -#: include/user.php:82 -msgid "Please enter the required information." -msgstr "Settu inn umbeðnar upplýsingar." +#: mod/api.php:95 +msgid "Please login to continue." +msgstr "Skráðu þig inn til að halda áfram." -#: include/user.php:96 -msgid "Please use a shorter name." -msgstr "Notaðu styttra nafn." - -#: include/user.php:98 -msgid "Name too short." -msgstr "Nafn of stutt." - -#: include/user.php:113 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Þetta virðist ekki vera fullt nafn (Jón Jónsson)." - -#: include/user.php:118 -msgid "Your email domain is not among those allowed on this site." -msgstr "Póstþjónninn er ekki í lista yfir leyfða póstþjóna á þessum vef." - -#: include/user.php:121 -msgid "Not a valid email address." -msgstr "Ekki gildt póstfang." - -#: include/user.php:134 -msgid "Cannot use that email." -msgstr "Ekki hægt að nota þetta póstfang." - -#: include/user.php:140 -msgid "Your \"nickname\" can only contain \"a-z\", \"0-9\" and \"_\"." -msgstr "Gælunafnið má bara innihalda \"a-z\", \"0-9, \"-\", \"_\"." - -#: include/user.php:147 include/user.php:245 -msgid "Nickname is already registered. Please choose another." -msgstr "Gælunafn þegar skráð. Veldu annað." - -#: include/user.php:157 +#: mod/api.php:109 msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Gælunafn hefur áður skráð hér og er ekki hægt að endurnýta. Veldu eitthvað annað." +"Do you want to authorize this application to access your posts and contacts," +" and/or create new posts for you?" +msgstr "Vilt þú leyfa þessu forriti að hafa aðgang að færslum og tengiliðum, og/eða stofna nýjar færslur fyrir þig?" -#: include/user.php:173 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "VERULEGA ALVARLEG VILLA: Stofnun á öryggislyklum tókst ekki." +#: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 +#: mod/register.php:238 mod/settings.php:1105 mod/settings.php:1111 +#: mod/settings.php:1118 mod/settings.php:1122 mod/settings.php:1126 +#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 +#: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 +#: mod/settings.php:1161 mod/settings.php:1162 +msgid "No" +msgstr "Nei" -#: include/user.php:231 -msgid "An error occurred during registration. Please try again." -msgstr "Villa kom upp við nýskráningu. Reyndu aftur." +#: mod/apps.php:14 index.php:245 +msgid "You must be logged in to use addons. " +msgstr "Þú verður að vera skráður inn til að geta notað viðbætur. " -#: include/user.php:256 view/theme/duepuntozero/config.php:44 -msgid "default" -msgstr "sjálfgefið" +#: mod/apps.php:19 +msgid "Applications" +msgstr "Forrit" -#: include/user.php:266 -msgid "An error occurred creating your default profile. Please try again." -msgstr "Villa kom upp við að stofna sjálfgefna forsíðu. Vinnsamlegast reyndu aftur." +#: mod/apps.php:22 +msgid "No installed applications." +msgstr "Engin uppsett forrit" -#: include/user.php:326 include/user.php:333 include/user.php:340 -#: mod/profile_photo.php:74 mod/profile_photo.php:81 mod/profile_photo.php:88 -#: mod/profile_photo.php:210 mod/profile_photo.php:302 -#: mod/profile_photo.php:311 mod/photos.php:66 mod/photos.php:180 -#: mod/photos.php:751 mod/photos.php:1211 mod/photos.php:1232 -#: mod/photos.php:1819 -msgid "Profile Photos" -msgstr "Forsíðumyndir" +#: mod/attach.php:15 +msgid "Item not available." +msgstr "Atriði ekki í boði." -#: include/user.php:414 -#, php-format +#: mod/attach.php:25 +msgid "Item was not found." +msgstr "Atriði fannst ekki" + +#: mod/common.php:91 +msgid "No contacts in common." +msgstr "Engir sameiginlegir tengiliðir." + +#: mod/common.php:140 mod/contacts.php:886 +msgid "Common Friends" +msgstr "Sameiginlegir vinir" + +#: mod/credits.php:18 +msgid "Credits" +msgstr "Þakkir" + +#: mod/credits.php:19 msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" -"\t" +"Friendica is a community project, that would not be possible without the " +"help of many people. Here is a list of those who have contributed to the " +"code or the translation of Friendica. Thank you all!" msgstr "" -#: include/user.php:424 -#, php-format -msgid "Registration at %s" -msgstr "" +#: mod/crepair.php:87 +msgid "Contact settings applied." +msgstr "Stillingar tengiliðs uppfærðar." -#: include/user.php:434 -#, php-format +#: mod/crepair.php:89 +msgid "Contact update failed." +msgstr "Uppfærsla tengiliðs mistókst." + +#: mod/crepair.php:110 mod/dfrn_confirm.php:131 mod/fsuggest.php:30 +#: mod/fsuggest.php:96 +msgid "Contact not found." +msgstr "Tengiliður fannst ekki." + +#: mod/crepair.php:114 msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tThank you for registering at %2$s. Your account has been created.\n" -"\t" -msgstr "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "AÐVÖRUN: Þetta er mjög flókið og ef þú setur inn vitlausar upplýsingar þá munu samskipti við þennan tengilið hætta að virka." -#: include/user.php:438 -#, php-format +#: mod/crepair.php:115 msgid "" -"\n" -"\t\tThe login details are as follows:\n" -"\t\t\tSite Location:\t%3$s\n" -"\t\t\tLogin Name:\t%1$s\n" -"\t\t\tPassword:\t%5$s\n" -"\n" -"\t\tYou may change your password from your account \"Settings\" page after logging\n" -"\t\tin.\n" -"\n" -"\t\tPlease take a few moments to review the other account settings on that page.\n" -"\n" -"\t\tYou may also wish to add some basic information to your default profile\n" -"\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" -"\n" -"\t\tWe recommend setting your full name, adding a profile photo,\n" -"\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" -"\t\tperhaps what country you live in; if you do not wish to be more specific\n" -"\t\tthan that.\n" -"\n" -"\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" -"\t\tIf you are new and do not know anybody here, they may help\n" -"\t\tyou to make some new and interesting friends.\n" -"\n" -"\n" -"\t\tThank you and welcome to %2$s." +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Notaðu \"Til baka\" hnappinn núna ef þú ert ekki viss um hvað þú eigir að gera á þessari síðu." + +#: mod/crepair.php:129 mod/crepair.php:131 +msgid "No mirroring" msgstr "" -#: include/user.php:470 mod/admin.php:1213 -#, php-format -msgid "Registration details for %s" -msgstr "Nýskráningar upplýsingar fyrir %s" +#: mod/crepair.php:129 +msgid "Mirror as forwarded posting" +msgstr "" -#: mod/oexchange.php:25 -msgid "Post successful." -msgstr "Melding tókst." +#: mod/crepair.php:129 mod/crepair.php:131 +msgid "Mirror as my own posting" +msgstr "" -#: mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Aðgangi hafnað." +#: mod/crepair.php:144 +msgid "Return to contact editor" +msgstr "Fara til baka í tengiliðasýsl" -#: mod/home.php:35 +#: mod/crepair.php:146 +msgid "Refetch contact data" +msgstr "" + +#: mod/crepair.php:148 mod/invite.php:150 mod/manage.php:184 +#: mod/localtime.php:56 mod/poke.php:199 mod/fsuggest.php:114 +#: mod/message.php:265 mod/message.php:432 mod/photos.php:1080 +#: mod/photos.php:1160 mod/photos.php:1445 mod/photos.php:1491 +#: mod/photos.php:1530 mod/photos.php:1603 mod/install.php:251 +#: mod/install.php:290 mod/events.php:530 mod/profiles.php:672 +#: mod/contacts.php:610 src/Object/Post.php:796 +#: view/theme/duepuntozero/config.php:71 view/theme/frio/config.php:113 +#: view/theme/quattro/config.php:73 view/theme/vier/config.php:119 +msgid "Submit" +msgstr "Senda inn" + +#: mod/crepair.php:149 +msgid "Remote Self" +msgstr "" + +#: mod/crepair.php:152 +msgid "Mirror postings from this contact" +msgstr "" + +#: mod/crepair.php:154 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "" + +#: mod/crepair.php:158 mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 +#: mod/admin.php:1806 mod/admin.php:1822 mod/settings.php:677 +#: mod/settings.php:703 +msgid "Name" +msgstr "Nafn" + +#: mod/crepair.php:159 +msgid "Account Nickname" +msgstr "Gælunafn notanda" + +#: mod/crepair.php:160 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@Merkjanafn - yfirskrifar Nafn/Gælunafn" + +#: mod/crepair.php:161 +msgid "Account URL" +msgstr "Heimasíða notanda" + +#: mod/crepair.php:162 +msgid "Friend Request URL" +msgstr "Slóð vinabeiðnar" + +#: mod/crepair.php:163 +msgid "Friend Confirm URL" +msgstr "Slóð vina staðfestingar " + +#: mod/crepair.php:164 +msgid "Notification Endpoint URL" +msgstr "Slóð loka tilkynningar" + +#: mod/crepair.php:165 +msgid "Poll/Feed URL" +msgstr "Slóð á könnun/fréttastraum" + +#: mod/crepair.php:166 +msgid "New photo from this URL" +msgstr "Ný mynd frá slóð" + +#: mod/fbrowser.php:34 src/Content/Nav.php:102 src/Model/Profile.php:904 +#: view/theme/frio/theme.php:261 +msgid "Photos" +msgstr "Myndir" + +#: mod/fbrowser.php:43 mod/fbrowser.php:68 mod/photos.php:194 +#: mod/photos.php:1062 mod/photos.php:1149 mod/photos.php:1166 +#: mod/photos.php:1659 mod/photos.php:1673 src/Model/Photo.php:244 +#: src/Model/Photo.php:253 +msgid "Contact Photos" +msgstr "Myndir tengiliðs" + +#: mod/fbrowser.php:105 mod/fbrowser.php:136 mod/profile_photo.php:250 +msgid "Upload" +msgstr "Senda inn" + +#: mod/fbrowser.php:131 +msgid "Files" +msgstr "Skrár" + +#: mod/fetch.php:16 mod/fetch.php:52 mod/fetch.php:65 mod/help.php:60 +#: mod/p.php:21 mod/p.php:48 mod/p.php:57 index.php:292 +msgid "Not Found" +msgstr "Fannst ekki" + +#: mod/hcard.php:18 +msgid "No profile" +msgstr "Engin forsíða" + +#: mod/help.php:48 +msgid "Help:" +msgstr "Hjálp:" + +#: mod/help.php:54 src/Content/Nav.php:134 view/theme/vier/theme.php:298 +msgid "Help" +msgstr "Hjálp" + +#: mod/help.php:63 index.php:297 +msgid "Page not found." +msgstr "Síða fannst ekki." + +#: mod/home.php:39 #, php-format msgid "Welcome to %s" msgstr "Velkomin í %s" -#: mod/notify.php:60 -msgid "No more system notifications." -msgstr "Ekki fleiri kerfistilkynningar." +#: mod/lockview.php:38 mod/lockview.php:46 +msgid "Remote privacy information not available." +msgstr "Persónuverndar upplýsingar ekki fyrir hendi á fjarlægum vefþjón." -#: mod/notify.php:64 mod/notifications.php:111 +#: mod/lockview.php:55 +msgid "Visible to:" +msgstr "Sýnilegt eftirfarandi:" + +#: mod/maintenance.php:24 +msgid "System down for maintenance" +msgstr "Kerfið er óvirkt vegna viðhalds" + +#: mod/newmember.php:11 +msgid "Welcome to Friendica" +msgstr "Velkomin(n) á Friendica" + +#: mod/newmember.php:12 +msgid "New Member Checklist" +msgstr "Gátlisti nýs notanda" + +#: mod/newmember.php:14 +msgid "" +"We would like to offer some tips and links to help make your experience " +"enjoyable. Click any item to visit the relevant page. A link to this page " +"will be visible from your home page for two weeks after your initial " +"registration and then will quietly disappear." +msgstr "" + +#: mod/newmember.php:15 +msgid "Getting Started" +msgstr "Til að komast í gang" + +#: mod/newmember.php:17 +msgid "Friendica Walk-Through" +msgstr "Leiðarvísir Friendica" + +#: mod/newmember.php:17 +msgid "" +"On your Quick Start page - find a brief introduction to your " +"profile and network tabs, make some new connections, and find some groups to" +" join." +msgstr "" + +#: mod/newmember.php:19 mod/admin.php:1906 mod/admin.php:2175 +#: mod/settings.php:123 src/Content/Nav.php:206 view/theme/frio/theme.php:269 +msgid "Settings" +msgstr "Stillingar" + +#: mod/newmember.php:21 +msgid "Go to Your Settings" +msgstr "Farðu í stillingarnar þínar" + +#: mod/newmember.php:21 +msgid "" +"On your Settings page - change your initial password. Also make a " +"note of your Identity Address. This looks just like an email address - and " +"will be useful in making friends on the free social web." +msgstr "" + +#: mod/newmember.php:22 +msgid "" +"Review the other settings, particularly the privacy settings. An unpublished" +" directory listing is like having an unlisted phone number. In general, you " +"should probably publish your listing - unless all of your friends and " +"potential friends know exactly how to find you." +msgstr "Yfirfarðu aðrar stillingar, sérstaklega gagnaleyndarstillingar. Óútgefin forsíða er einsog óskráð símanúmer. Sem þýðir að líklega viltu gefa út forsíðuna þína - nema að allir vinir þínir og tilvonandi vinir viti nákvæmlega hvernig á að finna þig." + +#: mod/newmember.php:24 mod/profperm.php:113 mod/contacts.php:671 +#: mod/contacts.php:863 src/Content/Nav.php:101 src/Model/Profile.php:730 +#: src/Model/Profile.php:863 src/Model/Profile.php:896 +#: view/theme/frio/theme.php:260 +msgid "Profile" +msgstr "Forsíða" + +#: mod/newmember.php:26 mod/profile_photo.php:249 mod/profiles.php:691 +msgid "Upload Profile Photo" +msgstr "Hlaða upp forsíðu mynd" + +#: mod/newmember.php:26 +msgid "" +"Upload a profile photo if you have not done so already. Studies have shown " +"that people with real photos of themselves are ten times more likely to make" +" friends than people who do not." +msgstr "Að hlaða upp forsíðu mynd ef þú hefur ekki þegar gert það. Rannsóknir sýna að fólk sem hefur alvöru mynd af sér er tíu sinnum líklegra til að eignast vini en fólk sem ekki hefur mynd." + +#: mod/newmember.php:27 +msgid "Edit Your Profile" +msgstr "" + +#: mod/newmember.php:27 +msgid "" +"Edit your default profile to your liking. Review the " +"settings for hiding your list of friends and hiding the profile from unknown" +" visitors." +msgstr "Breyttu sjálfgefnu forsíðunni einsog þú villt. Yfirfarðu stillingu til að fela vinalista á forsíðu og stillingu til að fela forsíðu fyrir ókunnum." + +#: mod/newmember.php:28 +msgid "Profile Keywords" +msgstr "" + +#: mod/newmember.php:28 +msgid "" +"Set some public keywords for your default profile which describe your " +"interests. We may be able to find other people with similar interests and " +"suggest friendships." +msgstr "Bættu við leitarorðum í sjálfgefnu forsíðuna þína sem lýsa áhugamálum þínum. Þá er hægt að fólk með svipuð áhugamál og stinga uppá vinskap." + +#: mod/newmember.php:30 +msgid "Connecting" +msgstr "Tengist" + +#: mod/newmember.php:36 +msgid "Importing Emails" +msgstr "Flyt inn pósta" + +#: mod/newmember.php:36 +msgid "" +"Enter your email access information on your Connector Settings page if you " +"wish to import and interact with friends or mailing lists from your email " +"INBOX" +msgstr "Fylltu út aðgangsupplýsingar póstfangsins þíns á Tengistillingasíðunni ef þú vilt sækja tölvupóst og eiga samskipti við vini eða póstlista úr innhólfi tölvupóstsins þíns" + +#: mod/newmember.php:39 +msgid "Go to Your Contacts Page" +msgstr "" + +#: mod/newmember.php:39 +msgid "" +"Your Contacts page is your gateway to managing friendships and connecting " +"with friends on other networks. Typically you enter their address or site " +"URL in the Add New Contact dialog." +msgstr "Tengiliðasíðan er gáttin þín til að sýsla með vinasambönd og tengjast við vini á öðrum netum. Oftast setur þú vistfang eða slóð þeirra í Bæta við tengilið glugganum." + +#: mod/newmember.php:40 +msgid "Go to Your Site's Directory" +msgstr "" + +#: mod/newmember.php:40 +msgid "" +"The Directory page lets you find other people in this network or other " +"federated sites. Look for a Connect or Follow link on " +"their profile page. Provide your own Identity Address if requested." +msgstr "Tengiliðalistinn er góð leit til að finna fólk á samfélagsnetinu eða öðrum sambandsnetum. Leitaðu að Tengjast/Connect eða Fylgja/Follow tenglum á forsíðunni þeirra. Mögulega þarftu að gefa upp auðkennisslóðina þína." + +#: mod/newmember.php:41 +msgid "Finding New People" +msgstr "" + +#: mod/newmember.php:41 +msgid "" +"On the side panel of the Contacts page are several tools to find new " +"friends. We can match people by interest, look up people by name or " +"interest, and provide suggestions based on network relationships. On a brand" +" new site, friend suggestions will usually begin to be populated within 24 " +"hours." +msgstr "" + +#: mod/newmember.php:43 src/Model/Group.php:401 +msgid "Groups" +msgstr "Hópar" + +#: mod/newmember.php:45 +msgid "Group Your Contacts" +msgstr "" + +#: mod/newmember.php:45 +msgid "" +"Once you have made some friends, organize them into private conversation " +"groups from the sidebar of your Contacts page and then you can interact with" +" each group privately on your Network page." +msgstr "Eftir að þú hefur eignast nokkra vini, þá er best að flokka þá niður í hópa á hliðar slánni á Tengiliðasíðunni. Eftir það getur þú haft samskipti við hvern hóp fyrir sig á Samfélagssíðunni." + +#: mod/newmember.php:48 +msgid "Why Aren't My Posts Public?" +msgstr "" + +#: mod/newmember.php:48 +msgid "" +"Friendica respects your privacy. By default, your posts will only show up to" +" people you've added as friends. For more information, see the help section " +"from the link above." +msgstr "" + +#: mod/newmember.php:52 +msgid "Getting Help" +msgstr "Til að fá hjálp" + +#: mod/newmember.php:54 +msgid "Go to the Help Section" +msgstr "" + +#: mod/newmember.php:54 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "Hægt er að styðjast við Hjálp síðuna til að fá leiðbeiningar um aðra eiginleika." + +#: mod/nogroup.php:42 mod/viewcontacts.php:112 mod/contacts.php:619 +#: mod/contacts.php:959 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Heimsækja forsíðu %s [%s]" + +#: mod/nogroup.php:43 mod/contacts.php:960 +msgid "Edit contact" +msgstr "Breyta tengilið" + +#: mod/nogroup.php:63 +msgid "Contacts who are not members of a group" +msgstr "" + +#: mod/p.php:14 +msgid "Not Extended" +msgstr "" + +#: mod/repair_ostatus.php:18 +msgid "Resubscribing to OStatus contacts" +msgstr "" + +#: mod/repair_ostatus.php:34 +msgid "Error" +msgstr "Villa" + +#: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:64 +msgid "Done" +msgstr "Lokið" + +#: mod/repair_ostatus.php:54 mod/ostatus_subscribe.php:88 +msgid "Keep this window open until done." +msgstr "" + +#: mod/suggest.php:36 +msgid "Do you really want to delete this suggestion?" +msgstr "" + +#: mod/suggest.php:73 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Engar uppástungur tiltækar. Ef þetta er nýr vefur, reyndu þá aftur eftir um 24 klukkustundir." + +#: mod/suggest.php:84 mod/suggest.php:104 +msgid "Ignore/Hide" +msgstr "Hunsa/Fela" + +#: mod/suggest.php:114 src/Content/Widget.php:64 view/theme/vier/theme.php:203 +msgid "Friend Suggestions" +msgstr "Vina uppástungur" + +#: mod/uimport.php:55 mod/register.php:191 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Þessi vefur hefur náð hámarks fjölda daglegra nýskráninga. Reyndu aftur á morgun." + +#: mod/uimport.php:70 mod/register.php:285 +msgid "Import" +msgstr "Flytja inn" + +#: mod/uimport.php:72 +msgid "Move account" +msgstr "Flytja aðgang" + +#: mod/uimport.php:73 +msgid "You can import an account from another Friendica server." +msgstr "" + +#: mod/uimport.php:74 +msgid "" +"You need to export your account from the old server and upload it here. We " +"will recreate your old account here with all your contacts. We will try also" +" to inform your friends that you moved here." +msgstr "" + +#: mod/uimport.php:75 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (GNU Social/Statusnet) or from Diaspora" +msgstr "" + +#: mod/uimport.php:76 +msgid "Account file" +msgstr "" + +#: mod/uimport.php:76 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "" + +#: mod/update_community.php:27 mod/update_display.php:27 +#: mod/update_notes.php:40 mod/update_profile.php:39 mod/update_network.php:33 +msgid "[Embedded content - reload page to view]" +msgstr "[Innfelt efni - endurhlaða síðu til að sjá]" + +#: mod/dfrn_poll.php:123 mod/dfrn_poll.php:543 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "" + +#: mod/match.php:48 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Engin leitarorð. Bættu við leitarorðum í sjálfgefnu forsíðuna." + +#: mod/match.php:104 +msgid "is interested in:" +msgstr "hefur áhuga á:" + +#: mod/match.php:120 +msgid "Profile Match" +msgstr "Forsíða fannst" + +#: mod/match.php:125 mod/dirfind.php:253 +msgid "No matches" +msgstr "Engar leitarniðurstöður" + +#: mod/notifications.php:37 +msgid "Invalid request identifier." +msgstr "Ógilt auðkenni beiðnar." + +#: mod/notifications.php:46 mod/notifications.php:183 +#: mod/notifications.php:230 +msgid "Discard" +msgstr "Henda" + +#: mod/notifications.php:62 mod/notifications.php:182 +#: mod/notifications.php:266 mod/contacts.php:638 mod/contacts.php:828 +#: mod/contacts.php:1019 +msgid "Ignore" +msgstr "Hunsa" + +#: mod/notifications.php:98 src/Content/Nav.php:189 +msgid "Notifications" +msgstr "Tilkynningar" + +#: mod/notifications.php:107 +msgid "Network Notifications" +msgstr "Tilkynningar á neti" + +#: mod/notifications.php:113 mod/notify.php:81 msgid "System Notifications" msgstr "Kerfistilkynningar" -#: mod/search.php:25 mod/network.php:191 -msgid "Remove term" -msgstr "Fjarlæga gildi" +#: mod/notifications.php:119 +msgid "Personal Notifications" +msgstr "Einkatilkynningar." -#: mod/search.php:93 mod/search.php:99 mod/community.php:22 -#: mod/directory.php:37 mod/display.php:200 mod/photos.php:944 -#: mod/videos.php:194 mod/dfrn_request.php:791 mod/viewcontacts.php:35 +#: mod/notifications.php:125 +msgid "Home Notifications" +msgstr "Tilkynningar frá heimasvæði" + +#: mod/notifications.php:155 +msgid "Show Ignored Requests" +msgstr "Sýna hunsaðar beiðnir" + +#: mod/notifications.php:155 +msgid "Hide Ignored Requests" +msgstr "Fela hunsaðar beiðnir" + +#: mod/notifications.php:167 mod/notifications.php:237 +msgid "Notification type: " +msgstr "Gerð skilaboða: " + +#: mod/notifications.php:170 +#, php-format +msgid "suggested by %s" +msgstr "stungið uppá af %s" + +#: mod/notifications.php:175 mod/notifications.php:254 mod/contacts.php:646 +msgid "Hide this contact from others" +msgstr "Gera þennan notanda ósýnilegan öðrum" + +#: mod/notifications.php:176 mod/notifications.php:255 +msgid "Post a new friend activity" +msgstr "Búa til færslu um nýjan vin" + +#: mod/notifications.php:176 mod/notifications.php:255 +msgid "if applicable" +msgstr "ef við á" + +#: mod/notifications.php:179 mod/notifications.php:264 mod/admin.php:1796 +msgid "Approve" +msgstr "Samþykkja" + +#: mod/notifications.php:198 +msgid "Claims to be known to you: " +msgstr "Þykist þekkja þig:" + +#: mod/notifications.php:199 +msgid "yes" +msgstr "já" + +#: mod/notifications.php:199 +msgid "no" +msgstr "nei" + +#: mod/notifications.php:200 mod/notifications.php:205 +msgid "Shall your connection be bidirectional or not?" +msgstr "" + +#: mod/notifications.php:201 mod/notifications.php:206 +#, php-format +msgid "" +"Accepting %s as a friend allows %s to subscribe to your posts, and you will " +"also receive updates from them in your news feed." +msgstr "" + +#: mod/notifications.php:202 +#, php-format +msgid "" +"Accepting %s as a subscriber allows them to subscribe to your posts, but you" +" will not receive updates from them in your news feed." +msgstr "" + +#: mod/notifications.php:207 +#, php-format +msgid "" +"Accepting %s as a sharer allows them to subscribe to your posts, but you " +"will not receive updates from them in your news feed." +msgstr "" + +#: mod/notifications.php:218 +msgid "Friend" +msgstr "Vin" + +#: mod/notifications.php:219 +msgid "Sharer" +msgstr "Deilir" + +#: mod/notifications.php:219 +msgid "Subscriber" +msgstr "Áskrifandi" + +#: mod/notifications.php:247 mod/events.php:518 mod/directory.php:148 +#: mod/contacts.php:660 src/Model/Profile.php:417 src/Model/Event.php:60 +#: src/Model/Event.php:85 src/Model/Event.php:421 src/Model/Event.php:900 +msgid "Location:" +msgstr "Staðsetning:" + +#: mod/notifications.php:249 mod/directory.php:154 mod/contacts.php:664 +#: src/Model/Profile.php:423 src/Model/Profile.php:806 +msgid "About:" +msgstr "Um:" + +#: mod/notifications.php:251 mod/follow.php:174 mod/contacts.php:666 +#: src/Model/Profile.php:794 +msgid "Tags:" +msgstr "Merki:" + +#: mod/notifications.php:253 mod/directory.php:151 src/Model/Profile.php:420 +#: src/Model/Profile.php:745 +msgid "Gender:" +msgstr "Kyn:" + +#: mod/notifications.php:258 mod/unfollow.php:122 mod/follow.php:166 +#: mod/contacts.php:656 mod/admin.php:490 mod/admin.php:500 +msgid "Profile URL" +msgstr "Slóð á forsíðu" + +#: mod/notifications.php:261 mod/contacts.php:71 src/Model/Profile.php:518 +msgid "Network:" +msgstr "Netkerfi:" + +#: mod/notifications.php:275 +msgid "No introductions." +msgstr "Engar kynningar." + +#: mod/notifications.php:316 +msgid "Show unread" +msgstr "Birta ólesið" + +#: mod/notifications.php:316 +msgid "Show all" +msgstr "Birta allt" + +#: mod/notifications.php:322 +#, php-format +msgid "No more %s notifications." +msgstr "Ekki fleiri %s tilkynningar." + +#: mod/openid.php:29 +msgid "OpenID protocol error. No ID returned." +msgstr "Samskiptavilla í OpenID. Ekkert auðkenni barst." + +#: mod/openid.php:66 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "" + +#: mod/openid.php:116 src/Module/Login.php:86 src/Module/Login.php:134 +msgid "Login failed." +msgstr "Innskráning mistókst." + +#: mod/dfrn_confirm.php:74 mod/profiles.php:39 mod/profiles.php:149 +#: mod/profiles.php:196 mod/profiles.php:618 +msgid "Profile not found." +msgstr "Forsíða fannst ekki." + +#: mod/dfrn_confirm.php:132 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "" + +#: mod/dfrn_confirm.php:242 +msgid "Response from remote site was not understood." +msgstr "Ekki tókst að skilja svar frá ytri vef." + +#: mod/dfrn_confirm.php:249 mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "Óskiljanlegt svar frá ytri vef:" + +#: mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Staðfesting kláraði eðlilega." + +#: mod/dfrn_confirm.php:275 +msgid "Temporary failure. Please wait and try again." +msgstr "Tímabundin villa. Bíddu aðeins og reyndu svo aftur." + +#: mod/dfrn_confirm.php:278 +msgid "Introduction failed or was revoked." +msgstr "Kynning mistókst eða var afturkölluð." + +#: mod/dfrn_confirm.php:283 +msgid "Remote site reported: " +msgstr "Ytri vefur svaraði:" + +#: mod/dfrn_confirm.php:396 +msgid "Unable to set contact photo." +msgstr "Ekki tókst að setja tengiliðamynd." + +#: mod/dfrn_confirm.php:498 +#, php-format +msgid "No user record found for '%s' " +msgstr "Engin notandafærsla fannst fyrir '%s'" + +#: mod/dfrn_confirm.php:508 +msgid "Our site encryption key is apparently messed up." +msgstr "Dulkóðunnar lykill síðunnar okker er í döðlu." + +#: mod/dfrn_confirm.php:519 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "Tómt slóð var uppgefin eða ekki okkur tókst ekki að afkóða slóð." + +#: mod/dfrn_confirm.php:535 +msgid "Contact record was not found for you on our site." +msgstr "Tengiliðafærslan þín fannst ekki á þjóninum okkar." + +#: mod/dfrn_confirm.php:549 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "Opinber lykill er ekki til í tengiliðafærslu fyrir slóð %s." + +#: mod/dfrn_confirm.php:565 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "Skilríkið sem þjónninn þinn gaf upp er þegar afritað á okkar þjón. Þetta ætti að virka ef þú bara reynir aftur." + +#: mod/dfrn_confirm.php:576 +msgid "Unable to set your contact credentials on our system." +msgstr "Ekki tókst að setja tengiliða skilríkið þitt upp á þjóninum okkar." + +#: mod/dfrn_confirm.php:631 +msgid "Unable to update your contact profile details on our system" +msgstr "Ekki tókst að uppfæra tengiliða skilríkis upplýsingarnar á okkar þjón" + +#: mod/dfrn_confirm.php:661 mod/dfrn_request.php:568 +#: src/Model/Contact.php:1520 +msgid "[Name Withheld]" +msgstr "[Nafn ekki sýnt]" + +#: mod/dfrn_confirm.php:694 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s hefur gengið til liðs við %2$s" + +#: mod/invite.php:33 +msgid "Total invitation limit exceeded." +msgstr "" + +#: mod/invite.php:55 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : Ekki gilt póstfang" + +#: mod/invite.php:80 +msgid "Please join us on Friendica" +msgstr "Komdu í hópinn á Friendica" + +#: mod/invite.php:91 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "" + +#: mod/invite.php:95 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : Skilaboð komust ekki til skila." + +#: mod/invite.php:99 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d skilaboð send." +msgstr[1] "%d skilaboð send" + +#: mod/invite.php:117 +msgid "You have no more invitations available" +msgstr "Þú hefur ekki fleiri boðskort." + +#: mod/invite.php:125 +#, php-format +msgid "" +"Visit %s for a list of public sites that you can join. Friendica members on " +"other sites can all connect with each other, as well as with members of many" +" other social networks." +msgstr "" + +#: mod/invite.php:127 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "" + +#: mod/invite.php:128 +#, php-format +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks. See %s for a list of alternate Friendica " +"sites you can join." +msgstr "" + +#: mod/invite.php:132 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "" + +#: mod/invite.php:136 +msgid "" +"Friendica sites all inter-connect to create a huge privacy-enhanced social " +"web that is owned and controlled by its members. They can also connect with " +"many traditional social networks." +msgstr "" + +#: mod/invite.php:135 +#, php-format +msgid "To accept this invitation, please visit and register at %s." +msgstr "" + +#: mod/invite.php:142 +msgid "Send invitations" +msgstr "Senda kynningar" + +#: mod/invite.php:143 +msgid "Enter email addresses, one per line:" +msgstr "Póstföng, eitt í hverja línu:" + +#: mod/invite.php:144 mod/wallmessage.php:141 mod/message.php:259 +#: mod/message.php:426 +msgid "Your message:" +msgstr "Skilaboðin:" + +#: mod/invite.php:145 +msgid "" +"You are cordially invited to join me and other close friends on Friendica - " +"and help us to create a better social web." +msgstr "" + +#: mod/invite.php:147 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Þú þarft að nota eftirfarandi boðskorta auðkenni: $invite_code" + +#: mod/invite.php:147 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Þegar þú hefur nýskráð þig, hafðu samband við mig gegnum síðuna mína á:" + +#: mod/invite.php:149 +msgid "" +"For more information about the Friendica project and why we feel it is " +"important, please visit http://friendi.ca" +msgstr "" + +#: mod/wall_attach.php:24 mod/wall_attach.php:32 mod/wall_attach.php:83 +#: mod/wall_upload.php:38 mod/wall_upload.php:54 mod/wall_upload.php:112 +#: mod/wall_upload.php:155 mod/wall_upload.php:158 +msgid "Invalid request." +msgstr "Ógild fyrirspurn." + +#: mod/wall_attach.php:101 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "" + +#: mod/wall_attach.php:101 +msgid "Or - did you try to upload an empty file?" +msgstr "" + +#: mod/wall_attach.php:112 +#, php-format +msgid "File exceeds size limit of %s" +msgstr "" + +#: mod/wall_attach.php:136 mod/wall_attach.php:152 +msgid "File upload failed." +msgstr "Skráar upphlöðun mistókst." + +#: mod/manage.php:180 +msgid "Manage Identities and/or Pages" +msgstr "Sýsla með notendur og/eða síður" + +#: mod/manage.php:181 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Skipta á milli auðkenna eða hópa- / stjörnunotanda sem deila þínum aðgangs upplýsingum eða þér verið úthlutað \"umsýslu\" réttindum." + +#: mod/manage.php:182 +msgid "Select an identity to manage: " +msgstr "Veldu notanda til að sýsla með:" + +#: mod/dfrn_request.php:94 +msgid "This introduction has already been accepted." +msgstr "Þessi kynning hefur þegar verið samþykkt." + +#: mod/dfrn_request.php:112 mod/dfrn_request.php:359 +msgid "Profile location is not valid or does not contain profile information." +msgstr "Forsíðu slóð er ekki í lagi eða inniheldur ekki forsíðu upplýsingum." + +#: mod/dfrn_request.php:116 mod/dfrn_request.php:363 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Aðvörun: forsíðu staðsetning hefur ekki aðgreinanlegt eigendanafn." + +#: mod/dfrn_request.php:119 mod/dfrn_request.php:366 +msgid "Warning: profile location has no profile photo." +msgstr "Aðvörun: forsíðu slóð hefur ekki forsíðu mynd." + +#: mod/dfrn_request.php:123 mod/dfrn_request.php:370 +#, php-format +msgid "%d required parameter was not found at the given location" +msgid_plural "%d required parameters were not found at the given location" +msgstr[0] "%d skilyrt breyta fannst ekki á uppgefinni staðsetningu" +msgstr[1] "%d skilyrtar breytur fundust ekki á uppgefninni staðsetningu" + +#: mod/dfrn_request.php:162 +msgid "Introduction complete." +msgstr "Kynning tilbúinn." + +#: mod/dfrn_request.php:199 +msgid "Unrecoverable protocol error." +msgstr "Alvarleg samskipta villa." + +#: mod/dfrn_request.php:226 +msgid "Profile unavailable." +msgstr "Ekki hægt að sækja forsíðu" + +#: mod/dfrn_request.php:248 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s hefur fengið of margar tengibeiðnir í dag." + +#: mod/dfrn_request.php:249 +msgid "Spam protection measures have been invoked." +msgstr "Kveikt hefur verið á ruslsíu" + +#: mod/dfrn_request.php:250 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Vinir eru beðnir um að reyna aftur eftir 24 klukkustundir." + +#: mod/dfrn_request.php:280 +msgid "Invalid locator" +msgstr "Ógild staðsetning" + +#: mod/dfrn_request.php:316 +msgid "You have already introduced yourself here." +msgstr "Kynning hefur þegar átt sér stað hér." + +#: mod/dfrn_request.php:319 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Þú ert þegar vinur %s." + +#: mod/dfrn_request.php:339 +msgid "Invalid profile URL." +msgstr "Ógild forsíðu slóð." + +#: mod/dfrn_request.php:345 src/Model/Contact.php:1223 +msgid "Disallowed profile URL." +msgstr "Óleyfileg forsíðu slóð." + +#: mod/dfrn_request.php:351 mod/friendica.php:128 mod/admin.php:353 +#: mod/admin.php:371 src/Model/Contact.php:1228 +msgid "Blocked domain" +msgstr "Útilokað lén" + +#: mod/dfrn_request.php:419 mod/contacts.php:230 +msgid "Failed to update contact record." +msgstr "Ekki tókst að uppfæra tengiliðs skrá." + +#: mod/dfrn_request.php:439 +msgid "Your introduction has been sent." +msgstr "Kynningin þín hefur verið send." + +#: mod/dfrn_request.php:477 +msgid "" +"Remote subscription can't be done for your network. Please subscribe " +"directly on your system." +msgstr "" + +#: mod/dfrn_request.php:493 +msgid "Please login to confirm introduction." +msgstr "Skráðu þig inn til að staðfesta kynningu." + +#: mod/dfrn_request.php:501 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Ekki réttur notandi skráður inn. Skráðu þig inn sem þessi notandi." + +#: mod/dfrn_request.php:515 mod/dfrn_request.php:532 +msgid "Confirm" +msgstr "Staðfesta" + +#: mod/dfrn_request.php:527 +msgid "Hide this contact" +msgstr "Fela þennan tengilið" + +#: mod/dfrn_request.php:530 +#, php-format +msgid "Welcome home %s." +msgstr "Velkomin(n) heim %s." + +#: mod/dfrn_request.php:531 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Staðfestu kynninguna/tengibeiðnina við %s." + +#: mod/dfrn_request.php:607 mod/probe.php:13 mod/viewcontacts.php:45 +#: mod/webfinger.php:16 mod/search.php:98 mod/search.php:104 +#: mod/community.php:27 mod/photos.php:932 mod/videos.php:199 +#: mod/display.php:203 mod/directory.php:42 msgid "Public access denied." msgstr "Alemennings aðgangur ekki veittur." -#: mod/search.php:100 +#: mod/dfrn_request.php:642 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Settu inn 'Auðkennisnetfang' þitt úr einhverjum af eftirfarandi samskiptanetum:" + +#: mod/dfrn_request.php:645 +#, php-format +msgid "" +"If you are not yet a member of the free social web, follow " +"this link to find a public Friendica site and join us today." +msgstr "" + +#: mod/dfrn_request.php:650 +msgid "Friend/Connection Request" +msgstr "Vinabeiðni/Tengibeiðni" + +#: mod/dfrn_request.php:651 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@gnusocial.de" +msgstr "" + +#: mod/dfrn_request.php:652 mod/follow.php:149 +msgid "Please answer the following:" +msgstr "Vinnsamlegast svaraðu eftirfarandi:" + +#: mod/dfrn_request.php:653 mod/follow.php:150 +#, php-format +msgid "Does %s know you?" +msgstr "Þekkir %s þig?" + +#: mod/dfrn_request.php:654 mod/follow.php:151 +msgid "Add a personal note:" +msgstr "Bæta við persónulegri athugasemd" + +#: mod/dfrn_request.php:656 src/Content/ContactSelector.php:79 +msgid "Friendica" +msgstr "Friendica" + +#: mod/dfrn_request.php:657 +msgid "GNU Social (Pleroma, Mastodon)" +msgstr "GNU Social (Pleroma, Mastodon)" + +#: mod/dfrn_request.php:658 +msgid "Diaspora (Socialhome, Hubzilla)" +msgstr "Diaspora (Socialhome, Hubzilla)" + +#: mod/dfrn_request.php:659 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr "" + +#: mod/dfrn_request.php:660 mod/unfollow.php:113 mod/follow.php:157 +msgid "Your Identity Address:" +msgstr "Auðkennisnetfang þitt:" + +#: mod/dfrn_request.php:662 mod/unfollow.php:65 mod/follow.php:62 +msgid "Submit Request" +msgstr "Senda beiðni" + +#: mod/localtime.php:19 src/Model/Event.php:36 src/Model/Event.php:814 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" + +#: mod/localtime.php:33 +msgid "Time Conversion" +msgstr "Tíma leiðréttir" + +#: mod/localtime.php:35 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica veitir þessa þjónustu til að deila atburðum milli neta og vina í óþekktum tímabeltum." + +#: mod/localtime.php:39 +#, php-format +msgid "UTC time: %s" +msgstr "Máltími: %s" + +#: mod/localtime.php:42 +#, php-format +msgid "Current timezone: %s" +msgstr "Núverandi tímabelti: %s" + +#: mod/localtime.php:46 +#, php-format +msgid "Converted localtime: %s" +msgstr "Umbreyttur staðartími: %s" + +#: mod/localtime.php:52 +msgid "Please select your timezone:" +msgstr "Veldu tímabeltið þitt:" + +#: mod/probe.php:14 mod/webfinger.php:17 +msgid "Only logged in users are permitted to perform a probing." +msgstr "" + +#: mod/profperm.php:28 mod/group.php:83 index.php:415 +msgid "Permission denied" +msgstr "Bannaður aðgangur" + +#: mod/profperm.php:34 mod/profperm.php:65 +msgid "Invalid profile identifier." +msgstr "Ógilt tengiliða auðkenni" + +#: mod/profperm.php:111 +msgid "Profile Visibility Editor" +msgstr "Sýsla með sjáanleika forsíðu" + +#: mod/profperm.php:115 mod/group.php:265 +msgid "Click on a contact to add or remove." +msgstr "Ýttu á tengilið til að bæta við hóp eða taka úr hóp." + +#: mod/profperm.php:124 +msgid "Visible To" +msgstr "Sjáanlegur hverjum" + +#: mod/profperm.php:140 +msgid "All Contacts (with secure profile access)" +msgstr "Allir tengiliðir (með öruggann aðgang að forsíðu)" + +#: mod/regmod.php:68 +msgid "Account approved." +msgstr "Notandi samþykktur." + +#: mod/regmod.php:93 +#, php-format +msgid "Registration revoked for %s" +msgstr "Skráning afturköllurð vegna %s" + +#: mod/regmod.php:102 +msgid "Please login." +msgstr "Skráðu yður inn." + +#: mod/removeme.php:55 mod/removeme.php:58 +msgid "Remove My Account" +msgstr "Eyða þessum notanda" + +#: mod/removeme.php:56 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Þetta mun algjörlega eyða notandanum. Þegar þetta hefur verið gert er þetta ekki afturkræft." + +#: mod/removeme.php:57 +msgid "Please enter your password for verification:" +msgstr "Sláðu inn aðgangsorð yðar:" + +#: mod/viewcontacts.php:87 +msgid "No contacts." +msgstr "Enginn tengiliður" + +#: mod/viewsrc.php:12 +msgid "Access denied." +msgstr "Aðgangi hafnað." + +#: mod/wallmessage.php:49 mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "" + +#: mod/wallmessage.php:57 mod/message.php:73 +msgid "No recipient selected." +msgstr "Engir viðtakendur valdir." + +#: mod/wallmessage.php:60 +msgid "Unable to check your home location." +msgstr "" + +#: mod/wallmessage.php:63 mod/message.php:80 +msgid "Message could not be sent." +msgstr "Ekki tókst að senda skilaboð." + +#: mod/wallmessage.php:66 mod/message.php:83 +msgid "Message collection failure." +msgstr "Ekki tókst að sækja skilaboð." + +#: mod/wallmessage.php:69 mod/message.php:86 +msgid "Message sent." +msgstr "Skilaboð send." + +#: mod/wallmessage.php:86 mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Enginn viðtakandi" + +#: mod/wallmessage.php:132 mod/message.php:250 +msgid "Send Private Message" +msgstr "Senda einkaskilaboð" + +#: mod/wallmessage.php:133 +#, php-format +msgid "" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "" + +#: mod/wallmessage.php:134 mod/message.php:251 mod/message.php:421 +msgid "To:" +msgstr "Til:" + +#: mod/wallmessage.php:135 mod/message.php:255 mod/message.php:423 +msgid "Subject:" +msgstr "Efni:" + +#: mod/uexport.php:44 +msgid "Export account" +msgstr "Flytja út notandaaðgang" + +#: mod/uexport.php:44 +msgid "" +"Export your account info and contacts. Use this to make a backup of your " +"account and/or to move it to another server." +msgstr "" + +#: mod/uexport.php:45 +msgid "Export all" +msgstr "Flytja út allt" + +#: mod/uexport.php:45 +msgid "" +"Export your accout info, contacts and all your items as json. Could be a " +"very big file, and could take a lot of time. Use this to make a full backup " +"of your account (photos are not exported)" +msgstr "" + +#: mod/uexport.php:52 mod/settings.php:107 +msgid "Export personal data" +msgstr "Sækja persónuleg gögn" + +#: mod/filer.php:34 +msgid "- select -" +msgstr "- veldu -" + +#: mod/notify.php:77 +msgid "No more system notifications." +msgstr "Ekki fleiri kerfistilkynningar." + +#: mod/ping.php:292 +msgid "{0} wants to be your friend" +msgstr "{0} vill vera vinur þinn" + +#: mod/ping.php:307 +msgid "{0} sent you a message" +msgstr "{0} sendi þér skilboð" + +#: mod/ping.php:322 +msgid "{0} requested registration" +msgstr "{0} óskaði eftir skráningu" + +#: mod/poke.php:192 +msgid "Poke/Prod" +msgstr "" + +#: mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "" + +#: mod/poke.php:194 +msgid "Recipient" +msgstr "Viðtakandi" + +#: mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "" + +#: mod/poke.php:198 +msgid "Make this post private" +msgstr "Gera þennan póst einka" + +#: mod/subthread.php:113 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "" + +#: mod/tagrm.php:47 +msgid "Tag removed" +msgstr "Merki fjarlægt" + +#: mod/tagrm.php:85 +msgid "Remove Item Tag" +msgstr "Fjarlægja merki " + +#: mod/tagrm.php:87 +msgid "Select a tag to remove: " +msgstr "Veldu merki til að fjarlægja:" + +#: mod/tagrm.php:98 mod/delegate.php:177 +msgid "Remove" +msgstr "Fjarlægja" + +#: mod/wall_upload.php:186 mod/photos.php:763 mod/photos.php:766 +#: mod/photos.php:795 mod/profile_photo.php:153 +#, php-format +msgid "Image exceeds size limit of %s" +msgstr "" + +#: mod/wall_upload.php:200 mod/photos.php:818 mod/profile_photo.php:162 +msgid "Unable to process image." +msgstr "Ekki mögulegt afgreiða mynd" + +#: mod/wall_upload.php:231 mod/item.php:471 src/Object/Image.php:953 +#: src/Object/Image.php:969 src/Object/Image.php:977 src/Object/Image.php:1002 +msgid "Wall Photos" +msgstr "Veggmyndir" + +#: mod/wall_upload.php:239 mod/photos.php:847 mod/profile_photo.php:307 +msgid "Image upload failed." +msgstr "Ekki hægt að hlaða upp mynd." + +#: mod/search.php:37 mod/network.php:194 +msgid "Remove term" +msgstr "Fjarlæga gildi" + +#: mod/search.php:46 mod/network.php:201 src/Content/Feature.php:100 +msgid "Saved Searches" +msgstr "Vistaðar leitir" + +#: mod/search.php:105 msgid "Only logged in users are permitted to perform a search." msgstr "Aðeins innskráðir notendur geta framkvæmt leit." -#: mod/search.php:124 +#: mod/search.php:129 msgid "Too Many Requests" msgstr "Of margar beiðnir" -#: mod/search.php:125 +#: mod/search.php:130 msgid "Only one search per minute is permitted for not logged in users." msgstr "Notendur sem ekki eru innskráðir geta aðeins framkvæmt eina leit á mínútu." -#: mod/search.php:224 mod/community.php:66 mod/community.php:75 +#: mod/search.php:228 mod/community.php:136 msgid "No results." msgstr "Engar leitarniðurstöður." -#: mod/search.php:230 +#: mod/search.php:234 #, php-format msgid "Items tagged with: %s" msgstr "Atriði merkt með: %s" -#: mod/search.php:232 mod/contacts.php:797 mod/network.php:146 +#: mod/search.php:236 mod/contacts.php:819 #, php-format msgid "Results for: %s" msgstr "Niðurstöður fyrir: %s" -#: mod/friendica.php:70 +#: mod/bookmarklet.php:23 src/Content/Nav.php:114 src/Module/Login.php:312 +msgid "Login" +msgstr "Innskráning" + +#: mod/bookmarklet.php:51 +msgid "The post was created" +msgstr "" + +#: mod/community.php:46 +msgid "Community option not available." +msgstr "" + +#: mod/community.php:63 +msgid "Not available." +msgstr "Ekki tiltækt." + +#: mod/community.php:76 +msgid "Local Community" +msgstr "" + +#: mod/community.php:79 +msgid "Posts from local users on this server" +msgstr "" + +#: mod/community.php:87 +msgid "Global Community" +msgstr "" + +#: mod/community.php:90 +msgid "Posts from users of the whole federated network" +msgstr "" + +#: mod/community.php:180 +msgid "" +"This community stream shows all public posts received by this node. They may" +" not reflect the opinions of this node’s users." +msgstr "" + +#: mod/editpost.php:25 mod/editpost.php:35 +msgid "Item not found" +msgstr "Atriði fannst ekki" + +#: mod/editpost.php:42 +msgid "Edit post" +msgstr "Breyta skilaboðum" + +#: mod/editpost.php:134 src/Core/ACL.php:315 +msgid "CC: email addresses" +msgstr "CC: tölvupóstfang" + +#: mod/editpost.php:141 src/Core/ACL.php:316 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Dæmi: bibbi@vefur.is, mgga@vefur.is" + +#: mod/feedtest.php:20 +msgid "You must be logged in to use this module" +msgstr "" + +#: mod/feedtest.php:48 +msgid "Source URL" +msgstr "Upprunaslóð" + +#: mod/fsuggest.php:72 +msgid "Friend suggestion sent." +msgstr "Vina tillaga send" + +#: mod/fsuggest.php:101 +msgid "Suggest Friends" +msgstr "Stinga uppá vinum" + +#: mod/fsuggest.php:103 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Stinga uppá vin fyrir %s" + +#: mod/group.php:36 +msgid "Group created." +msgstr "Hópur stofnaður" + +#: mod/group.php:42 +msgid "Could not create group." +msgstr "Gat ekki stofnað hóp." + +#: mod/group.php:56 mod/group.php:157 +msgid "Group not found." +msgstr "Hópur fannst ekki." + +#: mod/group.php:70 +msgid "Group name changed." +msgstr "Hópur endurskýrður." + +#: mod/group.php:97 +msgid "Save Group" +msgstr "Vista hóp" + +#: mod/group.php:102 +msgid "Create a group of contacts/friends." +msgstr "Stofna hóp af tengiliðum/vinum" + +#: mod/group.php:103 mod/group.php:199 src/Model/Group.php:408 +msgid "Group Name: " +msgstr "Nafn hóps: " + +#: mod/group.php:127 +msgid "Group removed." +msgstr "Hópi eytt." + +#: mod/group.php:129 +msgid "Unable to remove group." +msgstr "Ekki tókst að eyða hóp." + +#: mod/group.php:192 +msgid "Delete Group" +msgstr "Eyða hópi" + +#: mod/group.php:198 +msgid "Group Editor" +msgstr "Hópa sýslari" + +#: mod/group.php:203 +msgid "Edit Group Name" +msgstr "Breyta nafni hóps" + +#: mod/group.php:213 +msgid "Members" +msgstr "Meðlimir" + +#: mod/group.php:215 mod/contacts.php:719 +msgid "All Contacts" +msgstr "Allir tengiliðir" + +#: mod/group.php:216 mod/network.php:639 +msgid "Group is empty" +msgstr "Hópur er tómur" + +#: mod/group.php:229 +msgid "Remove Contact" +msgstr "Fjarlægja tengilið" + +#: mod/group.php:253 +msgid "Add Contact" +msgstr "Bæta við tengilið" + +#: mod/item.php:114 +msgid "Unable to locate original post." +msgstr "Ekki tókst að finna upphaflega færslu." + +#: mod/item.php:274 +msgid "Empty post discarded." +msgstr "Tóm færsla eytt." + +#: mod/item.php:799 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Skilaboðið sendi %s, notandi á Friendica samfélagsnetinu." + +#: mod/item.php:801 +#, php-format +msgid "You may visit them online at %s" +msgstr "Þú getur heimsótt þau á netinu á %s" + +#: mod/item.php:802 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Hafðu samband við sendanda með því að svara á þessari færslu ef þú villt ekki fá þessi skilaboð." + +#: mod/item.php:806 +#, php-format +msgid "%s posted an update." +msgstr "%s hefur sent uppfærslu." + +#: mod/message.php:30 src/Content/Nav.php:198 +msgid "New Message" +msgstr "Ný skilaboð" + +#: mod/message.php:77 +msgid "Unable to locate contact information." +msgstr "Ekki tókst að staðsetja tengiliðs upplýsingar." + +#: mod/message.php:112 src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Messages" +msgstr "Skilaboð" + +#: mod/message.php:136 +msgid "Do you really want to delete this message?" +msgstr "Viltu virkilega eyða þessum skilaboðum?" + +#: mod/message.php:156 +msgid "Message deleted." +msgstr "Skilaboðum eytt." + +#: mod/message.php:185 +msgid "Conversation removed." +msgstr "Samtali eytt." + +#: mod/message.php:291 +msgid "No messages." +msgstr "Engin skilaboð." + +#: mod/message.php:330 +msgid "Message not available." +msgstr "Ekki næst í skilaboð." + +#: mod/message.php:397 +msgid "Delete message" +msgstr "Eyða skilaboðum" + +#: mod/message.php:399 mod/message.php:500 +msgid "D, d M Y - g:i A" +msgstr "D, d. M Y - g:i A" + +#: mod/message.php:414 mod/message.php:497 +msgid "Delete conversation" +msgstr "Eyða samtali" + +#: mod/message.php:416 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "" + +#: mod/message.php:420 +msgid "Send Reply" +msgstr "Senda svar" + +#: mod/message.php:471 +#, php-format +msgid "Unknown sender - %s" +msgstr "Óþekktur sendandi - %s" + +#: mod/message.php:473 +#, php-format +msgid "You and %s" +msgstr "Þú og %s" + +#: mod/message.php:475 +#, php-format +msgid "%s and You" +msgstr "%s og þú" + +#: mod/message.php:503 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d skilaboð" +msgstr[1] "%d skilaboð" + +#: mod/network.php:202 src/Model/Group.php:400 +msgid "add" +msgstr "bæta við" + +#: mod/network.php:547 +#, php-format +msgid "" +"Warning: This group contains %s member from a network that doesn't allow non" +" public messages." +msgid_plural "" +"Warning: This group contains %s members from a network that doesn't allow " +"non public messages." +msgstr[0] "" +msgstr[1] "" + +#: mod/network.php:550 +msgid "Messages in this group won't be send to these receivers." +msgstr "" + +#: mod/network.php:618 +msgid "No such group" +msgstr "Enginn slíkur hópur" + +#: mod/network.php:643 +#, php-format +msgid "Group: %s" +msgstr "Hópur: %s" + +#: mod/network.php:669 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "Einka skilaboð send á þennan notanda eiga á hættu að verða opinber." + +#: mod/network.php:672 +msgid "Invalid contact." +msgstr "Ógildur tengiliður." + +#: mod/network.php:921 +msgid "Commented Order" +msgstr "Athugasemdar röð" + +#: mod/network.php:924 +msgid "Sort by Comment Date" +msgstr "Raða eftir umræðu dagsetningu" + +#: mod/network.php:929 +msgid "Posted Order" +msgstr "Færlsu röð" + +#: mod/network.php:932 +msgid "Sort by Post Date" +msgstr "Raða eftir færslu dagsetningu" + +#: mod/network.php:940 mod/profiles.php:687 +#: src/Core/NotificationsManager.php:185 +msgid "Personal" +msgstr "Einka" + +#: mod/network.php:943 +msgid "Posts that mention or involve you" +msgstr "Færslur sem tengjast þér" + +#: mod/network.php:951 +msgid "New" +msgstr "Nýtt" + +#: mod/network.php:954 +msgid "Activity Stream - by date" +msgstr "Færslu straumur - raðað eftir dagsetningu" + +#: mod/network.php:962 +msgid "Shared Links" +msgstr "Sameignartenglar" + +#: mod/network.php:965 +msgid "Interesting Links" +msgstr "Áhugaverðir tenglar" + +#: mod/network.php:973 +msgid "Starred" +msgstr "Stjörnumerkt" + +#: mod/network.php:976 +msgid "Favourite Posts" +msgstr "Uppáhalds færslur" + +#: mod/notes.php:52 src/Model/Profile.php:946 +msgid "Personal Notes" +msgstr "Persónulegar glósur" + +#: mod/oexchange.php:30 +msgid "Post successful." +msgstr "Melding tókst." + +#: mod/photos.php:108 src/Model/Profile.php:907 +msgid "Photo Albums" +msgstr "Myndabækur" + +#: mod/photos.php:109 mod/photos.php:1713 +msgid "Recent Photos" +msgstr "Nýlegar myndir" + +#: mod/photos.php:112 mod/photos.php:1210 mod/photos.php:1715 +msgid "Upload New Photos" +msgstr "Hlaða upp nýjum myndum" + +#: mod/photos.php:126 mod/settings.php:50 +msgid "everybody" +msgstr "allir" + +#: mod/photos.php:184 +msgid "Contact information unavailable" +msgstr "Tengiliða upplýsingar ekki til" + +#: mod/photos.php:204 +msgid "Album not found." +msgstr "Myndabók finnst ekki." + +#: mod/photos.php:234 mod/photos.php:245 mod/photos.php:1161 +msgid "Delete Album" +msgstr "Fjarlægja myndabók" + +#: mod/photos.php:243 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "" + +#: mod/photos.php:310 mod/photos.php:321 mod/photos.php:1446 +msgid "Delete Photo" +msgstr "Fjarlægja mynd" + +#: mod/photos.php:319 +msgid "Do you really want to delete this photo?" +msgstr "" + +#: mod/photos.php:667 +msgid "a photo" +msgstr "mynd" + +#: mod/photos.php:667 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "" + +#: mod/photos.php:769 +msgid "Image upload didn't complete, please try again" +msgstr "" + +#: mod/photos.php:772 +msgid "Image file is missing" +msgstr "Myndskrá vantar" + +#: mod/photos.php:777 +msgid "" +"Server can't accept new file upload at this time, please contact your " +"administrator" +msgstr "" + +#: mod/photos.php:803 +msgid "Image file is empty." +msgstr "Mynda skrá er tóm." + +#: mod/photos.php:940 +msgid "No photos selected" +msgstr "Engar myndir valdar" + +#: mod/photos.php:1036 mod/videos.php:309 +msgid "Access to this item is restricted." +msgstr "Aðgangur að þessum hlut hefur verið heftur" + +#: mod/photos.php:1090 +msgid "Upload Photos" +msgstr "Hlaða upp myndum" + +#: mod/photos.php:1094 mod/photos.php:1156 +msgid "New album name: " +msgstr "Nýtt nafn myndbókar:" + +#: mod/photos.php:1095 +msgid "or existing album name: " +msgstr "eða fyrra nafn myndbókar:" + +#: mod/photos.php:1096 +msgid "Do not show a status post for this upload" +msgstr "Ekki sýna færslu fyrir þessari upphölun" + +#: mod/photos.php:1098 mod/photos.php:1441 mod/events.php:533 +#: src/Core/ACL.php:318 +msgid "Permissions" +msgstr "Aðgangsheimildir" + +#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1229 +msgid "Show to Groups" +msgstr "Birta hópum" + +#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1230 +msgid "Show to Contacts" +msgstr "Birta tengiliðum" + +#: mod/photos.php:1167 +msgid "Edit Album" +msgstr "Breyta myndbók" + +#: mod/photos.php:1172 +msgid "Show Newest First" +msgstr "Birta nýjast fyrst" + +#: mod/photos.php:1174 +msgid "Show Oldest First" +msgstr "Birta elsta fyrst" + +#: mod/photos.php:1195 mod/photos.php:1698 +msgid "View Photo" +msgstr "Skoða mynd" + +#: mod/photos.php:1236 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Aðgangi hafnað. Aðgangur að þessum hlut kann að vera skertur." + +#: mod/photos.php:1238 +msgid "Photo not available" +msgstr "Mynd ekki til" + +#: mod/photos.php:1301 +msgid "View photo" +msgstr "Birta mynd" + +#: mod/photos.php:1301 +msgid "Edit photo" +msgstr "Breyta mynd" + +#: mod/photos.php:1302 +msgid "Use as profile photo" +msgstr "Nota sem forsíðu mynd" + +#: mod/photos.php:1308 src/Object/Post.php:149 +msgid "Private Message" +msgstr "Einkaskilaboð" + +#: mod/photos.php:1327 +msgid "View Full Size" +msgstr "Skoða í fullri stærð" + +#: mod/photos.php:1414 +msgid "Tags: " +msgstr "Merki:" + +#: mod/photos.php:1417 +msgid "[Remove any tag]" +msgstr "[Fjarlægja öll merki]" + +#: mod/photos.php:1432 +msgid "New album name" +msgstr "Nýtt nafn myndbókar" + +#: mod/photos.php:1433 +msgid "Caption" +msgstr "Yfirskrift" + +#: mod/photos.php:1434 +msgid "Add a Tag" +msgstr "Bæta við merki" + +#: mod/photos.php:1434 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Til dæmis: @bob, @Barbara_Jensen, @jim@example.com, #Reykjavík #tjalda" + +#: mod/photos.php:1435 +msgid "Do not rotate" +msgstr "Ekki snúa" + +#: mod/photos.php:1436 +msgid "Rotate CW (right)" +msgstr "Snúa réttsælis (hægri)" + +#: mod/photos.php:1437 +msgid "Rotate CCW (left)" +msgstr "Snúa rangsælis (vinstri)" + +#: mod/photos.php:1471 src/Object/Post.php:296 +msgid "I like this (toggle)" +msgstr "Mér líkar þetta (kveikja/slökkva)" + +#: mod/photos.php:1472 src/Object/Post.php:297 +msgid "I don't like this (toggle)" +msgstr "Mér líkar þetta ekki (kveikja/slökkva)" + +#: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 +#: mod/contacts.php:953 src/Object/Post.php:793 +msgid "This is you" +msgstr "Þetta ert þú" + +#: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 +#: src/Object/Post.php:399 src/Object/Post.php:795 +msgid "Comment" +msgstr "Athugasemd" + +#: mod/photos.php:1634 +msgid "Map" +msgstr "Landakort" + +#: mod/photos.php:1704 mod/videos.php:387 +msgid "View Album" +msgstr "Skoða myndabók" + +#: mod/profile.php:37 src/Model/Profile.php:118 +msgid "Requested profile is not available." +msgstr "Umbeðin forsíða ekki til." + +#: mod/profile.php:78 src/Protocol/OStatus.php:1252 +#, php-format +msgid "%s's posts" +msgstr "Færslur frá %s" + +#: mod/profile.php:79 src/Protocol/OStatus.php:1253 +#, php-format +msgid "%s's comments" +msgstr "Athugasemdir frá %s" + +#: mod/profile.php:80 src/Protocol/OStatus.php:1251 +#, php-format +msgid "%s's timeline" +msgstr "Tímalína fyrir %s" + +#: mod/profile.php:173 mod/display.php:313 mod/cal.php:142 +msgid "Access to this profile has been restricted." +msgstr "Aðgangur að þessari forsíðu hefur verið heftur." + +#: mod/profile.php:194 +msgid "Tips for New Members" +msgstr "Ábendingar fyrir nýja notendur" + +#: mod/videos.php:139 +msgid "Do you really want to delete this video?" +msgstr "" + +#: mod/videos.php:144 +msgid "Delete Video" +msgstr "Eyða myndskeiði" + +#: mod/videos.php:207 +msgid "No videos selected" +msgstr "Engin myndskeið valin" + +#: mod/videos.php:396 +msgid "Recent Videos" +msgstr "Nýleg myndskeið" + +#: mod/videos.php:398 +msgid "Upload New Videos" +msgstr "Senda inn ný myndskeið" + +#: mod/delegate.php:37 +msgid "Parent user not found." +msgstr "" + +#: mod/delegate.php:144 +msgid "No parent user" +msgstr "" + +#: mod/delegate.php:159 +msgid "Parent Password:" +msgstr "" + +#: mod/delegate.php:159 +msgid "" +"Please enter the password of the parent account to legitimize your request." +msgstr "" + +#: mod/delegate.php:164 +msgid "Parent User" +msgstr "" + +#: mod/delegate.php:167 +msgid "" +"Parent users have total control about this account, including the account " +"settings. Please double check whom you give this access." +msgstr "" + +#: mod/delegate.php:168 mod/admin.php:307 mod/admin.php:1346 +#: mod/admin.php:1965 mod/admin.php:2218 mod/admin.php:2292 mod/admin.php:2439 +#: mod/settings.php:675 mod/settings.php:784 mod/settings.php:872 +#: mod/settings.php:961 mod/settings.php:1194 +msgid "Save Settings" +msgstr "Vista stillingar" + +#: mod/delegate.php:169 src/Content/Nav.php:204 +msgid "Delegate Page Management" +msgstr "" + +#: mod/delegate.php:170 +msgid "Delegates" +msgstr "" + +#: mod/delegate.php:172 +msgid "" +"Delegates are able to manage all aspects of this account/page except for " +"basic account settings. Please do not delegate your personal account to " +"anybody that you do not trust completely." +msgstr "" + +#: mod/delegate.php:173 +msgid "Existing Page Delegates" +msgstr "" + +#: mod/delegate.php:175 +msgid "Potential Delegates" +msgstr "" + +#: mod/delegate.php:178 +msgid "Add" +msgstr "Bæta við" + +#: mod/delegate.php:179 +msgid "No entries." +msgstr "Engar færslur." + +#: mod/dirfind.php:49 +#, php-format +msgid "People Search - %s" +msgstr "Leita að fólki - %s" + +#: mod/dirfind.php:60 +#, php-format +msgid "Forum Search - %s" +msgstr "Leita á spjallsvæði - %s" + +#: mod/install.php:114 +msgid "Friendica Communications Server - Setup" +msgstr "" + +#: mod/install.php:120 +msgid "Could not connect to database." +msgstr "Gat ekki tengst gagnagrunn." + +#: mod/install.php:124 +msgid "Could not create table." +msgstr "Gat ekki búið til töflu." + +#: mod/install.php:130 +msgid "Your Friendica site database has been installed." +msgstr "Friendica gagnagrunnurinn þinn hefur verið uppsettur." + +#: mod/install.php:135 +msgid "" +"You may need to import the file \"database.sql\" manually using phpmyadmin " +"or mysql." +msgstr "Þú þarft mögulega að keyra inn skránna \"database.sql\" handvirkt með phpmyadmin eða mysql." + +#: mod/install.php:136 mod/install.php:208 mod/install.php:558 +msgid "Please see the file \"INSTALL.txt\"." +msgstr "Lestu skrána \"INSTALL.txt\"." + +#: mod/install.php:148 +msgid "Database already in use." +msgstr "Gagnagrunnur er þegar í notkun." + +#: mod/install.php:205 +msgid "System check" +msgstr "Kerfis prófun" + +#: mod/install.php:209 mod/cal.php:277 mod/events.php:395 +msgid "Next" +msgstr "Næsta" + +#: mod/install.php:210 +msgid "Check again" +msgstr "Prófa aftur" + +#: mod/install.php:230 +msgid "Database connection" +msgstr "Gangagrunns tenging" + +#: mod/install.php:231 +msgid "" +"In order to install Friendica we need to know how to connect to your " +"database." +msgstr "Til að setja upp Friendica þurfum við að vita hvernig á að tengjast gagnagrunninum þínum." + +#: mod/install.php:232 +msgid "" +"Please contact your hosting provider or site administrator if you have " +"questions about these settings." +msgstr "Hafðu samband við hýsingaraðilann þinn eða kerfisstjóra ef þú hefur spurningar varðandi þessar stillingar." + +#: mod/install.php:233 +msgid "" +"The database you specify below should already exist. If it does not, please " +"create it before continuing." +msgstr "Gagnagrunnurinn sem þú bendir á þarf þegar að vera til. Ef ekki þá þarf að stofna hann áður en haldið er áfram." + +#: mod/install.php:237 +msgid "Database Server Name" +msgstr "Vélanafn gagangrunns" + +#: mod/install.php:238 +msgid "Database Login Name" +msgstr "Notendanafn í gagnagrunn" + +#: mod/install.php:239 +msgid "Database Login Password" +msgstr "Aðgangsorð í gagnagrunns" + +#: mod/install.php:239 +msgid "For security reasons the password must not be empty" +msgstr "" + +#: mod/install.php:240 +msgid "Database Name" +msgstr "Nafn gagnagrunns" + +#: mod/install.php:241 mod/install.php:281 +msgid "Site administrator email address" +msgstr "Póstfang kerfisstjóra vefsvæðis" + +#: mod/install.php:241 mod/install.php:281 +msgid "" +"Your account email address must match this in order to use the web admin " +"panel." +msgstr "Póstfang aðgangsins þíns verður að passa við þetta til að hægt sé að nota umsýsluvefviðmótið." + +#: mod/install.php:245 mod/install.php:284 +msgid "Please select a default timezone for your website" +msgstr "Veldu sjálfgefið tímabelti fyrir vefsíðuna" + +#: mod/install.php:271 +msgid "Site settings" +msgstr "Stillingar vefsvæðis" + +#: mod/install.php:285 +msgid "System Language:" +msgstr "Tungumál kerfis:" + +#: mod/install.php:285 +msgid "" +"Set the default language for your Friendica installation interface and to " +"send emails." +msgstr "" + +#: mod/install.php:325 +msgid "Could not find a command line version of PHP in the web server PATH." +msgstr "Gat ekki fundið skipanalínu útgáfu af PHP í vefþjóns PATH." + +#: mod/install.php:326 +msgid "" +"If you don't have a command line version of PHP installed on your server, " +"you will not be able to run the background processing. See 'Setup the worker'" +msgstr "" + +#: mod/install.php:330 +msgid "PHP executable path" +msgstr "PHP keyrslu slóð" + +#: mod/install.php:330 +msgid "" +"Enter full path to php executable. You can leave this blank to continue the " +"installation." +msgstr "" + +#: mod/install.php:335 +msgid "Command line PHP" +msgstr "Skipanalínu PHP" + +#: mod/install.php:344 +msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" +msgstr "" + +#: mod/install.php:345 +msgid "Found PHP version: " +msgstr "Fann PHP útgáfu: " + +#: mod/install.php:347 +msgid "PHP cli binary" +msgstr "" + +#: mod/install.php:358 +msgid "" +"The command line version of PHP on your system does not have " +"\"register_argc_argv\" enabled." +msgstr "Skipanalínu útgáfa af PHP á vefþjóninum hefur ekki kveikt á \"register_argc_argv\"." + +#: mod/install.php:359 +msgid "This is required for message delivery to work." +msgstr "Þetta er skilyrt fyrir því að skilaboð komist til skila." + +#: mod/install.php:361 +msgid "PHP register_argc_argv" +msgstr "" + +#: mod/install.php:384 +msgid "" +"Error: the \"openssl_pkey_new\" function on this system is not able to " +"generate encryption keys" +msgstr "Villa: Stefjan \"openssl_pkey_new\" á vefþjóninum getur ekki stofnað dulkóðunar lykla" + +#: mod/install.php:385 +msgid "" +"If running under Windows, please see " +"\"http://www.php.net/manual/en/openssl.installation.php\"." +msgstr "Ef keyrt er á Window, skoðaðu þá \"http://www.php.net/manual/en/openssl.installation.php\"." + +#: mod/install.php:387 +msgid "Generate encryption keys" +msgstr "Búa til dulkóðunar lykla" + +#: mod/install.php:394 +msgid "libCurl PHP module" +msgstr "libCurl PHP eining" + +#: mod/install.php:395 +msgid "GD graphics PHP module" +msgstr "GD graphics PHP eining" + +#: mod/install.php:396 +msgid "OpenSSL PHP module" +msgstr "OpenSSL PHP eining" + +#: mod/install.php:397 +msgid "PDO or MySQLi PHP module" +msgstr "" + +#: mod/install.php:398 +msgid "mb_string PHP module" +msgstr "mb_string PHP eining" + +#: mod/install.php:399 +msgid "XML PHP module" +msgstr "" + +#: mod/install.php:400 +msgid "iconv PHP module" +msgstr "" + +#: mod/install.php:401 +msgid "POSIX PHP module" +msgstr "" + +#: mod/install.php:405 mod/install.php:407 +msgid "Apache mod_rewrite module" +msgstr "Apache mod_rewrite eining" + +#: mod/install.php:405 +msgid "" +"Error: Apache webserver mod-rewrite module is required but not installed." +msgstr "Villa: Apache vefþjóns eining mod-rewrite er skilyrði og er ekki uppsett. " + +#: mod/install.php:413 +msgid "Error: libCURL PHP module required but not installed." +msgstr "Villa: libCurl PHP eining er skilyrði og er ekki uppsett." + +#: mod/install.php:417 +msgid "" +"Error: GD graphics PHP module with JPEG support required but not installed." +msgstr "Villa: GD graphics PHP eining með JPEG stuðningi er skilyrði og er ekki uppsett." + +#: mod/install.php:421 +msgid "Error: openssl PHP module required but not installed." +msgstr "Villa: openssl PHP eining skilyrði og er ekki uppsett." + +#: mod/install.php:425 +msgid "Error: PDO or MySQLi PHP module required but not installed." +msgstr "" + +#: mod/install.php:429 +msgid "Error: The MySQL driver for PDO is not installed." +msgstr "" + +#: mod/install.php:433 +msgid "Error: mb_string PHP module required but not installed." +msgstr "Villa: mb_string PHP eining skilyrði en ekki uppsett." + +#: mod/install.php:437 +msgid "Error: iconv PHP module required but not installed." +msgstr "" + +#: mod/install.php:441 +msgid "Error: POSIX PHP module required but not installed." +msgstr "" + +#: mod/install.php:451 +msgid "Error, XML PHP module required but not installed." +msgstr "" + +#: mod/install.php:463 +msgid "" +"The web installer needs to be able to create a file called \".htconfig.php\"" +" in the top folder of your web server and it is unable to do so." +msgstr "Vef uppsetningar forrit þarf að geta stofnað skránna \".htconfig.php\" in efsta skráarsafninu á vefþjóninum og það getur ekki gert það." + +#: mod/install.php:464 +msgid "" +"This is most often a permission setting, as the web server may not be able " +"to write files in your folder - even if you can." +msgstr "Þetta er oftast aðgangsstýringa stilling, þar sem vefþjónninn getur ekki skrifað út skrár í skráarsafnið - þó þú getir það." + +#: mod/install.php:465 +msgid "" +"At the end of this procedure, we will give you a text to save in a file " +"named .htconfig.php in your Friendica top folder." +msgstr "" + +#: mod/install.php:466 +msgid "" +"You can alternatively skip this procedure and perform a manual installation." +" Please see the file \"INSTALL.txt\" for instructions." +msgstr "" + +#: mod/install.php:469 +msgid ".htconfig.php is writable" +msgstr ".htconfig.php er skrifanleg" + +#: mod/install.php:479 +msgid "" +"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " +"compiles templates to PHP to speed up rendering." +msgstr "" + +#: mod/install.php:480 +msgid "" +"In order to store these compiled templates, the web server needs to have " +"write access to the directory view/smarty3/ under the Friendica top level " +"folder." +msgstr "" + +#: mod/install.php:481 +msgid "" +"Please ensure that the user that your web server runs as (e.g. www-data) has" +" write access to this folder." +msgstr "" + +#: mod/install.php:482 +msgid "" +"Note: as a security measure, you should give the web server write access to " +"view/smarty3/ only--not the template files (.tpl) that it contains." +msgstr "" + +#: mod/install.php:485 +msgid "view/smarty3 is writable" +msgstr "" + +#: mod/install.php:501 +msgid "" +"Url rewrite in .htaccess is not working. Check your server configuration." +msgstr "" + +#: mod/install.php:503 +msgid "Url rewrite is working" +msgstr "" + +#: mod/install.php:522 +msgid "ImageMagick PHP extension is not installed" +msgstr "" + +#: mod/install.php:524 +msgid "ImageMagick PHP extension is installed" +msgstr "" + +#: mod/install.php:526 +msgid "ImageMagick supports GIF" +msgstr "" + +#: mod/install.php:533 +msgid "" +"The database configuration file \".htconfig.php\" could not be written. " +"Please use the enclosed text to create a configuration file in your web " +"server root." +msgstr "Ekki tókst að skrifa stillingaskrá gagnagrunns \".htconfig.php\". Notað meðfylgjandi texta til að búa til stillingarskrá í rót vefþjónsins." + +#: mod/install.php:556 +msgid "

What next

" +msgstr "" + +#: mod/install.php:557 +msgid "" +"IMPORTANT: You will need to [manually] setup a scheduled task for the " +"worker." +msgstr "" + +#: mod/install.php:560 +#, php-format +msgid "" +"Go to your new Friendica node registration page " +"and register as new user. Remember to use the same email you have entered as" +" administrator email. This will allow you to enter the site admin panel." +msgstr "" + +#: mod/ostatus_subscribe.php:21 +msgid "Subscribing to OStatus contacts" +msgstr "" + +#: mod/ostatus_subscribe.php:33 +msgid "No contact provided." +msgstr "Enginn tengiliður uppgefinn." + +#: mod/ostatus_subscribe.php:40 +msgid "Couldn't fetch information for contact." +msgstr "" + +#: mod/ostatus_subscribe.php:50 +msgid "Couldn't fetch friends for contact." +msgstr "" + +#: mod/ostatus_subscribe.php:78 +msgid "success" +msgstr "tókst" + +#: mod/ostatus_subscribe.php:80 +msgid "failed" +msgstr "mistókst" + +#: mod/ostatus_subscribe.php:83 src/Object/Post.php:279 +msgid "ignored" +msgstr "hunsað" + +#: mod/unfollow.php:34 +msgid "Contact wasn't found or can't be unfollowed." +msgstr "" + +#: mod/unfollow.php:47 +msgid "Contact unfollowed" +msgstr "" + +#: mod/unfollow.php:73 +msgid "You aren't a friend of this contact." +msgstr "" + +#: mod/unfollow.php:79 +msgid "Unfollowing is currently not supported by your network." +msgstr "" + +#: mod/unfollow.php:100 mod/contacts.php:599 +msgid "Disconnect/Unfollow" +msgstr "" + +#: mod/unfollow.php:132 mod/follow.php:186 mod/contacts.php:858 +#: src/Model/Profile.php:891 +msgid "Status Messages and Posts" +msgstr "Stöðu skilaboð og færslur" + +#: mod/cal.php:274 mod/events.php:391 src/Content/Nav.php:104 +#: src/Content/Nav.php:169 src/Model/Profile.php:924 src/Model/Profile.php:935 +#: view/theme/frio/theme.php:263 view/theme/frio/theme.php:267 +msgid "Events" +msgstr "Atburðir" + +#: mod/cal.php:275 mod/events.php:392 +msgid "View" +msgstr "Skoða" + +#: mod/cal.php:276 mod/events.php:394 +msgid "Previous" +msgstr "Fyrra" + +#: mod/cal.php:280 mod/events.php:400 src/Model/Event.php:412 +msgid "today" +msgstr "í dag" + +#: mod/cal.php:281 mod/events.php:401 src/Util/Temporal.php:304 +#: src/Model/Event.php:413 +msgid "month" +msgstr "mánuður" + +#: mod/cal.php:282 mod/events.php:402 src/Util/Temporal.php:305 +#: src/Model/Event.php:414 +msgid "week" +msgstr "vika" + +#: mod/cal.php:283 mod/events.php:403 src/Util/Temporal.php:306 +#: src/Model/Event.php:415 +msgid "day" +msgstr "dagur" + +#: mod/cal.php:284 mod/events.php:404 +msgid "list" +msgstr "listi" + +#: mod/cal.php:297 src/Core/Console/NewPassword.php:74 src/Model/User.php:204 +msgid "User not found" +msgstr "Notandi fannst ekki" + +#: mod/cal.php:313 +msgid "This calendar format is not supported" +msgstr "" + +#: mod/cal.php:315 +msgid "No exportable data found" +msgstr "" + +#: mod/cal.php:332 +msgid "calendar" +msgstr "dagatal" + +#: mod/events.php:105 mod/events.php:107 +msgid "Event can not end before it has started." +msgstr "" + +#: mod/events.php:114 mod/events.php:116 +msgid "Event title and start time are required." +msgstr "" + +#: mod/events.php:393 +msgid "Create New Event" +msgstr "Stofna nýjan atburð" + +#: mod/events.php:506 +msgid "Event details" +msgstr "Nánar um atburð" + +#: mod/events.php:507 +msgid "Starting date and Title are required." +msgstr "" + +#: mod/events.php:508 mod/events.php:509 +msgid "Event Starts:" +msgstr "Atburður hefst:" + +#: mod/events.php:508 mod/events.php:520 mod/profiles.php:700 +msgid "Required" +msgstr "Nauðsynlegt" + +#: mod/events.php:510 mod/events.php:526 +msgid "Finish date/time is not known or not relevant" +msgstr "Loka dagsetning/tímasetning ekki vituð eða skiptir ekki máli" + +#: mod/events.php:512 mod/events.php:513 +msgid "Event Finishes:" +msgstr "Atburður klárar:" + +#: mod/events.php:514 mod/events.php:527 +msgid "Adjust for viewer timezone" +msgstr "Heimfæra á tímabelti áhorfanda" + +#: mod/events.php:516 +msgid "Description:" +msgstr "Lýsing:" + +#: mod/events.php:520 mod/events.php:522 +msgid "Title:" +msgstr "Titill:" + +#: mod/events.php:523 mod/events.php:524 +msgid "Share this event" +msgstr "Deila þessum atburði" + +#: mod/events.php:531 src/Model/Profile.php:864 +msgid "Basic" +msgstr "Einfalt" + +#: mod/events.php:532 mod/contacts.php:895 mod/admin.php:1351 +#: src/Model/Profile.php:865 +msgid "Advanced" +msgstr "Flóknari" + +#: mod/events.php:552 +msgid "Failed to remove event" +msgstr "" + +#: mod/events.php:554 +msgid "Event removed" +msgstr "" + +#: mod/profile_photo.php:55 +msgid "Image uploaded but image cropping failed." +msgstr "Tókst að hala upp mynd en afskurður tókst ekki." + +#: mod/profile_photo.php:88 mod/profile_photo.php:96 mod/profile_photo.php:104 +#: mod/profile_photo.php:315 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Myndar minnkun [%s] tókst ekki." + +#: mod/profile_photo.php:125 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Ýta þarf á " + +#: mod/profile_photo.php:134 +msgid "Unable to process image" +msgstr "Ekki tókst að vinna mynd" + +#: mod/profile_photo.php:247 +msgid "Upload File:" +msgstr "Hlaða upp skrá:" + +#: mod/profile_photo.php:248 +msgid "Select a profile:" +msgstr "" + +#: mod/profile_photo.php:253 +msgid "or" +msgstr "eða" + +#: mod/profile_photo.php:253 +msgid "skip this step" +msgstr "sleppa þessu skrefi" + +#: mod/profile_photo.php:253 +msgid "select a photo from your photo albums" +msgstr "velja mynd í myndabókum" + +#: mod/profile_photo.php:266 +msgid "Crop Image" +msgstr "Skera af mynd" + +#: mod/profile_photo.php:267 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Stilltu afskurð fyrir besta birtingu." + +#: mod/profile_photo.php:269 +msgid "Done Editing" +msgstr "Breyting kláruð" + +#: mod/profile_photo.php:305 +msgid "Image uploaded successfully." +msgstr "Upphölun á mynd tóks." + +#: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 +msgid "Status:" +msgstr "Staða:" + +#: mod/directory.php:153 src/Model/Profile.php:422 src/Model/Profile.php:786 +msgid "Homepage:" +msgstr "Heimasíða:" + +#: mod/directory.php:202 view/theme/vier/theme.php:201 +msgid "Global Directory" +msgstr "Alheimstengiliðaskrá" + +#: mod/directory.php:204 +msgid "Find on this site" +msgstr "Leita á þessum vef" + +#: mod/directory.php:206 +msgid "Results for:" +msgstr "Niðurstöður fyrir:" + +#: mod/directory.php:208 +msgid "Site Directory" +msgstr "Skrá yfir tengiliði á þessum vef" + +#: mod/directory.php:209 mod/contacts.php:820 src/Content/Widget.php:63 +msgid "Find" +msgstr "Finna" + +#: mod/directory.php:213 +msgid "No entries (some entries may be hidden)." +msgstr "Engar færslur (sumar geta verið faldar)." + +#: mod/babel.php:22 +msgid "Source input" +msgstr "" + +#: mod/babel.php:28 +msgid "BBCode::convert (raw HTML)" +msgstr "" + +#: mod/babel.php:33 +msgid "BBCode::convert" +msgstr "" + +#: mod/babel.php:39 +msgid "BBCode::convert => HTML::toBBCode" +msgstr "" + +#: mod/babel.php:45 +msgid "BBCode::toMarkdown" +msgstr "" + +#: mod/babel.php:51 +msgid "BBCode::toMarkdown => Markdown::convert" +msgstr "" + +#: mod/babel.php:57 +msgid "BBCode::toMarkdown => Markdown::toBBCode" +msgstr "" + +#: mod/babel.php:63 +msgid "BBCode::toMarkdown => Markdown::convert => HTML::toBBCode" +msgstr "" + +#: mod/babel.php:70 +msgid "Source input \\x28Diaspora format\\x29" +msgstr "" + +#: mod/babel.php:76 +msgid "Markdown::toBBCode" +msgstr "Markdown::toBBCode" + +#: mod/babel.php:83 +msgid "Raw HTML input" +msgstr "Hrátt HTML-ílag" + +#: mod/babel.php:88 +msgid "HTML Input" +msgstr "HTML Input" + +#: mod/babel.php:94 +msgid "HTML::toBBCode" +msgstr "HTML::toBBCode" + +#: mod/babel.php:100 +msgid "HTML::toPlaintext" +msgstr "HTML::toPlaintext" + +#: mod/babel.php:108 +msgid "Source text" +msgstr "Frumtexti" + +#: mod/babel.php:109 +msgid "BBCode" +msgstr "BBCode" + +#: mod/babel.php:110 +msgid "Markdown" +msgstr "Markdown" + +#: mod/babel.php:111 +msgid "HTML" +msgstr "HTML" + +#: mod/follow.php:45 +msgid "The contact could not be added." +msgstr "" + +#: mod/follow.php:73 +msgid "You already added this contact." +msgstr "" + +#: mod/follow.php:83 +msgid "Diaspora support isn't enabled. Contact can't be added." +msgstr "" + +#: mod/follow.php:90 +msgid "OStatus support is disabled. Contact can't be added." +msgstr "" + +#: mod/follow.php:97 +msgid "The network type couldn't be detected. Contact can't be added." +msgstr "" + +#: mod/profiles.php:58 +msgid "Profile deleted." +msgstr "Forsíðu eytt." + +#: mod/profiles.php:74 mod/profiles.php:110 +msgid "Profile-" +msgstr "Forsíða-" + +#: mod/profiles.php:93 mod/profiles.php:132 +msgid "New profile created." +msgstr "Ný forsíða búinn til." + +#: mod/profiles.php:116 +msgid "Profile unavailable to clone." +msgstr "Ekki tókst að klóna forsíðu" + +#: mod/profiles.php:206 +msgid "Profile Name is required." +msgstr "Nafn á forsíðu er skilyrði" + +#: mod/profiles.php:347 +msgid "Marital Status" +msgstr "Hjúskaparstaða" + +#: mod/profiles.php:351 +msgid "Romantic Partner" +msgstr "" + +#: mod/profiles.php:363 +msgid "Work/Employment" +msgstr "Atvinna/Starf" + +#: mod/profiles.php:366 +msgid "Religion" +msgstr "Trúarbrögð" + +#: mod/profiles.php:370 +msgid "Political Views" +msgstr "Stórnmálaskoðanir" + +#: mod/profiles.php:374 +msgid "Gender" +msgstr "Kyn" + +#: mod/profiles.php:378 +msgid "Sexual Preference" +msgstr "Kynhneigð" + +#: mod/profiles.php:382 +msgid "XMPP" +msgstr "XMPP" + +#: mod/profiles.php:386 +msgid "Homepage" +msgstr "Heimasíða" + +#: mod/profiles.php:390 mod/profiles.php:686 +msgid "Interests" +msgstr "Áhugamál" + +#: mod/profiles.php:394 mod/admin.php:490 +msgid "Address" +msgstr "Heimilisfang" + +#: mod/profiles.php:401 mod/profiles.php:682 +msgid "Location" +msgstr "Staðsetning" + +#: mod/profiles.php:486 +msgid "Profile updated." +msgstr "Forsíða uppfærð." + +#: mod/profiles.php:564 +msgid " and " +msgstr "og" + +#: mod/profiles.php:573 +msgid "public profile" +msgstr "Opinber forsíða" + +#: mod/profiles.php:576 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "" + +#: mod/profiles.php:577 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr " - Heimsæktu %1$s's %2$s" + +#: mod/profiles.php:579 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s hefur uppfært %2$s, með því að breyta %3$s." + +#: mod/profiles.php:633 +msgid "Hide contacts and friends:" +msgstr "Fela tengiliði og vini" + +#: mod/profiles.php:638 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Fela tengiliða-/vinalista á þessari forsíðu?" + +#: mod/profiles.php:658 +msgid "Show more profile fields:" +msgstr "" + +#: mod/profiles.php:670 +msgid "Profile Actions" +msgstr "" + +#: mod/profiles.php:671 +msgid "Edit Profile Details" +msgstr "Breyta forsíðu upplýsingum" + +#: mod/profiles.php:673 +msgid "Change Profile Photo" +msgstr "" + +#: mod/profiles.php:674 +msgid "View this profile" +msgstr "Skoða þessa forsíðu" + +#: mod/profiles.php:675 mod/profiles.php:770 src/Model/Profile.php:393 +msgid "Edit visibility" +msgstr "Sýsla með sýnileika" + +#: mod/profiles.php:676 +msgid "Create a new profile using these settings" +msgstr "Búa til nýja forsíðu með þessum stillingum" + +#: mod/profiles.php:677 +msgid "Clone this profile" +msgstr "Klóna þessa forsíðu" + +#: mod/profiles.php:678 +msgid "Delete this profile" +msgstr "Eyða þessari forsíðu" + +#: mod/profiles.php:680 +msgid "Basic information" +msgstr "" + +#: mod/profiles.php:681 +msgid "Profile picture" +msgstr "Notandamynd" + +#: mod/profiles.php:683 +msgid "Preferences" +msgstr "Kjörstillingar" + +#: mod/profiles.php:684 +msgid "Status information" +msgstr "" + +#: mod/profiles.php:685 +msgid "Additional information" +msgstr "Viðbótarupplýsingar" + +#: mod/profiles.php:688 +msgid "Relation" +msgstr "Vensl" + +#: mod/profiles.php:689 src/Util/Temporal.php:81 src/Util/Temporal.php:83 +msgid "Miscellaneous" +msgstr "Ýmislegt" + +#: mod/profiles.php:692 +msgid "Your Gender:" +msgstr "Kyn:" + +#: mod/profiles.php:693 +msgid " Marital Status:" +msgstr " Hjúskaparstaða:" + +#: mod/profiles.php:694 src/Model/Profile.php:782 +msgid "Sexual Preference:" +msgstr "Kynhneigð:" + +#: mod/profiles.php:695 +msgid "Example: fishing photography software" +msgstr "Til dæmis: fishing photography software" + +#: mod/profiles.php:700 +msgid "Profile Name:" +msgstr "Forsíðu nafn:" + +#: mod/profiles.php:702 +msgid "" +"This is your public profile.
It may " +"be visible to anybody using the internet." +msgstr "Þetta er opinber forsíða.
Hún verður sjáanleg öðrum sem nota alnetið." + +#: mod/profiles.php:703 +msgid "Your Full Name:" +msgstr "Fullt nafn:" + +#: mod/profiles.php:704 +msgid "Title/Description:" +msgstr "Starfsheiti/Lýsing:" + +#: mod/profiles.php:707 +msgid "Street Address:" +msgstr "Gata:" + +#: mod/profiles.php:708 +msgid "Locality/City:" +msgstr "Bær/Borg:" + +#: mod/profiles.php:709 +msgid "Region/State:" +msgstr "Svæði/Sýsla" + +#: mod/profiles.php:710 +msgid "Postal/Zip Code:" +msgstr "Póstnúmer:" + +#: mod/profiles.php:711 +msgid "Country:" +msgstr "Land:" + +#: mod/profiles.php:712 src/Util/Temporal.php:149 +msgid "Age: " +msgstr "Aldur: " + +#: mod/profiles.php:715 +msgid "Who: (if applicable)" +msgstr "Hver: (ef við á)" + +#: mod/profiles.php:715 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Dæmi: cathy123, Cathy Williams, cathy@example.com" + +#: mod/profiles.php:716 +msgid "Since [date]:" +msgstr "Síðan [date]:" + +#: mod/profiles.php:718 +msgid "Tell us about yourself..." +msgstr "Segðu okkur frá sjálfum þér..." + +#: mod/profiles.php:719 +msgid "XMPP (Jabber) address:" +msgstr "XMPP (Jabber) vistfang:" + +#: mod/profiles.php:719 +msgid "" +"The XMPP address will be propagated to your contacts so that they can follow" +" you." +msgstr "" + +#: mod/profiles.php:720 +msgid "Homepage URL:" +msgstr "Slóð heimasíðu:" + +#: mod/profiles.php:721 src/Model/Profile.php:790 +msgid "Hometown:" +msgstr "Heimabær:" + +#: mod/profiles.php:722 src/Model/Profile.php:798 +msgid "Political Views:" +msgstr "Stórnmálaskoðanir:" + +#: mod/profiles.php:723 +msgid "Religious Views:" +msgstr "Trúarskoðanir" + +#: mod/profiles.php:724 +msgid "Public Keywords:" +msgstr "Opinber leitarorð:" + +#: mod/profiles.php:724 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(Notað til að stinga uppá mögulegum vinum, aðrir geta séð)" + +#: mod/profiles.php:725 +msgid "Private Keywords:" +msgstr "Einka leitarorð:" + +#: mod/profiles.php:725 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Notað við leit að öðrum notendum, aldrei sýnt öðrum)" + +#: mod/profiles.php:726 src/Model/Profile.php:814 +msgid "Likes:" +msgstr "Líkar:" + +#: mod/profiles.php:727 src/Model/Profile.php:818 +msgid "Dislikes:" +msgstr "Mislíkar:" + +#: mod/profiles.php:728 +msgid "Musical interests" +msgstr "Tónlistarsmekkur" + +#: mod/profiles.php:729 +msgid "Books, literature" +msgstr "Bækur, bókmenntir" + +#: mod/profiles.php:730 +msgid "Television" +msgstr "Sjónvarp" + +#: mod/profiles.php:731 +msgid "Film/dance/culture/entertainment" +msgstr "Kvikmyndir/dans/menning/afþreying" + +#: mod/profiles.php:732 +msgid "Hobbies/Interests" +msgstr "Áhugamál" + +#: mod/profiles.php:733 +msgid "Love/romance" +msgstr "Ást/rómantík" + +#: mod/profiles.php:734 +msgid "Work/employment" +msgstr "Atvinna:" + +#: mod/profiles.php:735 +msgid "School/education" +msgstr "Skóli/menntun" + +#: mod/profiles.php:736 +msgid "Contact information and Social Networks" +msgstr "Tengiliðaupplýsingar og samfélagsnet" + +#: mod/profiles.php:767 src/Model/Profile.php:389 +msgid "Profile Image" +msgstr "Forsíðumynd" + +#: mod/profiles.php:769 src/Model/Profile.php:392 +msgid "visible to everybody" +msgstr "sýnilegt öllum" + +#: mod/profiles.php:776 +msgid "Edit/Manage Profiles" +msgstr "Sýsla með forsíður" + +#: mod/profiles.php:777 src/Model/Profile.php:379 src/Model/Profile.php:401 +msgid "Change profile photo" +msgstr "Breyta forsíðumynd" + +#: mod/profiles.php:778 src/Model/Profile.php:380 +msgid "Create New Profile" +msgstr "Stofna nýja forsíðu" + +#: mod/contacts.php:157 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited." +msgstr[0] "" +msgstr[1] "" + +#: mod/contacts.php:184 mod/contacts.php:400 +msgid "Could not access contact record." +msgstr "Tókst ekki að ná í uppl. um tengilið" + +#: mod/contacts.php:194 +msgid "Could not locate selected profile." +msgstr "Tókst ekki að staðsetja valinn forsíðu" + +#: mod/contacts.php:228 +msgid "Contact updated." +msgstr "Tengiliður uppfærður" + +#: mod/contacts.php:421 +msgid "Contact has been blocked" +msgstr "Lokað á tengilið" + +#: mod/contacts.php:421 +msgid "Contact has been unblocked" +msgstr "Opnað á tengilið" + +#: mod/contacts.php:432 +msgid "Contact has been ignored" +msgstr "Tengiliður hunsaður" + +#: mod/contacts.php:432 +msgid "Contact has been unignored" +msgstr "Tengiliður afhunsaður" + +#: mod/contacts.php:443 +msgid "Contact has been archived" +msgstr "Tengiliður settur í geymslu" + +#: mod/contacts.php:443 +msgid "Contact has been unarchived" +msgstr "Tengiliður tekinn úr geymslu" + +#: mod/contacts.php:467 +msgid "Drop contact" +msgstr "Henda tengilið" + +#: mod/contacts.php:470 mod/contacts.php:823 +msgid "Do you really want to delete this contact?" +msgstr "Viltu í alvörunni eyða þessum tengilið?" + +#: mod/contacts.php:488 +msgid "Contact has been removed." +msgstr "Tengiliður fjarlægður" + +#: mod/contacts.php:519 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Þú ert gagnkvæmur vinur %s" + +#: mod/contacts.php:523 +#, php-format +msgid "You are sharing with %s" +msgstr "Þú ert að deila með %s" + +#: mod/contacts.php:527 +#, php-format +msgid "%s is sharing with you" +msgstr "%s er að deila með þér" + +#: mod/contacts.php:547 +msgid "Private communications are not available for this contact." +msgstr "Einkasamtal ekki í boði fyrir þennan" + +#: mod/contacts.php:549 +msgid "Never" +msgstr "Aldrei" + +#: mod/contacts.php:552 +msgid "(Update was successful)" +msgstr "(uppfærsla tókst)" + +#: mod/contacts.php:552 +msgid "(Update was not successful)" +msgstr "(uppfærsla tókst ekki)" + +#: mod/contacts.php:554 mod/contacts.php:992 +msgid "Suggest friends" +msgstr "Stinga uppá vinum" + +#: mod/contacts.php:558 +#, php-format +msgid "Network type: %s" +msgstr "Net tegund: %s" + +#: mod/contacts.php:563 +msgid "Communications lost with this contact!" +msgstr "" + +#: mod/contacts.php:569 +msgid "Fetch further information for feeds" +msgstr "Ná í ítarlegri upplýsingar um fréttaveitur" + +#: mod/contacts.php:571 +msgid "" +"Fetch information like preview pictures, title and teaser from the feed " +"item. You can activate this if the feed doesn't contain much text. Keywords " +"are taken from the meta header in the feed item and are posted as hash tags." +msgstr "" + +#: mod/contacts.php:572 mod/admin.php:1272 mod/admin.php:1435 +#: mod/admin.php:1445 +msgid "Disabled" +msgstr "Óvirkt" + +#: mod/contacts.php:573 +msgid "Fetch information" +msgstr "Ná í upplýsingar" + +#: mod/contacts.php:574 +msgid "Fetch keywords" +msgstr "Ná í stikkorð" + +#: mod/contacts.php:575 +msgid "Fetch information and keywords" +msgstr "Ná í upplýsingar og stikkorð" + +#: mod/contacts.php:608 +msgid "Contact" +msgstr "Tengiliður" + +#: mod/contacts.php:611 +msgid "Profile Visibility" +msgstr "Forsíðu sjáanleiki" + +#: mod/contacts.php:612 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Veldu forsíðu sem á að birtast %s þegar hann skoðaður með öruggum hætti" + +#: mod/contacts.php:613 +msgid "Contact Information / Notes" +msgstr "Uppl. um tengilið / minnisatriði" + +#: mod/contacts.php:614 +msgid "Their personal note" +msgstr "" + +#: mod/contacts.php:616 +msgid "Edit contact notes" +msgstr "Breyta minnispunktum tengiliðs " + +#: mod/contacts.php:620 +msgid "Block/Unblock contact" +msgstr "útiloka/opna á tengilið" + +#: mod/contacts.php:621 +msgid "Ignore contact" +msgstr "Hunsa tengilið" + +#: mod/contacts.php:622 +msgid "Repair URL settings" +msgstr "Gera við stillingar á slóðum" + +#: mod/contacts.php:623 +msgid "View conversations" +msgstr "Skoða samtöl" + +#: mod/contacts.php:628 +msgid "Last update:" +msgstr "Síðasta uppfærsla:" + +#: mod/contacts.php:630 +msgid "Update public posts" +msgstr "Uppfæra opinberar færslur" + +#: mod/contacts.php:632 mod/contacts.php:1002 +msgid "Update now" +msgstr "Uppfæra núna" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:485 mod/admin.php:1800 +msgid "Unblock" +msgstr "Afbanna" + +#: mod/contacts.php:637 mod/contacts.php:827 mod/contacts.php:1011 +#: mod/admin.php:484 mod/admin.php:1799 +msgid "Block" +msgstr "Útiloka" + +#: mod/contacts.php:638 mod/contacts.php:828 mod/contacts.php:1019 +msgid "Unignore" +msgstr "Byrja að fylgjast með á ný" + +#: mod/contacts.php:642 +msgid "Currently blocked" +msgstr "Útilokaður sem stendur" + +#: mod/contacts.php:643 +msgid "Currently ignored" +msgstr "Hunsaður sem stendur" + +#: mod/contacts.php:644 +msgid "Currently archived" +msgstr "Í geymslu" + +#: mod/contacts.php:645 +msgid "Awaiting connection acknowledge" +msgstr "" + +#: mod/contacts.php:646 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Svör eða \"líkar við\" á opinberar færslur þínar geta mögulega verið sýnileg öðrum" + +#: mod/contacts.php:647 +msgid "Notification for new posts" +msgstr "" + +#: mod/contacts.php:647 +msgid "Send a notification of every new post of this contact" +msgstr "" + +#: mod/contacts.php:650 +msgid "Blacklisted keywords" +msgstr "" + +#: mod/contacts.php:650 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "" + +#: mod/contacts.php:662 src/Model/Profile.php:424 +msgid "XMPP:" +msgstr "XMPP:" + +#: mod/contacts.php:667 +msgid "Actions" +msgstr "Aðgerðir" + +#: mod/contacts.php:669 mod/contacts.php:855 src/Content/Nav.php:100 +#: src/Model/Profile.php:888 view/theme/frio/theme.php:259 +msgid "Status" +msgstr "Staða" + +#: mod/contacts.php:670 +msgid "Contact Settings" +msgstr "Stillingar tengiliðar" + +#: mod/contacts.php:711 +msgid "Suggestions" +msgstr "Uppástungur" + +#: mod/contacts.php:714 +msgid "Suggest potential friends" +msgstr "Stinga uppá mögulegum vinum" + +#: mod/contacts.php:722 +msgid "Show all contacts" +msgstr "Sýna alla tengiliði" + +#: mod/contacts.php:727 +msgid "Unblocked" +msgstr "Afhunsað" + +#: mod/contacts.php:730 +msgid "Only show unblocked contacts" +msgstr "" + +#: mod/contacts.php:735 +msgid "Blocked" +msgstr "Útilokað" + +#: mod/contacts.php:738 +msgid "Only show blocked contacts" +msgstr "" + +#: mod/contacts.php:743 +msgid "Ignored" +msgstr "Hunsa" + +#: mod/contacts.php:746 +msgid "Only show ignored contacts" +msgstr "" + +#: mod/contacts.php:751 +msgid "Archived" +msgstr "Í geymslu" + +#: mod/contacts.php:754 +msgid "Only show archived contacts" +msgstr "Aðeins sýna geymda tengiliði" + +#: mod/contacts.php:759 +msgid "Hidden" +msgstr "Falinn" + +#: mod/contacts.php:762 +msgid "Only show hidden contacts" +msgstr "Aðeins sýna falda tengiliði" + +#: mod/contacts.php:818 +msgid "Search your contacts" +msgstr "Leita í þínum vinum" + +#: mod/contacts.php:826 mod/settings.php:170 mod/settings.php:701 +msgid "Update" +msgstr "Uppfæra" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Archive" +msgstr "Setja í geymslu" + +#: mod/contacts.php:829 mod/contacts.php:1027 +msgid "Unarchive" +msgstr "Taka úr geymslu" + +#: mod/contacts.php:832 +msgid "Batch Actions" +msgstr "" + +#: mod/contacts.php:866 src/Model/Profile.php:899 +msgid "Profile Details" +msgstr "Forsíðu upplýsingar" + +#: mod/contacts.php:878 +msgid "View all contacts" +msgstr "Skoða alla tengiliði" + +#: mod/contacts.php:889 +msgid "View all common friends" +msgstr "" + +#: mod/contacts.php:898 +msgid "Advanced Contact Settings" +msgstr "" + +#: mod/contacts.php:930 +msgid "Mutual Friendship" +msgstr "Sameiginlegur vinskapur" + +#: mod/contacts.php:934 +msgid "is a fan of yours" +msgstr "er fylgjandi þinn" + +#: mod/contacts.php:938 +msgid "you are a fan of" +msgstr "þú er fylgjandi" + +#: mod/contacts.php:1013 +msgid "Toggle Blocked status" +msgstr "" + +#: mod/contacts.php:1021 +msgid "Toggle Ignored status" +msgstr "" + +#: mod/contacts.php:1029 +msgid "Toggle Archive status" +msgstr "" + +#: mod/contacts.php:1037 +msgid "Delete contact" +msgstr "Eyða tengilið" + +#: mod/_tos.php:48 mod/register.php:288 mod/admin.php:188 mod/admin.php:302 +#: src/Module/Tos.php:48 +msgid "Terms of Service" +msgstr "Þjónustuskilmálar" + +#: mod/_tos.php:51 src/Module/Tos.php:51 +msgid "Privacy Statement" +msgstr "Yfirlýsing um gagnaleynd" + +#: mod/_tos.php:52 src/Module/Tos.php:52 +msgid "" +"At the time of registration, and for providing communications between the " +"user account and their contacts, the user has to provide a display name (pen" +" name), an username (nickname) and a working email address. The names will " +"be accessible on the profile page of the account by any visitor of the page," +" even if other profile details are not displayed. The email address will " +"only be used to send the user notifications about interactions, but wont be " +"visibly displayed. The listing of an account in the node's user directory or" +" the global user directory is optional and can be controlled in the user " +"settings, it is not necessary for communication." +msgstr "" + +#: mod/_tos.php:53 src/Module/Tos.php:53 +#, php-format +msgid "" +"At any point in time a logged in user can export their account data from the" +" account settings. If the user wants " +"to delete their account they can do so at %1$s/removeme. The deletion of the account will " +"be permanent." +msgstr "" + +#: mod/friendica.php:77 msgid "This is Friendica, version" msgstr "Þetta er Friendica útgáfa" -#: mod/friendica.php:71 +#: mod/friendica.php:78 msgid "running at web location" msgstr "Keyrir á slóð" -#: mod/friendica.php:73 +#: mod/friendica.php:82 msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Á Friendica.com er hægt að fræðast nánar um Friendica verkefnið." +"Please visit Friendi.ca to learn more " +"about the Friendica project." +msgstr "" -#: mod/friendica.php:75 +#: mod/friendica.php:86 msgid "Bug reports and issues: please visit" msgstr "Villu tilkynningar og vandamál: endilega skoða" -#: mod/friendica.php:75 +#: mod/friendica.php:86 msgid "the bugtracker at github" msgstr "villuskráningu á GitHub" -#: mod/friendica.php:76 +#: mod/friendica.php:89 msgid "" "Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " "dot com" msgstr "Uppástungur, lof, framlög og svo framvegis - sendið tölvupóst á \"Info\" hjá Friendica - punktur com" -#: mod/friendica.php:90 -msgid "Installed plugins/addons/apps:" -msgstr "Uppsettar kerfiseiningar/viðbætur/forrit:" - #: mod/friendica.php:103 -msgid "No installed plugins/addons/apps" -msgstr "Engin uppsett kerfiseining/viðbót/forrit" +msgid "Installed addons/apps:" +msgstr "" -#: mod/lostpass.php:19 +#: mod/friendica.php:117 +msgid "No installed addons/apps" +msgstr "" + +#: mod/friendica.php:122 +#, php-format +msgid "Read about the Terms of Service of this node." +msgstr "" + +#: mod/friendica.php:127 +msgid "On this server the following remote servers are blocked." +msgstr "" + +#: mod/friendica.php:128 mod/admin.php:354 mod/admin.php:372 +msgid "Reason for the block" +msgstr "" + +#: mod/lostpass.php:27 msgid "No valid account found." msgstr "Engin gildur aðgangur fannst." -#: mod/lostpass.php:35 +#: mod/lostpass.php:39 msgid "Password reset request issued. Check your email." msgstr "Gefin var beiðni um breytingu á lykilorði. Opnaðu tölvupóstinn þinn." -#: mod/lostpass.php:42 +#: mod/lostpass.php:45 #, php-format msgid "" "\n" @@ -3204,17 +4827,17 @@ msgid "" "\t\tbelow or paste it into your web browser address bar.\n" "\n" "\t\tIf you did NOT request this change, please DO NOT follow the link\n" -"\t\tprovided and ignore and/or delete this email.\n" +"\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n" "\n" "\t\tYour password will not be changed unless we can verify that you\n" "\t\tissued this request." msgstr "" -#: mod/lostpass.php:53 +#: mod/lostpass.php:56 #, php-format msgid "" "\n" -"\t\tFollow this link to verify your identity:\n" +"\t\tFollow this link soon to verify your identity:\n" "\n" "\t\t%1$s\n" "\n" @@ -3227,3580 +4850,1054 @@ msgid "" "\t\tLogin Name:\t%3$s" msgstr "" -#: mod/lostpass.php:72 +#: mod/lostpass.php:73 #, php-format msgid "Password reset requested at %s" msgstr "Beðið var um endurstillingu lykilorðs %s" -#: mod/lostpass.php:92 +#: mod/lostpass.php:89 msgid "" "Request could not be verified. (You may have previously submitted it.) " "Password reset failed." msgstr "Ekki var hægt að sannreyna beiðni. (Það getur verið að þú hafir þegar verið búin/n að senda hana.) Endurstilling á lykilorði tókst ekki." -#: mod/lostpass.php:109 boot.php:1807 -msgid "Password Reset" -msgstr "Endurstilling aðgangsorðs" - -#: mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "Aðgangsorðið þitt hefur verið endurstilt." - -#: mod/lostpass.php:111 -msgid "Your new password is" -msgstr "Nýja aðgangsorð þitt er " - -#: mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Vistaðu eða afritaðu nýja aðgangsorðið - og" - -#: mod/lostpass.php:113 -msgid "click here to login" -msgstr "smelltu síðan hér til að skrá þig inn" - -#: mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Þú getur breytt aðgangsorðinu þínu á Stillingar síðunni eftir að þú hefur skráð þig inn." - -#: mod/lostpass.php:125 -#, php-format -msgid "" -"\n" -"\t\t\t\tDear %1$s,\n" -"\t\t\t\t\tYour password has been changed as requested. Please retain this\n" -"\t\t\t\tinformation for your records (or change your password immediately to\n" -"\t\t\t\tsomething that you will remember).\n" -"\t\t\t" +#: mod/lostpass.php:102 +msgid "Request has expired, please make a new one." msgstr "" -#: mod/lostpass.php:131 -#, php-format -msgid "" -"\n" -"\t\t\t\tYour login details are as follows:\n" -"\n" -"\t\t\t\tSite Location:\t%1$s\n" -"\t\t\t\tLogin Name:\t%2$s\n" -"\t\t\t\tPassword:\t%3$s\n" -"\n" -"\t\t\t\tYou may change that password from your account settings page after logging in.\n" -"\t\t\t" -msgstr "" - -#: mod/lostpass.php:147 -#, php-format -msgid "Your password has been changed at %s" -msgstr "Aðgangsorðinu þínu var breytt í %s" - -#: mod/lostpass.php:159 +#: mod/lostpass.php:117 msgid "Forgot your Password?" msgstr "Gleymdir þú lykilorði þínu?" -#: mod/lostpass.php:160 +#: mod/lostpass.php:118 msgid "" "Enter your email address and submit to have your password reset. Then check " "your email for further instructions." msgstr "Sláðu inn tölvupóstfangið þitt til að endurstilla aðgangsorðið og fá leiðbeiningar sendar með tölvupósti." -#: mod/lostpass.php:161 boot.php:1795 +#: mod/lostpass.php:119 src/Module/Login.php:314 msgid "Nickname or Email: " msgstr "Gælunafn eða póstfang: " -#: mod/lostpass.php:162 +#: mod/lostpass.php:120 msgid "Reset" -msgstr "Endursetja" +msgstr "Endurstilla" -#: mod/hcard.php:10 -msgid "No profile" -msgstr "Engin forsíða" +#: mod/lostpass.php:136 src/Module/Login.php:326 +msgid "Password Reset" +msgstr "Endurstilling aðgangsorðs" -#: mod/help.php:41 -msgid "Help:" -msgstr "Hjálp:" +#: mod/lostpass.php:137 +msgid "Your password has been reset as requested." +msgstr "Aðgangsorðið þitt hefur verið endurstilt." -#: mod/help.php:53 mod/p.php:16 mod/p.php:43 mod/p.php:52 mod/fetch.php:12 -#: mod/fetch.php:39 mod/fetch.php:48 index.php:288 -msgid "Not Found" -msgstr "Fannst ekki" +#: mod/lostpass.php:138 +msgid "Your new password is" +msgstr "Nýja aðgangsorð þitt er " -#: mod/help.php:56 index.php:291 -msgid "Page not found." -msgstr "Síða fannst ekki." +#: mod/lostpass.php:139 +msgid "Save or copy your new password - and then" +msgstr "Vistaðu eða afritaðu nýja aðgangsorðið - og" -#: mod/lockview.php:31 mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Persónuverndar upplýsingar ekki fyrir hendi á fjarlægum vefþjón." +#: mod/lostpass.php:140 +msgid "click here to login" +msgstr "smelltu síðan hér til að skrá þig inn" -#: mod/lockview.php:48 -msgid "Visible to:" -msgstr "Sýnilegt eftirfarandi:" - -#: mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Samskiptavilla í OpenID. Ekkert auðkenni barst." - -#: mod/openid.php:60 +#: mod/lostpass.php:141 msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Þú getur breytt aðgangsorðinu þínu á Stillingar síðunni eftir að þú hefur skráð þig inn." -#: mod/uimport.php:50 mod/register.php:198 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Þessi vefur hefur náð hámarks fjölda daglegra nýskráninga. Reyndu aftur á morgun." - -#: mod/uimport.php:64 mod/register.php:295 -msgid "Import" -msgstr "Flytja inn" - -#: mod/uimport.php:66 -msgid "Move account" -msgstr "Flytja aðgang" - -#: mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "" - -#: mod/uimport.php:68 -msgid "" -"You need to export your account from the old server and upload it here. We " -"will recreate your old account here with all your contacts. We will try also" -" to inform your friends that you moved here." -msgstr "" - -#: mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (GNU Social/Statusnet) or from Diaspora" -msgstr "" - -#: mod/uimport.php:70 -msgid "Account file" -msgstr "" - -#: mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "" - -#: mod/nogroup.php:41 mod/contacts.php:586 mod/contacts.php:930 -#: mod/viewcontacts.php:97 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Heimsækja forsíðu %s [%s]" - -#: mod/nogroup.php:42 mod/contacts.php:931 -msgid "Edit contact" -msgstr "Breyta tengilið" - -#: mod/nogroup.php:63 -msgid "Contacts who are not members of a group" -msgstr "" - -#: mod/uexport.php:29 -msgid "Export account" -msgstr "" - -#: mod/uexport.php:29 -msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." -msgstr "" - -#: mod/uexport.php:30 -msgid "Export all" -msgstr "" - -#: mod/uexport.php:30 -msgid "" -"Export your accout info, contacts and all your items as json. Could be a " -"very big file, and could take a lot of time. Use this to make a full backup " -"of your account (photos are not exported)" -msgstr "" - -#: mod/uexport.php:37 mod/settings.php:95 -msgid "Export personal data" -msgstr "Sækja persónuleg gögn" - -#: mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "" - -#: mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s : Ekki gilt póstfang" - -#: mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "" - -#: mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "" - -#: mod/invite.php:89 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s : Skilaboð komust ekki til skila." - -#: mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d skilaboð send." -msgstr[1] "%d skilaboð send" - -#: mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Þú hefur ekki fleiri boðskort." - -#: mod/invite.php:120 +#: mod/lostpass.php:149 #, php-format msgid "" -"Visit %s for a list of public sites that you can join. Friendica members on " -"other sites can all connect with each other, as well as with members of many" -" other social networks." +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tYour password has been changed as requested. Please retain this\n" +"\t\t\tinformation for your records (or change your password immediately to\n" +"\t\t\tsomething that you will remember).\n" +"\t\t" msgstr "" -#: mod/invite.php:122 +#: mod/lostpass.php:155 #, php-format msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." +"\n" +"\t\t\tYour login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%1$s\n" +"\t\t\tLogin Name:\t%2$s\n" +"\t\t\tPassword:\t%3$s\n" +"\n" +"\t\t\tYou may change that password from your account settings page after logging in.\n" +"\t\t" msgstr "" -#: mod/invite.php:123 +#: mod/lostpass.php:169 #, php-format -msgid "" -"Friendica sites all inter-connect to create a huge privacy-enhanced social " -"web that is owned and controlled by its members. They can also connect with " -"many traditional social networks. See %s for a list of alternate Friendica " -"sites you can join." -msgstr "" +msgid "Your password has been changed at %s" +msgstr "Aðgangsorðinu þínu var breytt í %s" -#: mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "" - -#: mod/invite.php:132 -msgid "Send invitations" -msgstr "Senda kynningar" - -#: mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Póstföng, eitt í hverja línu:" - -#: mod/invite.php:134 mod/wallmessage.php:151 mod/message.php:351 -#: mod/message.php:541 -msgid "Your message:" -msgstr "Skilaboðin:" - -#: mod/invite.php:135 -msgid "" -"You are cordially invited to join me and other close friends on Friendica - " -"and help us to create a better social web." -msgstr "" - -#: mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Þú þarft að nota eftirfarandi boðskorta auðkenni: $invite_code" - -#: mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Þegar þú hefur nýskráð þig, hafðu samband við mig gegnum síðuna mína á:" - -#: mod/invite.php:139 -msgid "" -"For more information about the Friendica project and why we feel it is " -"important, please visit http://friendica.com" -msgstr "" - -#: mod/invite.php:140 mod/localtime.php:45 mod/message.php:357 -#: mod/message.php:547 mod/manage.php:143 mod/crepair.php:154 -#: mod/content.php:728 mod/fsuggest.php:107 mod/mood.php:137 mod/poke.php:199 -#: mod/profiles.php:688 mod/events.php:506 mod/photos.php:1104 -#: mod/photos.php:1226 mod/photos.php:1539 mod/photos.php:1590 -#: mod/photos.php:1638 mod/photos.php:1724 mod/contacts.php:577 -#: mod/install.php:272 mod/install.php:312 object/Item.php:720 -#: view/theme/frio/config.php:59 view/theme/quattro/config.php:64 -#: view/theme/vier/config.php:107 view/theme/duepuntozero/config.php:59 -msgid "Submit" -msgstr "Senda inn" - -#: mod/fbrowser.php:133 -msgid "Files" -msgstr "Skrár" - -#: mod/profperm.php:19 mod/group.php:72 index.php:400 -msgid "Permission denied" -msgstr "Bannaður aðgangur" - -#: mod/profperm.php:25 mod/profperm.php:56 -msgid "Invalid profile identifier." -msgstr "Ógilt tengiliða auðkenni" - -#: mod/profperm.php:102 -msgid "Profile Visibility Editor" -msgstr "Sýsla með sjáanleika forsíðu" - -#: mod/profperm.php:106 mod/group.php:223 -msgid "Click on a contact to add or remove." -msgstr "Ýttu á tengilið til að bæta við hóp eða taka úr hóp." - -#: mod/profperm.php:115 -msgid "Visible To" -msgstr "Sjáanlegur hverjum" - -#: mod/profperm.php:131 -msgid "All Contacts (with secure profile access)" -msgstr "Allir tengiliðir (með öruggann aðgang að forsíðu)" - -#: mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Merki fjarlægt" - -#: mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Fjarlægja merki " - -#: mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Veldu merki til að fjarlægja:" - -#: mod/tagrm.php:93 mod/delegate.php:139 -msgid "Remove" -msgstr "Fjarlægja" - -#: mod/repair_ostatus.php:14 -msgid "Resubscribing to OStatus contacts" -msgstr "" - -#: mod/repair_ostatus.php:30 -msgid "Error" -msgstr "" - -#: mod/repair_ostatus.php:44 mod/ostatus_subscribe.php:51 -msgid "Done" -msgstr "Lokið" - -#: mod/repair_ostatus.php:50 mod/ostatus_subscribe.php:73 -msgid "Keep this window open until done." -msgstr "" - -#: mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Engir mögulegir viðtakendur síðunnar fundust." - -#: mod/delegate.php:132 -msgid "" -"Delegates are able to manage all aspects of this account/page except for " -"basic account settings. Please do not delegate your personal account to " -"anybody that you do not trust completely." -msgstr "" - -#: mod/delegate.php:133 -msgid "Existing Page Managers" -msgstr "" - -#: mod/delegate.php:135 -msgid "Existing Page Delegates" -msgstr "" - -#: mod/delegate.php:137 -msgid "Potential Delegates" -msgstr "" - -#: mod/delegate.php:140 -msgid "Add" -msgstr "Bæta við" - -#: mod/delegate.php:141 -msgid "No entries." -msgstr "Engar færslur." - -#: mod/credits.php:16 -msgid "Credits" -msgstr "" - -#: mod/credits.php:17 -msgid "" -"Friendica is a community project, that would not be possible without the " -"help of many people. Here is a list of those who have contributed to the " -"code or the translation of Friendica. Thank you all!" -msgstr "" - -#: mod/filer.php:30 -msgid "- select -" -msgstr "- veldu -" - -#: mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "" - -#: mod/attach.php:8 -msgid "Item not available." -msgstr "Atriði ekki í boði." - -#: mod/attach.php:20 -msgid "Item was not found." -msgstr "Atriði fannst ekki" - -#: mod/apps.php:7 index.php:244 -msgid "You must be logged in to use addons. " -msgstr "Þú verður að vera skráður inn til að geta notað viðbætur. " - -#: mod/apps.php:11 -msgid "Applications" -msgstr "Forrit" - -#: mod/apps.php:14 -msgid "No installed applications." -msgstr "Engin uppsett forrit" - -#: mod/p.php:9 -msgid "Not Extended" -msgstr "" - -#: mod/newmember.php:6 -msgid "Welcome to Friendica" -msgstr "Velkomin(n) á Friendica" - -#: mod/newmember.php:8 -msgid "New Member Checklist" -msgstr "Nýr notandi verklisti" - -#: mod/newmember.php:12 -msgid "" -"We would like to offer some tips and links to help make your experience " -"enjoyable. Click any item to visit the relevant page. A link to this page " -"will be visible from your home page for two weeks after your initial " -"registration and then will quietly disappear." -msgstr "" - -#: mod/newmember.php:14 -msgid "Getting Started" -msgstr "" - -#: mod/newmember.php:18 -msgid "Friendica Walk-Through" -msgstr "" - -#: mod/newmember.php:18 -msgid "" -"On your Quick Start page - find a brief introduction to your " -"profile and network tabs, make some new connections, and find some groups to" -" join." -msgstr "" - -#: mod/newmember.php:26 -msgid "Go to Your Settings" -msgstr "" - -#: mod/newmember.php:26 -msgid "" -"On your Settings page - change your initial password. Also make a " -"note of your Identity Address. This looks just like an email address - and " -"will be useful in making friends on the free social web." -msgstr "" - -#: mod/newmember.php:28 -msgid "" -"Review the other settings, particularly the privacy settings. An unpublished" -" directory listing is like having an unlisted phone number. In general, you " -"should probably publish your listing - unless all of your friends and " -"potential friends know exactly how to find you." -msgstr "Yfirfarðu aðrar stillingar, sérstaklega gagnaleyndarstillingar. Óútgefin forsíða er einsog óskráð símanúmer. Sem þýðir að líklega viltu gefa út forsíðuna þína - nema að allir vinir þínir og tilvonandi vinir viti nákvæmlega hvernig á að finna þig." - -#: mod/newmember.php:36 mod/profile_photo.php:250 mod/profiles.php:707 -msgid "Upload Profile Photo" -msgstr "Hlaða upp forsíðu mynd" - -#: mod/newmember.php:36 -msgid "" -"Upload a profile photo if you have not done so already. Studies have shown " -"that people with real photos of themselves are ten times more likely to make" -" friends than people who do not." -msgstr "Að hlaða upp forsíðu mynd ef þú hefur ekki þegar gert það. Rannsóknir sýna að fólk sem hefur alvöru mynd af sér er tíu sinnum líklegra til að eignast vini en fólk sem ekki hefur mynd." - -#: mod/newmember.php:38 -msgid "Edit Your Profile" -msgstr "" - -#: mod/newmember.php:38 -msgid "" -"Edit your default profile to your liking. Review the " -"settings for hiding your list of friends and hiding the profile from unknown" -" visitors." -msgstr "Breyttu sjálfgefnu forsíðunni einsog þú villt. Yfirfarðu stillingu til að fela vinalista á forsíðu og stillingu til að fela forsíðu fyrir ókunnum." - -#: mod/newmember.php:40 -msgid "Profile Keywords" -msgstr "" - -#: mod/newmember.php:40 -msgid "" -"Set some public keywords for your default profile which describe your " -"interests. We may be able to find other people with similar interests and " -"suggest friendships." -msgstr "Bættu við leitarorðum í sjálfgefnu forsíðuna þína sem lýsa áhugamálum þínum. Þá er hægt að fólk með svipuð áhugamál og stinga uppá vinskap." - -#: mod/newmember.php:44 -msgid "Connecting" -msgstr "Tengist" - -#: mod/newmember.php:51 -msgid "Importing Emails" -msgstr "" - -#: mod/newmember.php:51 -msgid "" -"Enter your email access information on your Connector Settings page if you " -"wish to import and interact with friends or mailing lists from your email " -"INBOX" -msgstr "Fylltu út aðgangsupplýsingar póstfangsins þíns á Tengistillingasíðunni ef þú vilt sækja tölvupóst og eiga samskipti við vini eða póstlista úr innhólfi tölvupóstsins þíns" - -#: mod/newmember.php:53 -msgid "Go to Your Contacts Page" -msgstr "" - -#: mod/newmember.php:53 -msgid "" -"Your Contacts page is your gateway to managing friendships and connecting " -"with friends on other networks. Typically you enter their address or site " -"URL in the Add New Contact dialog." -msgstr "Tengiliðasíðan er gáttin þín til að sýsla með vinasambönd og tengjast við vini á öðrum netum. Oftast setur þú vistfang eða slóð þeirra í Bæta við tengilið glugganum." - -#: mod/newmember.php:55 -msgid "Go to Your Site's Directory" -msgstr "" - -#: mod/newmember.php:55 -msgid "" -"The Directory page lets you find other people in this network or other " -"federated sites. Look for a Connect or Follow link on " -"their profile page. Provide your own Identity Address if requested." -msgstr "Tengiliðalistinn er góð leit til að finna fólk á samfélagsnetinu eða öðrum sambandsnetum. Leitaðu að Tengjast/Connect eða Fylgja/Follow tenglum á forsíðunni þeirra. Mögulega þarftu að gefa upp auðkennisslóðina þína." - -#: mod/newmember.php:57 -msgid "Finding New People" -msgstr "" - -#: mod/newmember.php:57 -msgid "" -"On the side panel of the Contacts page are several tools to find new " -"friends. We can match people by interest, look up people by name or " -"interest, and provide suggestions based on network relationships. On a brand" -" new site, friend suggestions will usually begin to be populated within 24 " -"hours." -msgstr "" - -#: mod/newmember.php:65 -msgid "Group Your Contacts" -msgstr "" - -#: mod/newmember.php:65 -msgid "" -"Once you have made some friends, organize them into private conversation " -"groups from the sidebar of your Contacts page and then you can interact with" -" each group privately on your Network page." -msgstr "Eftir að þú hefur eignast nokkra vini, þá er best að flokka þá niður í hópa á hliðar slánni á Tengiliðasíðunni. Eftir það getur þú haft samskipti við hvern hóp fyrir sig á Samfélagssíðunni." - -#: mod/newmember.php:68 -msgid "Why Aren't My Posts Public?" -msgstr "" - -#: mod/newmember.php:68 -msgid "" -"Friendica respects your privacy. By default, your posts will only show up to" -" people you've added as friends. For more information, see the help section " -"from the link above." -msgstr "" - -#: mod/newmember.php:73 -msgid "Getting Help" -msgstr "" - -#: mod/newmember.php:77 -msgid "Go to the Help Section" -msgstr "" - -#: mod/newmember.php:77 -msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -msgstr "Hægt er að styðjast við Hjálp síðuna til að fá leiðbeiningar um aðra eiginleika." - -#: mod/removeme.php:46 mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Eyða þessum notanda" - -#: mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Þetta mun algjörlega eyða notandanum. Þegar þetta hefur verið gert er þetta ekki afturkræft." - -#: mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Sláðu inn aðgangsorð yðar:" - -#: mod/editpost.php:17 mod/editpost.php:27 -msgid "Item not found" -msgstr "Atriði fannst ekki" - -#: mod/editpost.php:40 -msgid "Edit post" -msgstr "Breyta skilaboðum" - -#: mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Tíma leiðréttir" - -#: mod/localtime.php:26 -msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica veitir þessa þjónustu til að deila atburðum milli neta og vina í óþekktum tímabeltum." - -#: mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "Máltími: %s" - -#: mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Núverandi tímabelti: %s" - -#: mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Umbreyttur staðartími: %s" - -#: mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Veldu tímabeltið þitt:" - -#: mod/bookmarklet.php:41 -msgid "The post was created" -msgstr "" - -#: mod/group.php:29 -msgid "Group created." -msgstr "Hópur stofnaður" - -#: mod/group.php:35 -msgid "Could not create group." -msgstr "Gat ekki stofnað hóp." - -#: mod/group.php:47 mod/group.php:140 -msgid "Group not found." -msgstr "Hópur fannst ekki." - -#: mod/group.php:60 -msgid "Group name changed." -msgstr "Hópur endurskýrður." - -#: mod/group.php:87 -msgid "Save Group" -msgstr "" - -#: mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Stofna hóp af tengiliðum/vinum" - -#: mod/group.php:113 -msgid "Group removed." -msgstr "Hópi eytt." - -#: mod/group.php:115 -msgid "Unable to remove group." -msgstr "Ekki tókst að eyða hóp." - -#: mod/group.php:177 -msgid "Group Editor" -msgstr "Hópa sýslari" - -#: mod/group.php:190 -msgid "Members" -msgstr "Aðilar" - -#: mod/group.php:192 mod/contacts.php:692 -msgid "All Contacts" -msgstr "Allir tengiliðir" - -#: mod/group.php:193 mod/content.php:130 mod/network.php:496 -msgid "Group is empty" -msgstr "Hópur er tómur" - -#: mod/wallmessage.php:42 mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "" - -#: mod/wallmessage.php:56 mod/message.php:71 -msgid "No recipient selected." -msgstr "Engir viðtakendur valdir." - -#: mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "" - -#: mod/wallmessage.php:62 mod/message.php:78 -msgid "Message could not be sent." -msgstr "Ekki tókst að senda skilaboð." - -#: mod/wallmessage.php:65 mod/message.php:81 -msgid "Message collection failure." -msgstr "Ekki tókst að sækja skilaboð." - -#: mod/wallmessage.php:68 mod/message.php:84 -msgid "Message sent." -msgstr "Skilaboð send." - -#: mod/wallmessage.php:86 mod/wallmessage.php:95 -msgid "No recipient." -msgstr "" - -#: mod/wallmessage.php:142 mod/message.php:341 -msgid "Send Private Message" -msgstr "Senda einkaskilaboð" - -#: mod/wallmessage.php:143 -#, php-format -msgid "" -"If you wish for %s to respond, please check that the privacy settings on " -"your site allow private mail from unknown senders." -msgstr "" - -#: mod/wallmessage.php:144 mod/message.php:342 mod/message.php:536 -msgid "To:" -msgstr "Til:" - -#: mod/wallmessage.php:145 mod/message.php:347 mod/message.php:538 -msgid "Subject:" -msgstr "Efni:" - -#: mod/share.php:38 -msgid "link" -msgstr "tengill" - -#: mod/api.php:76 mod/api.php:102 -msgid "Authorize application connection" -msgstr "Leyfa forriti að tengjast" - -#: mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Farðu aftur í forritið þitt og settu þennan öryggiskóða þar" - -#: mod/api.php:89 -msgid "Please login to continue." -msgstr "Skráðu þig inn til að halda áfram." - -#: mod/api.php:104 -msgid "" -"Do you want to authorize this application to access your posts and contacts," -" and/or create new posts for you?" -msgstr "Vilt þú leyfa þessu forriti að hafa aðgang að færslum og tengiliðum, og/eða stofna nýjar færslur fyrir þig?" - -#: mod/api.php:106 mod/profiles.php:648 mod/profiles.php:652 -#: mod/profiles.php:677 mod/register.php:246 mod/settings.php:1163 -#: mod/settings.php:1169 mod/settings.php:1177 mod/settings.php:1181 -#: mod/settings.php:1186 mod/settings.php:1192 mod/settings.php:1198 -#: mod/settings.php:1204 mod/settings.php:1230 mod/settings.php:1231 -#: mod/settings.php:1232 mod/settings.php:1233 mod/settings.php:1234 -#: mod/dfrn_request.php:862 mod/follow.php:110 -msgid "No" -msgstr "Nei" - -#: mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "" - -#: mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "" - -#: mod/babel.php:31 -msgid "Source input: " -msgstr "" - -#: mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (hrátt HTML): " - -#: mod/babel.php:39 -msgid "bb2html: " -msgstr "bb2html: " - -#: mod/babel.php:43 -msgid "bb2html2bb: " -msgstr "bb2html2bb: " - -#: mod/babel.php:47 -msgid "bb2md: " -msgstr "bb2md: " - -#: mod/babel.php:51 -msgid "bb2md2html: " -msgstr "bb2md2html: " - -#: mod/babel.php:55 -msgid "bb2dia2bb: " -msgstr "bb2dia2bb: " - -#: mod/babel.php:59 -msgid "bb2md2html2bb: " -msgstr "bb2md2html2bb: " - -#: mod/babel.php:69 -msgid "Source input (Diaspora format): " -msgstr "" - -#: mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: mod/ostatus_subscribe.php:14 -msgid "Subscribing to OStatus contacts" -msgstr "" - -#: mod/ostatus_subscribe.php:25 -msgid "No contact provided." -msgstr "" - -#: mod/ostatus_subscribe.php:30 -msgid "Couldn't fetch information for contact." -msgstr "" - -#: mod/ostatus_subscribe.php:38 -msgid "Couldn't fetch friends for contact." -msgstr "" - -#: mod/ostatus_subscribe.php:65 -msgid "success" -msgstr "tókst" - -#: mod/ostatus_subscribe.php:67 -msgid "failed" -msgstr "mistókst" - -#: mod/ostatus_subscribe.php:69 mod/content.php:792 object/Item.php:245 -msgid "ignored" -msgstr "hunsað" - -#: mod/dfrn_poll.php:104 mod/dfrn_poll.php:537 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "" - -#: mod/message.php:75 -msgid "Unable to locate contact information." -msgstr "Ekki tókst að staðsetja tengiliðs upplýsingar." - -#: mod/message.php:215 -msgid "Do you really want to delete this message?" -msgstr "" - -#: mod/message.php:235 -msgid "Message deleted." -msgstr "Skilaboðum eytt." - -#: mod/message.php:266 -msgid "Conversation removed." -msgstr "Samtali eytt." - -#: mod/message.php:383 -msgid "No messages." -msgstr "Engin skilaboð." - -#: mod/message.php:426 -msgid "Message not available." -msgstr "Ekki næst í skilaboð." - -#: mod/message.php:503 -msgid "Delete message" -msgstr "Eyða skilaboðum" - -#: mod/message.php:529 mod/message.php:609 -msgid "Delete conversation" -msgstr "Eyða samtali" - -#: mod/message.php:531 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "" - -#: mod/message.php:535 -msgid "Send Reply" -msgstr "Senda svar" - -#: mod/message.php:579 -#, php-format -msgid "Unknown sender - %s" -msgstr "" - -#: mod/message.php:581 -#, php-format -msgid "You and %s" -msgstr "" - -#: mod/message.php:583 -#, php-format -msgid "%s and You" -msgstr "" - -#: mod/message.php:612 -msgid "D, d M Y - g:i A" -msgstr "" - -#: mod/message.php:615 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "" -msgstr[1] "" - -#: mod/manage.php:139 -msgid "Manage Identities and/or Pages" -msgstr "Sýsla með notendur og/eða síður" - -#: mod/manage.php:140 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Skipta á milli auðkenna eða hópa- / stjörnunotanda sem deila þínum aðgangs upplýsingum eða þér verið úthlutað \"umsýslu\" réttindum." - -#: mod/manage.php:141 -msgid "Select an identity to manage: " -msgstr "Veldu notanda til að sýsla með:" - -#: mod/crepair.php:87 -msgid "Contact settings applied." -msgstr "Stillingar tengiliðs uppfærðar." - -#: mod/crepair.php:89 -msgid "Contact update failed." -msgstr "Uppfærsla tengiliðs mistókst." - -#: mod/crepair.php:114 mod/fsuggest.php:20 mod/fsuggest.php:92 -#: mod/dfrn_confirm.php:126 -msgid "Contact not found." -msgstr "Tengiliður fannst ekki." - -#: mod/crepair.php:120 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "AÐVÖRUN: Þetta er mjög flókið og ef þú setur inn vitlausar upplýsingar þá munu samskipti við þennan tengilið hætta að virka." - -#: mod/crepair.php:121 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Notaðu \"Til baka\" hnappinn núna ef þú ert ekki viss um hvað þú eigir að gera á þessari síðu." - -#: mod/crepair.php:134 mod/crepair.php:136 -msgid "No mirroring" -msgstr "" - -#: mod/crepair.php:134 -msgid "Mirror as forwarded posting" -msgstr "" - -#: mod/crepair.php:134 mod/crepair.php:136 -msgid "Mirror as my own posting" -msgstr "" - -#: mod/crepair.php:150 -msgid "Return to contact editor" -msgstr "Fara til baka í tengiliðasýsl" - -#: mod/crepair.php:152 -msgid "Refetch contact data" -msgstr "" - -#: mod/crepair.php:156 -msgid "Remote Self" -msgstr "" - -#: mod/crepair.php:159 -msgid "Mirror postings from this contact" -msgstr "" - -#: mod/crepair.php:161 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "" - -#: mod/crepair.php:165 mod/settings.php:680 mod/settings.php:706 -#: mod/admin.php:1396 mod/admin.php:1409 mod/admin.php:1422 mod/admin.php:1438 -msgid "Name" -msgstr "Nafn" - -#: mod/crepair.php:166 -msgid "Account Nickname" -msgstr "Gælunafn notanda" - -#: mod/crepair.php:167 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@Merkjanafn - yfirskrifar Nafn/Gælunafn" - -#: mod/crepair.php:168 -msgid "Account URL" -msgstr "Heimasíða notanda" - -#: mod/crepair.php:169 -msgid "Friend Request URL" -msgstr "Slóð vinabeiðnar" - -#: mod/crepair.php:170 -msgid "Friend Confirm URL" -msgstr "Slóð vina staðfestingar " - -#: mod/crepair.php:171 -msgid "Notification Endpoint URL" -msgstr "Slóð loka tilkynningar" - -#: mod/crepair.php:172 -msgid "Poll/Feed URL" -msgstr "Slóð á könnun/fréttastraum" - -#: mod/crepair.php:173 -msgid "New photo from this URL" -msgstr "Ný mynd frá slóð" - -#: mod/content.php:119 mod/network.php:469 -msgid "No such group" -msgstr "Hópur ekki til" - -#: mod/content.php:135 mod/network.php:500 -#, php-format -msgid "Group: %s" -msgstr "" - -#: mod/content.php:325 object/Item.php:95 -msgid "This entry was edited" -msgstr "" - -#: mod/content.php:621 object/Item.php:429 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d ummæli" -msgstr[1] "%d ummæli" - -#: mod/content.php:638 mod/photos.php:1379 object/Item.php:117 -msgid "Private Message" -msgstr "Einkaskilaboð" - -#: mod/content.php:702 mod/photos.php:1567 object/Item.php:263 -msgid "I like this (toggle)" -msgstr "Mér líkar þetta (kveikja/slökkva)" - -#: mod/content.php:702 object/Item.php:263 -msgid "like" -msgstr "líkar" - -#: mod/content.php:703 mod/photos.php:1568 object/Item.php:264 -msgid "I don't like this (toggle)" -msgstr "Mér líkar þetta ekki (kveikja/slökkva)" - -#: mod/content.php:703 object/Item.php:264 -msgid "dislike" -msgstr "mislíkar" - -#: mod/content.php:705 object/Item.php:266 -msgid "Share this" -msgstr "Deila þessu" - -#: mod/content.php:705 object/Item.php:266 -msgid "share" -msgstr "deila" - -#: mod/content.php:725 mod/photos.php:1587 mod/photos.php:1635 -#: mod/photos.php:1721 object/Item.php:717 -msgid "This is you" -msgstr "Þetta ert þú" - -#: mod/content.php:727 mod/content.php:945 mod/photos.php:1589 -#: mod/photos.php:1637 mod/photos.php:1723 object/Item.php:403 -#: object/Item.php:719 boot.php:971 -msgid "Comment" -msgstr "Athugasemd" - -#: mod/content.php:729 object/Item.php:721 -msgid "Bold" -msgstr "Feitletrað" - -#: mod/content.php:730 object/Item.php:722 -msgid "Italic" -msgstr "Skáletrað" - -#: mod/content.php:731 object/Item.php:723 -msgid "Underline" -msgstr "Undirstrikað" - -#: mod/content.php:732 object/Item.php:724 -msgid "Quote" -msgstr "Gæsalappir" - -#: mod/content.php:733 object/Item.php:725 -msgid "Code" -msgstr "Kóði" - -#: mod/content.php:734 object/Item.php:726 -msgid "Image" -msgstr "Mynd" - -#: mod/content.php:735 object/Item.php:727 -msgid "Link" -msgstr "Tengill" - -#: mod/content.php:736 object/Item.php:728 -msgid "Video" -msgstr "Myndband" - -#: mod/content.php:746 mod/settings.php:740 object/Item.php:122 -#: object/Item.php:124 -msgid "Edit" -msgstr "Breyta" - -#: mod/content.php:771 object/Item.php:227 -msgid "add star" -msgstr "bæta við stjörnu" - -#: mod/content.php:772 object/Item.php:228 -msgid "remove star" -msgstr "eyða stjörnu" - -#: mod/content.php:773 object/Item.php:229 -msgid "toggle star status" -msgstr "Kveikja/slökkva á stjörnu" - -#: mod/content.php:776 object/Item.php:232 -msgid "starred" -msgstr "stjörnumerkt" - -#: mod/content.php:777 mod/content.php:798 object/Item.php:252 -msgid "add tag" -msgstr "bæta við merki" - -#: mod/content.php:787 object/Item.php:240 -msgid "ignore thread" -msgstr "" - -#: mod/content.php:788 object/Item.php:241 -msgid "unignore thread" -msgstr "" - -#: mod/content.php:789 object/Item.php:242 -msgid "toggle ignore status" -msgstr "" - -#: mod/content.php:803 object/Item.php:137 -msgid "save to folder" -msgstr "vista í möppu" - -#: mod/content.php:848 object/Item.php:201 -msgid "I will attend" -msgstr "" - -#: mod/content.php:848 object/Item.php:201 -msgid "I will not attend" -msgstr "" - -#: mod/content.php:848 object/Item.php:201 -msgid "I might attend" -msgstr "" - -#: mod/content.php:912 object/Item.php:369 -msgid "to" -msgstr "við" - -#: mod/content.php:913 object/Item.php:371 -msgid "Wall-to-Wall" -msgstr "vegg við vegg" - -#: mod/content.php:914 object/Item.php:372 -msgid "via Wall-To-Wall:" -msgstr "gegnum vegg við vegg" - -#: mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Vina tillaga send" - -#: mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Stinga uppá vinum" - -#: mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Stinga uppá vin fyrir %s" - -#: mod/mood.php:133 -msgid "Mood" -msgstr "" - -#: mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "" - -#: mod/poke.php:192 -msgid "Poke/Prod" -msgstr "" - -#: mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "" - -#: mod/poke.php:194 -msgid "Recipient" -msgstr "" - -#: mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "" - -#: mod/poke.php:198 -msgid "Make this post private" -msgstr "" - -#: mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Tókst að hala upp mynd en afskurður tókst ekki." - -#: mod/profile_photo.php:77 mod/profile_photo.php:84 mod/profile_photo.php:91 -#: mod/profile_photo.php:314 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Myndar minnkun [%s] tókst ekki." - -#: mod/profile_photo.php:124 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Ýta þarf á " - -#: mod/profile_photo.php:134 -msgid "Unable to process image" -msgstr "Ekki tókst að vinna mynd" - -#: mod/profile_photo.php:150 mod/photos.php:786 mod/wall_upload.php:151 -#, php-format -msgid "Image exceeds size limit of %s" -msgstr "" - -#: mod/profile_photo.php:159 mod/photos.php:826 mod/wall_upload.php:188 -msgid "Unable to process image." -msgstr "Ekki mögulegt afgreiða mynd" - -#: mod/profile_photo.php:248 -msgid "Upload File:" -msgstr "Hlaða upp skrá:" - -#: mod/profile_photo.php:249 -msgid "Select a profile:" -msgstr "" - -#: mod/profile_photo.php:251 -msgid "Upload" -msgstr "Hlaða upp" - -#: mod/profile_photo.php:254 -msgid "or" -msgstr "eða" - -#: mod/profile_photo.php:254 -msgid "skip this step" -msgstr "sleppa þessu skrefi" - -#: mod/profile_photo.php:254 -msgid "select a photo from your photo albums" -msgstr "velja mynd í myndabókum" - -#: mod/profile_photo.php:268 -msgid "Crop Image" -msgstr "Skera af mynd" - -#: mod/profile_photo.php:269 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Stilltu afskurð fyrir besta birtingu." - -#: mod/profile_photo.php:271 -msgid "Done Editing" -msgstr "Breyting kláruð" - -#: mod/profile_photo.php:305 -msgid "Image uploaded successfully." -msgstr "Upphölun á mynd tóks." - -#: mod/profile_photo.php:307 mod/photos.php:853 mod/wall_upload.php:221 -msgid "Image upload failed." -msgstr "Ekki hægt að hlaða upp mynd." - -#: mod/regmod.php:55 -msgid "Account approved." -msgstr "Notandi samþykktur." - -#: mod/regmod.php:92 -#, php-format -msgid "Registration revoked for %s" -msgstr "Skráning afturköllurð vegna %s" - -#: mod/regmod.php:104 -msgid "Please login." -msgstr "Skráðu yður inn." - -#: mod/notifications.php:35 -msgid "Invalid request identifier." -msgstr "Ógilt auðkenni beiðnar." - -#: mod/notifications.php:44 mod/notifications.php:180 -#: mod/notifications.php:252 -msgid "Discard" -msgstr "Henda" - -#: mod/notifications.php:60 mod/notifications.php:179 -#: mod/notifications.php:251 mod/contacts.php:606 mod/contacts.php:806 -#: mod/contacts.php:991 -msgid "Ignore" -msgstr "Hunsa" - -#: mod/notifications.php:105 -msgid "Network Notifications" -msgstr "Tilkynningar á neti" - -#: mod/notifications.php:117 -msgid "Personal Notifications" -msgstr "Einkatilkynningar." - -#: mod/notifications.php:123 -msgid "Home Notifications" -msgstr "Tilkynningar frá heimasvæði" - -#: mod/notifications.php:152 -msgid "Show Ignored Requests" -msgstr "Sýna hunsaðar beiðnir" - -#: mod/notifications.php:152 -msgid "Hide Ignored Requests" -msgstr "Fela hunsaðar beiðnir" - -#: mod/notifications.php:164 mod/notifications.php:222 -msgid "Notification type: " -msgstr "Gerð skilaboða: " - -#: mod/notifications.php:167 -#, php-format -msgid "suggested by %s" -msgstr "stungið uppá af %s" - -#: mod/notifications.php:172 mod/notifications.php:239 mod/contacts.php:613 -msgid "Hide this contact from others" -msgstr "Gera þennan notanda ósýnilegan öðrum" - -#: mod/notifications.php:173 mod/notifications.php:240 -msgid "Post a new friend activity" -msgstr "Búa til færslu um nýjan vin" - -#: mod/notifications.php:173 mod/notifications.php:240 -msgid "if applicable" -msgstr "ef við á" - -#: mod/notifications.php:176 mod/notifications.php:249 mod/admin.php:1412 -msgid "Approve" -msgstr "Samþykkja" - -#: mod/notifications.php:195 -msgid "Claims to be known to you: " -msgstr "Þykist þekkja þig:" - -#: mod/notifications.php:196 -msgid "yes" -msgstr "já" - -#: mod/notifications.php:196 -msgid "no" -msgstr "nei" - -#: mod/notifications.php:197 -msgid "" -"Shall your connection be bidirectional or not? \"Friend\" implies that you " -"allow to read and you subscribe to their posts. \"Fan/Admirer\" means that " -"you allow to read but you do not want to read theirs. Approve as: " -msgstr "" - -#: mod/notifications.php:200 -msgid "" -"Shall your connection be bidirectional or not? \"Friend\" implies that you " -"allow to read and you subscribe to their posts. \"Sharer\" means that you " -"allow to read but you do not want to read theirs. Approve as: " -msgstr "" - -#: mod/notifications.php:209 -msgid "Friend" -msgstr "Vin" - -#: mod/notifications.php:210 -msgid "Sharer" -msgstr "Deilir" - -#: mod/notifications.php:210 -msgid "Fan/Admirer" -msgstr "Fylgjandi/Aðdáandi" - -#: mod/notifications.php:243 mod/contacts.php:624 mod/follow.php:126 -msgid "Profile URL" -msgstr "Slóð á forsíðu" - -#: mod/notifications.php:260 -msgid "No introductions." -msgstr "Engar kynningar." - -#: mod/notifications.php:299 -msgid "Show unread" -msgstr "" - -#: mod/notifications.php:299 -msgid "Show all" -msgstr "" - -#: mod/notifications.php:305 -#, php-format -msgid "No more %s notifications." -msgstr "" - -#: mod/profiles.php:19 mod/profiles.php:134 mod/profiles.php:180 -#: mod/profiles.php:617 mod/dfrn_confirm.php:70 -msgid "Profile not found." -msgstr "Forsíða fannst ekki." - -#: mod/profiles.php:38 -msgid "Profile deleted." -msgstr "Forsíðu eytt." - -#: mod/profiles.php:56 mod/profiles.php:90 -msgid "Profile-" -msgstr "Forsíða-" - -#: mod/profiles.php:75 mod/profiles.php:118 -msgid "New profile created." -msgstr "Ný forsíða búinn til." - -#: mod/profiles.php:96 -msgid "Profile unavailable to clone." -msgstr "Ekki tókst að klóna forsíðu" - -#: mod/profiles.php:190 -msgid "Profile Name is required." -msgstr "Nafn á forsíðu er skilyrði" - -#: mod/profiles.php:338 -msgid "Marital Status" -msgstr "" - -#: mod/profiles.php:342 -msgid "Romantic Partner" -msgstr "" - -#: mod/profiles.php:354 -msgid "Work/Employment" -msgstr "" - -#: mod/profiles.php:357 -msgid "Religion" -msgstr "" - -#: mod/profiles.php:361 -msgid "Political Views" -msgstr "" - -#: mod/profiles.php:365 -msgid "Gender" -msgstr "" - -#: mod/profiles.php:369 -msgid "Sexual Preference" -msgstr "" - -#: mod/profiles.php:373 -msgid "XMPP" -msgstr "" - -#: mod/profiles.php:377 -msgid "Homepage" -msgstr "" - -#: mod/profiles.php:381 mod/profiles.php:702 -msgid "Interests" -msgstr "" - -#: mod/profiles.php:385 -msgid "Address" -msgstr "" - -#: mod/profiles.php:392 mod/profiles.php:698 -msgid "Location" -msgstr "" - -#: mod/profiles.php:477 -msgid "Profile updated." -msgstr "Forsíða uppfærð." - -#: mod/profiles.php:564 -msgid " and " -msgstr "og" - -#: mod/profiles.php:572 -msgid "public profile" -msgstr "Opinber forsíða" - -#: mod/profiles.php:575 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "" - -#: mod/profiles.php:576 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr "" - -#: mod/profiles.php:579 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s hefur uppfært %2$s, með því að breyta %3$s." - -#: mod/profiles.php:645 -msgid "Hide contacts and friends:" -msgstr "" - -#: mod/profiles.php:650 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Fela tengiliða-/vinalista á þessari forsíðu?" - -#: mod/profiles.php:674 -msgid "Show more profile fields:" -msgstr "" - -#: mod/profiles.php:686 -msgid "Profile Actions" -msgstr "" - -#: mod/profiles.php:687 -msgid "Edit Profile Details" -msgstr "Breyta forsíðu upplýsingum" - -#: mod/profiles.php:689 -msgid "Change Profile Photo" -msgstr "" - -#: mod/profiles.php:690 -msgid "View this profile" -msgstr "Skoða þessa forsíðu" - -#: mod/profiles.php:692 -msgid "Create a new profile using these settings" -msgstr "Búa til nýja forsíðu með þessum stillingum" - -#: mod/profiles.php:693 -msgid "Clone this profile" -msgstr "Klóna þessa forsíðu" - -#: mod/profiles.php:694 -msgid "Delete this profile" -msgstr "Eyða þessari forsíðu" - -#: mod/profiles.php:696 -msgid "Basic information" -msgstr "" - -#: mod/profiles.php:697 -msgid "Profile picture" -msgstr "" - -#: mod/profiles.php:699 -msgid "Preferences" -msgstr "" - -#: mod/profiles.php:700 -msgid "Status information" -msgstr "" - -#: mod/profiles.php:701 -msgid "Additional information" -msgstr "" - -#: mod/profiles.php:704 -msgid "Relation" -msgstr "" - -#: mod/profiles.php:708 -msgid "Your Gender:" -msgstr "Kyn:" - -#: mod/profiles.php:709 -msgid " Marital Status:" -msgstr " Hjúskaparstaða:" - -#: mod/profiles.php:711 -msgid "Example: fishing photography software" -msgstr "Til dæmis: fishing photography software" - -#: mod/profiles.php:716 -msgid "Profile Name:" -msgstr "Forsíðu nafn:" - -#: mod/profiles.php:716 mod/events.php:484 mod/events.php:496 -msgid "Required" -msgstr "Nauðsynlegt" - -#: mod/profiles.php:718 -msgid "" -"This is your public profile.
It may " -"be visible to anybody using the internet." -msgstr "Þetta er opinber forsíða.
Hún verður sjáanleg öðrum sem nota alnetið." - -#: mod/profiles.php:719 -msgid "Your Full Name:" -msgstr "Fullt nafn:" - -#: mod/profiles.php:720 -msgid "Title/Description:" -msgstr "Starfsheiti/Lýsing:" - -#: mod/profiles.php:723 -msgid "Street Address:" -msgstr "Gata:" - -#: mod/profiles.php:724 -msgid "Locality/City:" -msgstr "Bær/Borg:" - -#: mod/profiles.php:725 -msgid "Region/State:" -msgstr "Svæði/Sýsla" - -#: mod/profiles.php:726 -msgid "Postal/Zip Code:" -msgstr "Póstnúmer:" - -#: mod/profiles.php:727 -msgid "Country:" -msgstr "Land:" - -#: mod/profiles.php:731 -msgid "Who: (if applicable)" -msgstr "Hver: (ef við á)" - -#: mod/profiles.php:731 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Dæmi: cathy123, Cathy Williams, cathy@example.com" - -#: mod/profiles.php:732 -msgid "Since [date]:" -msgstr "" - -#: mod/profiles.php:734 -msgid "Tell us about yourself..." -msgstr "Segðu okkur frá sjálfum þér..." - -#: mod/profiles.php:735 -msgid "XMPP (Jabber) address:" -msgstr "" - -#: mod/profiles.php:735 -msgid "" -"The XMPP address will be propagated to your contacts so that they can follow" -" you." -msgstr "" - -#: mod/profiles.php:736 -msgid "Homepage URL:" -msgstr "Slóð heimasíðu:" - -#: mod/profiles.php:739 -msgid "Religious Views:" -msgstr "Trúarskoðanir" - -#: mod/profiles.php:740 -msgid "Public Keywords:" -msgstr "Opinber leitarorð:" - -#: mod/profiles.php:740 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(Notað til að stinga uppá mögulegum vinum, aðrir geta séð)" - -#: mod/profiles.php:741 -msgid "Private Keywords:" -msgstr "Einka leitarorð:" - -#: mod/profiles.php:741 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(Notað við leit að öðrum notendum, aldrei sýnt öðrum)" - -#: mod/profiles.php:744 -msgid "Musical interests" -msgstr "Tónlistarsmekkur" - -#: mod/profiles.php:745 -msgid "Books, literature" -msgstr "Bækur, bókmenntir" - -#: mod/profiles.php:746 -msgid "Television" -msgstr "Sjónvarp" - -#: mod/profiles.php:747 -msgid "Film/dance/culture/entertainment" -msgstr "Kvikmyndir/dans/menning/afþreying" - -#: mod/profiles.php:748 -msgid "Hobbies/Interests" -msgstr "Áhugamál" - -#: mod/profiles.php:749 -msgid "Love/romance" -msgstr "Ást/rómantík" - -#: mod/profiles.php:750 -msgid "Work/employment" -msgstr "Atvinna:" - -#: mod/profiles.php:751 -msgid "School/education" -msgstr "Skóli/menntun" - -#: mod/profiles.php:752 -msgid "Contact information and Social Networks" -msgstr "Tengiliðaupplýsingar og samfélagsnet" - -#: mod/profiles.php:794 -msgid "Edit/Manage Profiles" -msgstr "Sýsla með forsíður" - -#: mod/allfriends.php:43 -msgid "No friends to display." -msgstr "Engir vinir til að birta." - -#: mod/cal.php:149 mod/display.php:328 mod/profile.php:155 -msgid "Access to this profile has been restricted." -msgstr "Aðgangur að þessari forsíðu hefur verið heftur." - -#: mod/cal.php:276 mod/events.php:380 -msgid "View" -msgstr "Skoða" - -#: mod/cal.php:277 mod/events.php:382 -msgid "Previous" -msgstr "Fyrra" - -#: mod/cal.php:278 mod/events.php:383 mod/install.php:231 -msgid "Next" -msgstr "Næsta" - -#: mod/cal.php:287 mod/events.php:392 -msgid "list" -msgstr "" - -#: mod/cal.php:297 -msgid "User not found" -msgstr "" - -#: mod/cal.php:313 -msgid "This calendar format is not supported" -msgstr "" - -#: mod/cal.php:315 -msgid "No exportable data found" -msgstr "" - -#: mod/cal.php:330 -msgid "calendar" -msgstr "" - -#: mod/common.php:86 -msgid "No contacts in common." -msgstr "" - -#: mod/common.php:134 mod/contacts.php:863 -msgid "Common Friends" -msgstr "Sameiginlegir vinir" - -#: mod/community.php:27 -msgid "Not available." -msgstr "Ekki í boði." - -#: mod/directory.php:197 view/theme/vier/theme.php:201 -msgid "Global Directory" -msgstr "Alheimstengiliðaskrá" - -#: mod/directory.php:199 -msgid "Find on this site" -msgstr "Leita á þessum vef" - -#: mod/directory.php:201 -msgid "Results for:" -msgstr "Niðurstöður fyrir:" - -#: mod/directory.php:203 -msgid "Site Directory" -msgstr "Skrá yfir tengiliði á þessum vef" - -#: mod/directory.php:210 -msgid "No entries (some entries may be hidden)." -msgstr "Engar færslur (sumar geta verið faldar)." - -#: mod/dirfind.php:36 -#, php-format -msgid "People Search - %s" -msgstr "Leita að fólki - %s" - -#: mod/dirfind.php:47 -#, php-format -msgid "Forum Search - %s" -msgstr "Leita á spjallsvæði - %s" - -#: mod/dirfind.php:240 mod/match.php:107 -msgid "No matches" -msgstr "Engar leitarniðurstöður" - -#: mod/display.php:473 -msgid "Item has been removed." -msgstr "Atriði hefur verið fjarlægt." - -#: mod/events.php:95 mod/events.php:97 -msgid "Event can not end before it has started." -msgstr "" - -#: mod/events.php:104 mod/events.php:106 -msgid "Event title and start time are required." -msgstr "" - -#: mod/events.php:381 -msgid "Create New Event" -msgstr "Stofna nýjan atburð" - -#: mod/events.php:482 -msgid "Event details" -msgstr "Nánar um atburð" - -#: mod/events.php:483 -msgid "Starting date and Title are required." -msgstr "" - -#: mod/events.php:484 mod/events.php:485 -msgid "Event Starts:" -msgstr "Atburður hefst:" - -#: mod/events.php:486 mod/events.php:502 -msgid "Finish date/time is not known or not relevant" -msgstr "Loka dagsetning/tímasetning ekki vituð eða skiptir ekki máli" - -#: mod/events.php:488 mod/events.php:489 -msgid "Event Finishes:" -msgstr "Atburður klárar:" - -#: mod/events.php:490 mod/events.php:503 -msgid "Adjust for viewer timezone" -msgstr "Heimfæra á tímabelti áhorfanda" - -#: mod/events.php:492 -msgid "Description:" -msgstr "Lýsing:" - -#: mod/events.php:496 mod/events.php:498 -msgid "Title:" -msgstr "Titill:" - -#: mod/events.php:499 mod/events.php:500 -msgid "Share this event" -msgstr "Deila þessum atburði" - -#: mod/maintenance.php:9 -msgid "System down for maintenance" -msgstr "Kerfið er óvirkt vegna viðhalds" - -#: mod/match.php:33 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Engin leitarorð. Bættu við leitarorðum í sjálfgefnu forsíðuna." - -#: mod/match.php:86 -msgid "is interested in:" -msgstr "hefur áhuga á:" - -#: mod/match.php:100 -msgid "Profile Match" -msgstr "Forsíða fannst" - -#: mod/profile.php:179 -msgid "Tips for New Members" -msgstr "Ábendingar fyrir nýja notendur" - -#: mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "" - -#: mod/suggest.php:71 -msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Engar uppástungur tiltækar. Ef þetta er nýr vefur, reyndu þá aftur eftir um 24 klukkustundir." - -#: mod/suggest.php:84 mod/suggest.php:104 -msgid "Ignore/Hide" -msgstr "Hunsa/Fela" - -#: mod/update_community.php:19 mod/update_display.php:23 -#: mod/update_network.php:27 mod/update_notes.php:36 mod/update_profile.php:35 -msgid "[Embedded content - reload page to view]" -msgstr "[Innfelt efni - endurhlaða síðu til að sjá]" - -#: mod/photos.php:88 mod/photos.php:1856 -msgid "Recent Photos" -msgstr "Nýlegar myndir" - -#: mod/photos.php:91 mod/photos.php:1283 mod/photos.php:1858 -msgid "Upload New Photos" -msgstr "Hlaða upp nýjum myndum" - -#: mod/photos.php:105 mod/settings.php:36 -msgid "everybody" -msgstr "allir" - -#: mod/photos.php:169 -msgid "Contact information unavailable" -msgstr "Tengiliða upplýsingar ekki til" - -#: mod/photos.php:190 -msgid "Album not found." -msgstr "Myndabók finnst ekki." - -#: mod/photos.php:220 mod/photos.php:232 mod/photos.php:1227 -msgid "Delete Album" -msgstr "Fjarlægja myndabók" - -#: mod/photos.php:230 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "" - -#: mod/photos.php:308 mod/photos.php:319 mod/photos.php:1540 -msgid "Delete Photo" -msgstr "Fjarlægja mynd" - -#: mod/photos.php:317 -msgid "Do you really want to delete this photo?" -msgstr "" - -#: mod/photos.php:688 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "" - -#: mod/photos.php:688 -msgid "a photo" -msgstr "mynd" - -#: mod/photos.php:794 -msgid "Image file is empty." -msgstr "Mynda skrá er tóm." - -#: mod/photos.php:954 -msgid "No photos selected" -msgstr "Engar myndir valdar" - -#: mod/photos.php:1054 mod/videos.php:305 -msgid "Access to this item is restricted." -msgstr "Aðgangur að þessum hlut hefur verið heftur" - -#: mod/photos.php:1114 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "" - -#: mod/photos.php:1148 -msgid "Upload Photos" -msgstr "Hlaða upp myndum" - -#: mod/photos.php:1152 mod/photos.php:1222 -msgid "New album name: " -msgstr "Nýtt nafn myndbókar:" - -#: mod/photos.php:1153 -msgid "or existing album name: " -msgstr "eða fyrra nafn myndbókar:" - -#: mod/photos.php:1154 -msgid "Do not show a status post for this upload" -msgstr "Ekki sýna færslu fyrir þessari upphölun" - -#: mod/photos.php:1165 mod/photos.php:1544 mod/settings.php:1300 -msgid "Show to Groups" -msgstr "Birta hópum" - -#: mod/photos.php:1166 mod/photos.php:1545 mod/settings.php:1301 -msgid "Show to Contacts" -msgstr "Birta tengiliðum" - -#: mod/photos.php:1167 -msgid "Private Photo" -msgstr "Einkamynd" - -#: mod/photos.php:1168 -msgid "Public Photo" -msgstr "Opinber mynd" - -#: mod/photos.php:1234 -msgid "Edit Album" -msgstr "Breyta myndbók" - -#: mod/photos.php:1240 -msgid "Show Newest First" -msgstr "Birta nýjast fyrst" - -#: mod/photos.php:1242 -msgid "Show Oldest First" -msgstr "Birta elsta fyrst" - -#: mod/photos.php:1269 mod/photos.php:1841 -msgid "View Photo" -msgstr "Skoða mynd" - -#: mod/photos.php:1315 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Aðgangi hafnað. Aðgangur að þessum hlut kann að vera skertur." - -#: mod/photos.php:1317 -msgid "Photo not available" -msgstr "Mynd ekki til" - -#: mod/photos.php:1372 -msgid "View photo" -msgstr "Birta mynd" - -#: mod/photos.php:1372 -msgid "Edit photo" -msgstr "Breyta mynd" - -#: mod/photos.php:1373 -msgid "Use as profile photo" -msgstr "Nota sem forsíðu mynd" - -#: mod/photos.php:1398 -msgid "View Full Size" -msgstr "Skoða í fullri stærð" - -#: mod/photos.php:1484 -msgid "Tags: " -msgstr "Merki:" - -#: mod/photos.php:1487 -msgid "[Remove any tag]" -msgstr "[Fjarlægja öll merki]" - -#: mod/photos.php:1526 -msgid "New album name" -msgstr "Nýtt nafn myndbókar" - -#: mod/photos.php:1527 -msgid "Caption" -msgstr "Yfirskrift" - -#: mod/photos.php:1528 -msgid "Add a Tag" -msgstr "Bæta við merki" - -#: mod/photos.php:1528 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Til dæmis: @bob, @Barbara_Jensen, @jim@example.com, #Reykjavík #tjalda" - -#: mod/photos.php:1529 -msgid "Do not rotate" -msgstr "" - -#: mod/photos.php:1530 -msgid "Rotate CW (right)" -msgstr "" - -#: mod/photos.php:1531 -msgid "Rotate CCW (left)" -msgstr "" - -#: mod/photos.php:1546 -msgid "Private photo" -msgstr "Einkamynd" - -#: mod/photos.php:1547 -msgid "Public photo" -msgstr "Opinber mynd" - -#: mod/photos.php:1770 -msgid "Map" -msgstr "" - -#: mod/photos.php:1847 mod/videos.php:387 -msgid "View Album" -msgstr "Skoða myndabók" - -#: mod/register.php:93 +#: mod/register.php:99 msgid "" "Registration successful. Please check your email for further instructions." msgstr "Nýskráning tóks. Frekari fyrirmæli voru send í tölvupósti." -#: mod/register.php:98 +#: mod/register.php:103 #, php-format msgid "" "Failed to send email message. Here your accout details:
login: %s
" "password: %s

You can change your password after login." msgstr "" -#: mod/register.php:105 +#: mod/register.php:110 msgid "Registration successful." -msgstr "" +msgstr "Nýskráning tókst." -#: mod/register.php:111 +#: mod/register.php:115 msgid "Your registration can not be processed." msgstr "Skráninguna þína er ekki hægt að vinna." -#: mod/register.php:160 +#: mod/register.php:162 msgid "Your registration is pending approval by the site owner." msgstr "Skráningin þín bíður samþykkis af eiganda síðunnar." -#: mod/register.php:226 +#: mod/register.php:220 msgid "" "You may (optionally) fill in this form via OpenID by supplying your OpenID " "and clicking 'Register'." msgstr "Þú mátt (valfrjálst) fylla í þetta svæði gegnum OpenID með því gefa upp þitt OpenID og ýta á 'Skrá'." -#: mod/register.php:227 +#: mod/register.php:221 msgid "" "If you are not familiar with OpenID, please leave that field blank and fill " "in the rest of the items." msgstr "Ef þú veist ekki hvað OpenID er, skildu þá þetta svæði eftir tómt en fylltu í restin af svæðunum." -#: mod/register.php:228 +#: mod/register.php:222 msgid "Your OpenID (optional): " msgstr "Þitt OpenID (valfrjálst):" -#: mod/register.php:242 +#: mod/register.php:234 msgid "Include your profile in member directory?" msgstr "Á forsíðan þín að sjást í notendalistanum?" -#: mod/register.php:267 +#: mod/register.php:259 msgid "Note for the admin" msgstr "" -#: mod/register.php:267 +#: mod/register.php:259 msgid "Leave a message for the admin, why you want to join this node" msgstr "" -#: mod/register.php:268 +#: mod/register.php:260 msgid "Membership on this site is by invitation only." msgstr "Aðild að þessum vef er " -#: mod/register.php:269 -msgid "Your invitation ID: " -msgstr "Boðskorta auðkenni:" +#: mod/register.php:261 +msgid "Your invitation code: " +msgstr "" -#: mod/register.php:272 mod/admin.php:956 +#: mod/register.php:264 mod/admin.php:1348 msgid "Registration" msgstr "Nýskráning" -#: mod/register.php:280 +#: mod/register.php:270 msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " msgstr "" -#: mod/register.php:281 -msgid "Your Email Address: " -msgstr "Tölvupóstur:" +#: mod/register.php:271 +msgid "" +"Your Email Address: (Initial information will be send there, so this has to " +"be an existing address.)" +msgstr "" -#: mod/register.php:283 mod/settings.php:1271 +#: mod/register.php:273 mod/settings.php:1201 msgid "New Password:" msgstr "Nýtt aðgangsorð:" -#: mod/register.php:283 +#: mod/register.php:273 msgid "Leave empty for an auto generated password." msgstr "" -#: mod/register.php:284 mod/settings.php:1272 +#: mod/register.php:274 mod/settings.php:1202 msgid "Confirm:" msgstr "Staðfesta:" -#: mod/register.php:285 +#: mod/register.php:275 +#, php-format msgid "" "Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Veldu gælunafn. Verður að byrja á staf. Slóðin þín á þessum vef verður síðan 'gælunafn@$sitename'." +"profile address on this site will then be 'nickname@%s'." +msgstr "" -#: mod/register.php:286 +#: mod/register.php:276 msgid "Choose a nickname: " msgstr "Veldu gælunafn:" -#: mod/register.php:296 +#: mod/register.php:279 src/Content/Nav.php:128 src/Module/Login.php:283 +msgid "Register" +msgstr "Nýskrá" + +#: mod/register.php:286 msgid "Import your profile to this friendica instance" msgstr "" -#: mod/settings.php:43 mod/admin.php:1396 -msgid "Account" -msgstr "Notandi" - -#: mod/settings.php:52 mod/admin.php:160 -msgid "Additional features" -msgstr "Viðbótareiginleikar" - -#: mod/settings.php:60 -msgid "Display" -msgstr "" - -#: mod/settings.php:67 mod/settings.php:886 -msgid "Social Networks" -msgstr "" - -#: mod/settings.php:74 mod/admin.php:158 mod/admin.php:1522 mod/admin.php:1582 -msgid "Plugins" -msgstr "Kerfiseiningar" - -#: mod/settings.php:88 -msgid "Connected apps" -msgstr "Tengd forrit" - -#: mod/settings.php:102 -msgid "Remove account" -msgstr "Henda tengilið" - -#: mod/settings.php:155 -msgid "Missing some important data!" -msgstr "Vantar mikilvæg gögn!" - -#: mod/settings.php:158 mod/settings.php:704 mod/contacts.php:804 -msgid "Update" -msgstr "Uppfæra" - -#: mod/settings.php:269 -msgid "Failed to connect with email account using the settings provided." -msgstr "Ekki tókst að tengjast við pósthólf með stillingum sem uppgefnar eru." - -#: mod/settings.php:274 -msgid "Email settings updated." -msgstr "Stillingar póstfangs uppfærðar." - -#: mod/settings.php:289 -msgid "Features updated" -msgstr "" - -#: mod/settings.php:359 -msgid "Relocate message has been send to your contacts" -msgstr "" - -#: mod/settings.php:378 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Tóm aðgangsorð eru ekki leyfileg. Aðgangsorð óbreytt." - -#: mod/settings.php:386 -msgid "Wrong password." -msgstr "" - -#: mod/settings.php:397 -msgid "Password changed." -msgstr "Aðgangsorði breytt." - -#: mod/settings.php:399 -msgid "Password update failed. Please try again." -msgstr "Uppfærsla á aðgangsorði tókst ekki. Reyndu aftur." - -#: mod/settings.php:479 -msgid " Please use a shorter name." -msgstr " Notaðu styttra nafn." - -#: mod/settings.php:481 -msgid " Name too short." -msgstr "Nafn of stutt." - -#: mod/settings.php:490 -msgid "Wrong Password" -msgstr "" - -#: mod/settings.php:495 -msgid " Not valid email." -msgstr "Póstfang ógilt" - -#: mod/settings.php:501 -msgid " Cannot change to that email." -msgstr "Ekki hægt að breyta yfir í þetta póstfang." - -#: mod/settings.php:557 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "" - -#: mod/settings.php:561 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "" - -#: mod/settings.php:601 -msgid "Settings updated." -msgstr "Stillingar uppfærðar." - -#: mod/settings.php:677 mod/settings.php:703 mod/settings.php:739 -msgid "Add application" -msgstr "Bæta við forriti" - -#: mod/settings.php:678 mod/settings.php:788 mod/settings.php:835 -#: mod/settings.php:904 mod/settings.php:996 mod/settings.php:1264 -#: mod/admin.php:955 mod/admin.php:1583 mod/admin.php:1831 mod/admin.php:1905 -#: mod/admin.php:2055 -msgid "Save Settings" -msgstr "Vista stillingar" - -#: mod/settings.php:681 mod/settings.php:707 -msgid "Consumer Key" -msgstr "Notenda lykill" - -#: mod/settings.php:682 mod/settings.php:708 -msgid "Consumer Secret" -msgstr "Notenda leyndarmál" - -#: mod/settings.php:683 mod/settings.php:709 -msgid "Redirect" -msgstr "Áframsenda" - -#: mod/settings.php:684 mod/settings.php:710 -msgid "Icon url" -msgstr "Táknmyndar slóð" - -#: mod/settings.php:695 -msgid "You can't edit this application." -msgstr "Þú getur ekki breytt þessu forriti." - -#: mod/settings.php:738 -msgid "Connected Apps" -msgstr "Tengd forrit" - -#: mod/settings.php:742 -msgid "Client key starts with" -msgstr "Lykill viðskiptavinar byrjar á" - -#: mod/settings.php:743 -msgid "No name" -msgstr "Ekkert nafn" - -#: mod/settings.php:744 -msgid "Remove authorization" -msgstr "Fjarlæga auðkenningu" - -#: mod/settings.php:756 -msgid "No Plugin settings configured" -msgstr "Engar stillingar í kerfiseiningu uppsettar" - -#: mod/settings.php:764 -msgid "Plugin Settings" -msgstr "Stillingar kerfiseiningar" - -#: mod/settings.php:778 mod/admin.php:2044 mod/admin.php:2045 -msgid "Off" -msgstr "" - -#: mod/settings.php:778 mod/admin.php:2044 mod/admin.php:2045 -msgid "On" -msgstr "" - -#: mod/settings.php:786 -msgid "Additional Features" -msgstr "" - -#: mod/settings.php:796 mod/settings.php:800 -msgid "General Social Media Settings" -msgstr "" - -#: mod/settings.php:806 -msgid "Disable intelligent shortening" -msgstr "" - -#: mod/settings.php:808 -msgid "" -"Normally the system tries to find the best link to add to shortened posts. " -"If this option is enabled then every shortened post will always point to the" -" original friendica post." -msgstr "" - -#: mod/settings.php:814 -msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" -msgstr "" - -#: mod/settings.php:816 -msgid "" -"If you receive a message from an unknown OStatus user, this option decides " -"what to do. If it is checked, a new contact will be created for every " -"unknown user." -msgstr "" - -#: mod/settings.php:822 -msgid "Default group for OStatus contacts" -msgstr "" - -#: mod/settings.php:828 -msgid "Your legacy GNU Social account" -msgstr "" - -#: mod/settings.php:830 -msgid "" -"If you enter your old GNU Social/Statusnet account name here (in the format " -"user@domain.tld), your contacts will be added automatically. The field will " -"be emptied when done." -msgstr "" - -#: mod/settings.php:833 -msgid "Repair OStatus subscriptions" -msgstr "" - -#: mod/settings.php:842 mod/settings.php:843 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Innbyggður stuðningur fyrir %s tenging er%s" - -#: mod/settings.php:842 mod/settings.php:843 -msgid "enabled" -msgstr "kveikt" - -#: mod/settings.php:842 mod/settings.php:843 -msgid "disabled" -msgstr "slökkt" - -#: mod/settings.php:843 -msgid "GNU Social (OStatus)" -msgstr "" - -#: mod/settings.php:879 -msgid "Email access is disabled on this site." -msgstr "Slökkt hefur verið á tölvupóst aðgang á þessum þjón." - -#: mod/settings.php:891 -msgid "Email/Mailbox Setup" -msgstr "Tölvupóstur stilling" - -#: mod/settings.php:892 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Ef þú villt hafa samskipti við tölvupósts tengiliði með þessari þjónustu (valfrjálst), skilgreindu þá hvernig á að tengjast póstfanginu þínu." - -#: mod/settings.php:893 -msgid "Last successful email check:" -msgstr "Póstfang sannreynt síðast:" - -#: mod/settings.php:895 -msgid "IMAP server name:" -msgstr "IMAP þjónn:" - -#: mod/settings.php:896 -msgid "IMAP port:" -msgstr "IMAP port:" - -#: mod/settings.php:897 -msgid "Security:" -msgstr "Öryggi:" - -#: mod/settings.php:897 mod/settings.php:902 -msgid "None" -msgstr "Ekkert" - -#: mod/settings.php:898 -msgid "Email login name:" -msgstr "Notandanafn tölvupóstfangs:" - -#: mod/settings.php:899 -msgid "Email password:" -msgstr "Lykilorð tölvupóstfangs:" - -#: mod/settings.php:900 -msgid "Reply-to address:" -msgstr "Svarpóstfang:" - -#: mod/settings.php:901 -msgid "Send public posts to all email contacts:" -msgstr "Senda opinberar færslur á alla tölvupóst viðtakendur:" - -#: mod/settings.php:902 -msgid "Action after import:" -msgstr "" - -#: mod/settings.php:902 -msgid "Move to folder" -msgstr "Flytja yfir í skrásafn" - -#: mod/settings.php:903 -msgid "Move to folder:" -msgstr "Flytja yfir í skrásafn:" - -#: mod/settings.php:934 mod/admin.php:862 -msgid "No special theme for mobile devices" -msgstr "" - -#: mod/settings.php:994 -msgid "Display Settings" -msgstr "" - -#: mod/settings.php:1000 mod/settings.php:1023 -msgid "Display Theme:" -msgstr "Útlits þema:" - -#: mod/settings.php:1001 -msgid "Mobile Theme:" -msgstr "" - -#: mod/settings.php:1002 -msgid "Suppress warning of insecure networks" -msgstr "" - -#: mod/settings.php:1002 -msgid "" -"Should the system suppress the warning that the current group contains " -"members of networks that can't receive non public postings." -msgstr "" - -#: mod/settings.php:1003 -msgid "Update browser every xx seconds" -msgstr "Endurhlaða vefsíðu á xx sekúndu fresti" - -#: mod/settings.php:1003 -msgid "Minimum of 10 seconds. Enter -1 to disable it." -msgstr "" - -#: mod/settings.php:1004 -msgid "Number of items to display per page:" -msgstr "" - -#: mod/settings.php:1004 mod/settings.php:1005 -msgid "Maximum of 100 items" -msgstr "" - -#: mod/settings.php:1005 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "" - -#: mod/settings.php:1006 -msgid "Don't show emoticons" -msgstr "" - -#: mod/settings.php:1007 -msgid "Calendar" -msgstr "" - -#: mod/settings.php:1008 -msgid "Beginning of week:" -msgstr "" - -#: mod/settings.php:1009 -msgid "Don't show notices" -msgstr "" - -#: mod/settings.php:1010 -msgid "Infinite scroll" -msgstr "" - -#: mod/settings.php:1011 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: mod/settings.php:1012 -msgid "Bandwith Saver Mode" -msgstr "" - -#: mod/settings.php:1012 -msgid "" -"When enabled, embedded content is not displayed on automatic updates, they " -"only show on page reload." -msgstr "" - -#: mod/settings.php:1014 -msgid "General Theme Settings" -msgstr "" - -#: mod/settings.php:1015 -msgid "Custom Theme Settings" -msgstr "" - -#: mod/settings.php:1016 -msgid "Content Settings" -msgstr "" - -#: mod/settings.php:1017 view/theme/frio/config.php:61 -#: view/theme/quattro/config.php:66 view/theme/vier/config.php:109 -#: view/theme/duepuntozero/config.php:61 -msgid "Theme settings" -msgstr "" - -#: mod/settings.php:1099 -msgid "Account Types" -msgstr "" - -#: mod/settings.php:1100 -msgid "Personal Page Subtypes" -msgstr "" - -#: mod/settings.php:1101 -msgid "Community Forum Subtypes" -msgstr "" - -#: mod/settings.php:1108 -msgid "Personal Page" -msgstr "" - -#: mod/settings.php:1109 -msgid "This account is a regular personal profile" -msgstr "" - -#: mod/settings.php:1112 -msgid "Organisation Page" -msgstr "" - -#: mod/settings.php:1113 -msgid "This account is a profile for an organisation" -msgstr "" - -#: mod/settings.php:1116 -msgid "News Page" -msgstr "" - -#: mod/settings.php:1117 -msgid "This account is a news account/reflector" -msgstr "" - -#: mod/settings.php:1120 -msgid "Community Forum" -msgstr "" - -#: mod/settings.php:1121 -msgid "" -"This account is a community forum where people can discuss with each other" -msgstr "" - -#: mod/settings.php:1124 -msgid "Normal Account Page" -msgstr "" - -#: mod/settings.php:1125 -msgid "This account is a normal personal profile" -msgstr "Þessi notandi er með venjulega persónulega forsíðu" - -#: mod/settings.php:1128 -msgid "Soapbox Page" -msgstr "" - -#: mod/settings.php:1129 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Sjálfkrafa samþykkja allar tengibeiðnir/vinabeiðnir einungis sem les-fylgjendur" - -#: mod/settings.php:1132 -msgid "Public Forum" -msgstr "" - -#: mod/settings.php:1133 -msgid "Automatically approve all contact requests" -msgstr "" - -#: mod/settings.php:1136 -msgid "Automatic Friend Page" -msgstr "" - -#: mod/settings.php:1137 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Sjálfkrafa samþykkja allar tengibeiðnir/vinabeiðnir sem vini" - -#: mod/settings.php:1140 -msgid "Private Forum [Experimental]" -msgstr "Einkaspjallsvæði [á tilraunastigi]" - -#: mod/settings.php:1141 -msgid "Private forum - approved members only" -msgstr "Einkaspjallsvæði - einungis skráðir meðlimir" - -#: mod/settings.php:1153 -msgid "OpenID:" -msgstr "OpenID:" - -#: mod/settings.php:1153 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Valfrjálst) Leyfa þessu OpenID til að auðkennast sem þessi notandi." - -#: mod/settings.php:1163 -msgid "Publish your default profile in your local site directory?" -msgstr "Gefa út sjálfgefna forsíðu í tengiliðalista á þessum þjón?" - -#: mod/settings.php:1169 -msgid "Publish your default profile in the global social directory?" -msgstr "Gefa sjálfgefna forsíðu út í alheimstengiliðalista?" - -#: mod/settings.php:1177 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Fela tengiliða-/vinalistann þinn fyrir áhorfendum á sjálfgefinni forsíðu?" - -#: mod/settings.php:1181 -msgid "" -"If enabled, posting public messages to Diaspora and other networks isn't " -"possible." -msgstr "" - -#: mod/settings.php:1186 -msgid "Allow friends to post to your profile page?" -msgstr "Leyfa vinum að deila á forsíðuna þína?" - -#: mod/settings.php:1192 -msgid "Allow friends to tag your posts?" -msgstr "Leyfa vinum að merkja færslurnar þínar?" - -#: mod/settings.php:1198 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Leyfa að stungið verði uppá þér sem hugsamlegum vinur fyrir aðra notendur? " - -#: mod/settings.php:1204 -msgid "Permit unknown people to send you private mail?" -msgstr "" - -#: mod/settings.php:1212 -msgid "Profile is not published." -msgstr "Forsíðu hefur ekki verið gefinn út." - -#: mod/settings.php:1220 -#, php-format -msgid "Your Identity Address is '%s' or '%s'." -msgstr "" - -#: mod/settings.php:1227 -msgid "Automatically expire posts after this many days:" -msgstr "Sjálfkrafa fyrna færslu eftir hvað marga daga:" - -#: mod/settings.php:1227 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Tómar færslur renna ekki út. Útrunnum færslum er eytt" - -#: mod/settings.php:1228 -msgid "Advanced expiration settings" -msgstr "Ítarlegar stillingar fyrningatíma" - -#: mod/settings.php:1229 -msgid "Advanced Expiration" -msgstr "Flókin fyrning" - -#: mod/settings.php:1230 -msgid "Expire posts:" -msgstr "Fyrna færslur:" - -#: mod/settings.php:1231 -msgid "Expire personal notes:" -msgstr "Fyrna einka glósur:" - -#: mod/settings.php:1232 -msgid "Expire starred posts:" -msgstr "Fyrna stjörnumerktar færslur:" - -#: mod/settings.php:1233 -msgid "Expire photos:" -msgstr "Fyrna myndum:" - -#: mod/settings.php:1234 -msgid "Only expire posts by others:" -msgstr "" - -#: mod/settings.php:1262 -msgid "Account Settings" -msgstr "Stillingar aðgangs" - -#: mod/settings.php:1270 -msgid "Password Settings" -msgstr "Stillingar aðgangsorða" - -#: mod/settings.php:1272 -msgid "Leave password fields blank unless changing" -msgstr "Hafðu aðgangsorða svæði tóm nema þegar verið er að breyta" - -#: mod/settings.php:1273 -msgid "Current Password:" -msgstr "" - -#: mod/settings.php:1273 mod/settings.php:1274 -msgid "Your current password to confirm the changes" -msgstr "" - -#: mod/settings.php:1274 -msgid "Password:" -msgstr "" - -#: mod/settings.php:1278 -msgid "Basic Settings" -msgstr "Grunnstillingar" - -#: mod/settings.php:1280 -msgid "Email Address:" -msgstr "Póstfang:" - -#: mod/settings.php:1281 -msgid "Your Timezone:" -msgstr "Þitt tímabelti:" - -#: mod/settings.php:1282 -msgid "Your Language:" -msgstr "" - -#: mod/settings.php:1282 -msgid "" -"Set the language we use to show you friendica interface and to send you " -"emails" -msgstr "" - -#: mod/settings.php:1283 -msgid "Default Post Location:" -msgstr "Sjálfgefin staðsetning færslu:" - -#: mod/settings.php:1284 -msgid "Use Browser Location:" -msgstr "Nota vafra staðsetningu:" - -#: mod/settings.php:1287 -msgid "Security and Privacy Settings" -msgstr "Öryggis og friðhelgistillingar" - -#: mod/settings.php:1289 -msgid "Maximum Friend Requests/Day:" -msgstr "Hámarks vinabeiðnir á dag:" - -#: mod/settings.php:1289 mod/settings.php:1319 -msgid "(to prevent spam abuse)" -msgstr "(til að koma í veg fyrir rusl misnotkun)" - -#: mod/settings.php:1290 -msgid "Default Post Permissions" -msgstr "Sjálfgefnar aðgangstýring á færslum" - -#: mod/settings.php:1291 -msgid "(click to open/close)" -msgstr "(ýttu á til að opna/loka)" - -#: mod/settings.php:1302 -msgid "Default Private Post" -msgstr "" - -#: mod/settings.php:1303 -msgid "Default Public Post" -msgstr "" - -#: mod/settings.php:1307 -msgid "Default Permissions for New Posts" -msgstr "" - -#: mod/settings.php:1319 -msgid "Maximum private messages per day from unknown people:" -msgstr "" - -#: mod/settings.php:1322 -msgid "Notification Settings" -msgstr "Stillingar á tilkynningum" - -#: mod/settings.php:1323 -msgid "By default post a status message when:" -msgstr "" - -#: mod/settings.php:1324 -msgid "accepting a friend request" -msgstr "samþykki vinabeiðni" - -#: mod/settings.php:1325 -msgid "joining a forum/community" -msgstr "ganga til liðs við hóp/samfélag" - -#: mod/settings.php:1326 -msgid "making an interesting profile change" -msgstr "" - -#: mod/settings.php:1327 -msgid "Send a notification email when:" -msgstr "Senda tilkynninga tölvupóst þegar:" - -#: mod/settings.php:1328 -msgid "You receive an introduction" -msgstr "Þú færð kynningu" - -#: mod/settings.php:1329 -msgid "Your introductions are confirmed" -msgstr "Kynningarnar þínar eru samþykktar" - -#: mod/settings.php:1330 -msgid "Someone writes on your profile wall" -msgstr "Einhver skrifar á vegginn þínn" - -#: mod/settings.php:1331 -msgid "Someone writes a followup comment" -msgstr "Einhver skrifar athugasemd á færslu hjá þér" - -#: mod/settings.php:1332 -msgid "You receive a private message" -msgstr "Þú færð einkaskilaboð" - -#: mod/settings.php:1333 -msgid "You receive a friend suggestion" -msgstr "Þér hefur borist vina uppástunga" - -#: mod/settings.php:1334 -msgid "You are tagged in a post" -msgstr "Þú varst merkt(ur) í færslu" - -#: mod/settings.php:1335 -msgid "You are poked/prodded/etc. in a post" -msgstr "" - -#: mod/settings.php:1337 -msgid "Activate desktop notifications" -msgstr "" - -#: mod/settings.php:1337 -msgid "Show desktop popup on new notifications" -msgstr "" - -#: mod/settings.php:1339 -msgid "Text-only notification emails" -msgstr "" - -#: mod/settings.php:1341 -msgid "Send text only notification emails, without the html part" -msgstr "" - -#: mod/settings.php:1343 -msgid "Advanced Account/Page Type Settings" -msgstr "" - -#: mod/settings.php:1344 -msgid "Change the behaviour of this account for special situations" -msgstr "" - -#: mod/settings.php:1347 -msgid "Relocate" -msgstr "" - -#: mod/settings.php:1348 -msgid "" -"If you have moved this profile from another server, and some of your " -"contacts don't receive your updates, try pushing this button." -msgstr "" - -#: mod/settings.php:1349 -msgid "Resend relocate message to contacts" -msgstr "" - -#: mod/videos.php:120 -msgid "Do you really want to delete this video?" -msgstr "" - -#: mod/videos.php:125 -msgid "Delete Video" -msgstr "" - -#: mod/videos.php:204 -msgid "No videos selected" -msgstr "" - -#: mod/videos.php:396 -msgid "Recent Videos" -msgstr "" - -#: mod/videos.php:398 -msgid "Upload New Videos" -msgstr "" - -#: mod/wall_attach.php:17 mod/wall_attach.php:25 mod/wall_attach.php:76 -#: mod/wall_upload.php:20 mod/wall_upload.php:33 mod/wall_upload.php:86 -#: mod/wall_upload.php:122 mod/wall_upload.php:125 -msgid "Invalid request." -msgstr "Ógild fyrirspurn." - -#: mod/wall_attach.php:94 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "" - -#: mod/wall_attach.php:94 -msgid "Or - did you try to upload an empty file?" -msgstr "" - -#: mod/wall_attach.php:105 -#, php-format -msgid "File exceeds size limit of %s" -msgstr "" - -#: mod/wall_attach.php:156 mod/wall_attach.php:172 -msgid "File upload failed." -msgstr "Skráar upphlöðun mistókst." - -#: mod/admin.php:92 +#: mod/admin.php:106 msgid "Theme settings updated." msgstr "Þemastillingar uppfærðar." -#: mod/admin.php:156 mod/admin.php:954 +#: mod/admin.php:179 src/Content/Nav.php:174 +msgid "Information" +msgstr "Upplýsingar" + +#: mod/admin.php:180 +msgid "Overview" +msgstr "Yfirlit" + +#: mod/admin.php:181 mod/admin.php:718 +msgid "Federation Statistics" +msgstr "Tölfræði þjónasambands" + +#: mod/admin.php:182 +msgid "Configuration" +msgstr "Uppsetning" + +#: mod/admin.php:183 mod/admin.php:1345 msgid "Site" msgstr "Vefur" -#: mod/admin.php:157 mod/admin.php:898 mod/admin.php:1404 mod/admin.php:1420 +#: mod/admin.php:184 mod/admin.php:1273 mod/admin.php:1788 mod/admin.php:1804 msgid "Users" msgstr "Notendur" -#: mod/admin.php:159 mod/admin.php:1780 mod/admin.php:1830 +#: mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 mod/settings.php:86 +msgid "Addons" +msgstr "Forritsviðbætur" + +#: mod/admin.php:186 mod/admin.php:2173 mod/admin.php:2217 msgid "Themes" msgstr "Þemu" -#: mod/admin.php:161 +#: mod/admin.php:187 mod/settings.php:64 +msgid "Additional features" +msgstr "Viðbótareiginleikar" + +#: mod/admin.php:189 +msgid "Database" +msgstr "Gagnagrunnur" + +#: mod/admin.php:190 msgid "DB updates" msgstr "Gagnagrunnsuppfærslur" -#: mod/admin.php:162 mod/admin.php:406 +#: mod/admin.php:191 mod/admin.php:753 msgid "Inspect Queue" msgstr "" -#: mod/admin.php:163 mod/admin.php:372 -msgid "Federation Statistics" -msgstr "" +#: mod/admin.php:192 +msgid "Tools" +msgstr "Verkfæri" -#: mod/admin.php:177 mod/admin.php:188 mod/admin.php:1904 +#: mod/admin.php:193 +msgid "Contact Blocklist" +msgstr "Svartur listi tengiliðar" + +#: mod/admin.php:194 mod/admin.php:362 +msgid "Server Blocklist" +msgstr "Svartur listi vefþjóns" + +#: mod/admin.php:195 mod/admin.php:521 +msgid "Delete Item" +msgstr "Eyða atriði" + +#: mod/admin.php:196 mod/admin.php:197 mod/admin.php:2291 msgid "Logs" msgstr "Atburðaskrá" -#: mod/admin.php:178 mod/admin.php:1972 +#: mod/admin.php:198 mod/admin.php:2358 msgid "View Logs" msgstr "Skoða atburðaskrár" -#: mod/admin.php:179 -msgid "probe address" -msgstr "" +#: mod/admin.php:200 +msgid "Diagnostics" +msgstr "Bilanagreining" -#: mod/admin.php:180 +#: mod/admin.php:201 +msgid "PHP Info" +msgstr "PHP-upplýsingar" + +#: mod/admin.php:202 +msgid "probe address" +msgstr "finna vistfang" + +#: mod/admin.php:203 msgid "check webfinger" msgstr "" -#: mod/admin.php:187 -msgid "Plugin Features" -msgstr "Eiginleikar kerfiseiningar" +#: mod/admin.php:222 src/Content/Nav.php:217 +msgid "Admin" +msgstr "Stjórnandi" -#: mod/admin.php:189 -msgid "diagnostics" -msgstr "greining" +#: mod/admin.php:223 +msgid "Addon Features" +msgstr "Eiginleikar forritsviðbótar" -#: mod/admin.php:190 +#: mod/admin.php:224 msgid "User registrations waiting for confirmation" msgstr "Notenda nýskráningar bíða samþykkis" -#: mod/admin.php:306 -msgid "unknown" +#: mod/admin.php:301 mod/admin.php:361 mod/admin.php:478 mod/admin.php:520 +#: mod/admin.php:717 mod/admin.php:752 mod/admin.php:848 mod/admin.php:1344 +#: mod/admin.php:1787 mod/admin.php:1903 mod/admin.php:1963 mod/admin.php:2172 +#: mod/admin.php:2216 mod/admin.php:2290 mod/admin.php:2357 +msgid "Administration" +msgstr "Stjórnun" + +#: mod/admin.php:303 +msgid "Display Terms of Service" +msgstr "" + +#: mod/admin.php:303 +msgid "" +"Enable the Terms of Service page. If this is enabled a link to the terms " +"will be added to the registration form and the general information page." +msgstr "" + +#: mod/admin.php:304 +msgid "Display Privacy Statement" +msgstr "" + +#: mod/admin.php:304 +#, php-format +msgid "" +"Show some informations regarding the needed information to operate the node " +"according e.g. to EU-GDPR." +msgstr "" + +#: mod/admin.php:305 +msgid "The Terms of Service" +msgstr "" + +#: mod/admin.php:305 +msgid "" +"Enter the Terms of Service for your node here. You can use BBCode. Headers " +"of sections should be [h2] and below." +msgstr "" + +#: mod/admin.php:353 +msgid "The blocked domain" +msgstr "" + +#: mod/admin.php:354 mod/admin.php:367 +msgid "The reason why you blocked this domain." +msgstr "" + +#: mod/admin.php:355 +msgid "Delete domain" +msgstr "Eyða léni" + +#: mod/admin.php:355 +msgid "Check to delete this entry from the blocklist" +msgstr "" + +#: mod/admin.php:363 +msgid "" +"This page can be used to define a black list of servers from the federated " +"network that are not allowed to interact with your node. For all entered " +"domains you should also give a reason why you have blocked the remote " +"server." +msgstr "" + +#: mod/admin.php:364 +msgid "" +"The list of blocked servers will be made publically available on the " +"/friendica page so that your users and people investigating communication " +"problems can find the reason easily." msgstr "" #: mod/admin.php:365 +msgid "Add new entry to block list" +msgstr "" + +#: mod/admin.php:366 +msgid "Server Domain" +msgstr "" + +#: mod/admin.php:366 +msgid "" +"The domain of the new server to add to the block list. Do not include the " +"protocol." +msgstr "" + +#: mod/admin.php:367 +msgid "Block reason" +msgstr "Ástæða fyrir útilokun" + +#: mod/admin.php:368 +msgid "Add Entry" +msgstr "Bæta við færslu" + +#: mod/admin.php:369 +msgid "Save changes to the blocklist" +msgstr "" + +#: mod/admin.php:370 +msgid "Current Entries in the Blocklist" +msgstr "" + +#: mod/admin.php:373 +msgid "Delete entry from blocklist" +msgstr "" + +#: mod/admin.php:376 +msgid "Delete entry from blocklist?" +msgstr "" + +#: mod/admin.php:402 +msgid "Server added to blocklist." +msgstr "" + +#: mod/admin.php:418 +msgid "Site blocklist updated." +msgstr "" + +#: mod/admin.php:441 src/Core/Console/GlobalCommunityBlock.php:72 +msgid "The contact has been blocked from the node" +msgstr "" + +#: mod/admin.php:443 src/Core/Console/GlobalCommunityBlock.php:69 +#, php-format +msgid "Could not find any contact entry for this URL (%s)" +msgstr "" + +#: mod/admin.php:450 +#, php-format +msgid "%s contact unblocked" +msgid_plural "%s contacts unblocked" +msgstr[0] "" +msgstr[1] "" + +#: mod/admin.php:479 +msgid "Remote Contact Blocklist" +msgstr "" + +#: mod/admin.php:480 +msgid "" +"This page allows you to prevent any message from a remote contact to reach " +"your node." +msgstr "" + +#: mod/admin.php:481 +msgid "Block Remote Contact" +msgstr "" + +#: mod/admin.php:482 mod/admin.php:1790 +msgid "select all" +msgstr "velja alla" + +#: mod/admin.php:483 +msgid "select none" +msgstr "velja ekkert" + +#: mod/admin.php:486 +msgid "No remote contact is blocked from this node." +msgstr "" + +#: mod/admin.php:488 +msgid "Blocked Remote Contacts" +msgstr "" + +#: mod/admin.php:489 +msgid "Block New Remote Contact" +msgstr "" + +#: mod/admin.php:490 +msgid "Photo" +msgstr "Ljósmynd" + +#: mod/admin.php:498 +#, php-format +msgid "%s total blocked contact" +msgid_plural "%s total blocked contacts" +msgstr[0] "" +msgstr[1] "" + +#: mod/admin.php:500 +msgid "URL of the remote contact to block." +msgstr "" + +#: mod/admin.php:522 +msgid "Delete this Item" +msgstr "Eyða þessu atriði" + +#: mod/admin.php:523 +msgid "" +"On this page you can delete an item from your node. If the item is a top " +"level posting, the entire thread will be deleted." +msgstr "" + +#: mod/admin.php:524 +msgid "" +"You need to know the GUID of the item. You can find it e.g. by looking at " +"the display URL. The last part of http://example.com/display/123456 is the " +"GUID, here 123456." +msgstr "" + +#: mod/admin.php:525 +msgid "GUID" +msgstr "" + +#: mod/admin.php:525 +msgid "The GUID of the item you want to delete." +msgstr "" + +#: mod/admin.php:564 +msgid "Item marked for deletion." +msgstr "Atriði merkt til eyðingar." + +#: mod/admin.php:635 +msgid "unknown" +msgstr "óþekkt" + +#: mod/admin.php:711 msgid "" "This page offers you some numbers to the known part of the federated social " "network your Friendica node is part of. These numbers are not complete but " "only reflect the part of the network your node is aware of." msgstr "" -#: mod/admin.php:366 +#: mod/admin.php:712 msgid "" "The Auto Discovered Contact Directory feature is not enabled, it " "will improve the data displayed here." msgstr "" -#: mod/admin.php:371 mod/admin.php:405 mod/admin.php:484 mod/admin.php:953 -#: mod/admin.php:1403 mod/admin.php:1521 mod/admin.php:1581 mod/admin.php:1779 -#: mod/admin.php:1829 mod/admin.php:1903 mod/admin.php:1971 -msgid "Administration" -msgstr "Stjórnun" - -#: mod/admin.php:378 +#: mod/admin.php:724 #, php-format -msgid "Currently this node is aware of %d nodes from the following platforms:" +msgid "" +"Currently this node is aware of %d nodes with %d registered users from the " +"following platforms:" msgstr "" -#: mod/admin.php:408 +#: mod/admin.php:755 msgid "ID" -msgstr "" +msgstr "Auðkenni (ID)" -#: mod/admin.php:409 +#: mod/admin.php:756 msgid "Recipient Name" msgstr "Nafn viðtakanda" -#: mod/admin.php:410 +#: mod/admin.php:757 msgid "Recipient Profile" msgstr "Forsíða viðtakanda" -#: mod/admin.php:412 +#: mod/admin.php:758 src/Core/NotificationsManager.php:178 +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 +msgid "Network" +msgstr "Samfélag" + +#: mod/admin.php:759 msgid "Created" msgstr "Búið til" -#: mod/admin.php:413 +#: mod/admin.php:760 msgid "Last Tried" msgstr "Síðast prófað" -#: mod/admin.php:414 +#: mod/admin.php:761 msgid "" "This page lists the content of the queue for outgoing postings. These are " "postings the initial delivery failed for. They will be resend later and " "eventually deleted if the delivery fails permanently." msgstr "" -#: mod/admin.php:439 +#: mod/admin.php:785 #, php-format msgid "" "Your DB still runs with MyISAM tables. You should change the engine type to " "InnoDB. As Friendica will use InnoDB only features in the future, you should" " change this! See here for a guide that may be helpful " -"converting the table engines. You may also use the " -"convert_innodb.sql in the /util directory of your " -"Friendica installation.
" +"converting the table engines. You may also use the command php " +"bin/console.php dbstructure toinnodb of your Friendica installation for" +" an automatic conversion.
" msgstr "" -#: mod/admin.php:444 +#: mod/admin.php:792 +#, php-format msgid "" -"You are using a MySQL version which does not support all features that " -"Friendica uses. You should consider switching to MariaDB." +"There is a new version of Friendica available for download. Your current " +"version is %1$s, upstream version is %2$s" msgstr "" -#: mod/admin.php:448 mod/admin.php:1352 +#: mod/admin.php:802 +msgid "" +"The database update failed. Please run \"php bin/console.php dbstructure " +"update\" from the command line and have a look at the errors that might " +"appear." +msgstr "" + +#: mod/admin.php:808 +msgid "The worker was never executed. Please check your database structure!" +msgstr "" + +#: mod/admin.php:811 +#, php-format +msgid "" +"The last worker execution was on %s UTC. This is older than one hour. Please" +" check your crontab settings." +msgstr "" + +#: mod/admin.php:816 mod/admin.php:1739 msgid "Normal Account" msgstr "Venjulegur notandi" -#: mod/admin.php:449 mod/admin.php:1353 -msgid "Soapbox Account" -msgstr "Sápukassa notandi" +#: mod/admin.php:817 mod/admin.php:1740 +msgid "Automatic Follower Account" +msgstr "" -#: mod/admin.php:450 mod/admin.php:1354 -msgid "Community/Celebrity Account" -msgstr "Hópa-/Stjörnusíða" +#: mod/admin.php:818 mod/admin.php:1741 +msgid "Public Forum Account" +msgstr "" -#: mod/admin.php:451 mod/admin.php:1355 +#: mod/admin.php:819 mod/admin.php:1742 msgid "Automatic Friend Account" msgstr "Verður sjálfkrafa vinur notandi" -#: mod/admin.php:452 +#: mod/admin.php:820 msgid "Blog Account" msgstr "" -#: mod/admin.php:453 -msgid "Private Forum" -msgstr "Einkaspjallsvæði" +#: mod/admin.php:821 +msgid "Private Forum Account" +msgstr "" -#: mod/admin.php:479 +#: mod/admin.php:843 msgid "Message queues" msgstr "" -#: mod/admin.php:485 +#: mod/admin.php:849 msgid "Summary" msgstr "Samantekt" -#: mod/admin.php:488 +#: mod/admin.php:851 msgid "Registered users" msgstr "Skráðir notendur" -#: mod/admin.php:490 +#: mod/admin.php:853 msgid "Pending registrations" msgstr "Nýskráningar í bið" -#: mod/admin.php:491 +#: mod/admin.php:854 msgid "Version" -msgstr "Útgáfa" +msgstr "Útgáfunúmer" -#: mod/admin.php:496 -msgid "Active plugins" -msgstr "Virkar kerfiseiningar" +#: mod/admin.php:859 +msgid "Active addons" +msgstr "" -#: mod/admin.php:521 +#: mod/admin.php:890 msgid "Can not parse base url. Must have at least ://" msgstr "" -#: mod/admin.php:826 -msgid "RINO2 needs mcrypt php extension to work." -msgstr "" - -#: mod/admin.php:834 +#: mod/admin.php:1209 msgid "Site settings updated." msgstr "Stillingar vefsvæðis uppfærðar." -#: mod/admin.php:881 +#: mod/admin.php:1236 mod/settings.php:905 +msgid "No special theme for mobile devices" +msgstr "" + +#: mod/admin.php:1265 msgid "No community page" msgstr "" -#: mod/admin.php:882 +#: mod/admin.php:1266 msgid "Public postings from users of this site" msgstr "" -#: mod/admin.php:883 -msgid "Global community page" +#: mod/admin.php:1267 +msgid "Public postings from the federated network" msgstr "" -#: mod/admin.php:888 mod/contacts.php:530 -msgid "Never" -msgstr "aldrei" - -#: mod/admin.php:889 -msgid "At post arrival" +#: mod/admin.php:1268 +msgid "Public postings from local users and the federated network" msgstr "" -#: mod/admin.php:897 mod/contacts.php:557 -msgid "Disabled" -msgstr "Slökkt" - -#: mod/admin.php:899 +#: mod/admin.php:1274 msgid "Users, Global Contacts" msgstr "" -#: mod/admin.php:900 +#: mod/admin.php:1275 msgid "Users, Global Contacts/fallback" msgstr "" -#: mod/admin.php:904 +#: mod/admin.php:1279 msgid "One month" msgstr "Einn mánuður" -#: mod/admin.php:905 +#: mod/admin.php:1280 msgid "Three months" msgstr "Þrír mánuðir" -#: mod/admin.php:906 +#: mod/admin.php:1281 msgid "Half a year" msgstr "Hálft ár" -#: mod/admin.php:907 +#: mod/admin.php:1282 msgid "One year" msgstr "Eitt ár" -#: mod/admin.php:912 +#: mod/admin.php:1287 msgid "Multi user instance" msgstr "" -#: mod/admin.php:935 +#: mod/admin.php:1310 msgid "Closed" msgstr "Lokað" -#: mod/admin.php:936 +#: mod/admin.php:1311 msgid "Requires approval" msgstr "Þarf samþykki" -#: mod/admin.php:937 +#: mod/admin.php:1312 msgid "Open" msgstr "Opið" -#: mod/admin.php:941 +#: mod/admin.php:1316 msgid "No SSL policy, links will track page SSL state" msgstr "" -#: mod/admin.php:942 +#: mod/admin.php:1317 msgid "Force all links to use SSL" msgstr "" -#: mod/admin.php:943 +#: mod/admin.php:1318 msgid "Self-signed certificate, use SSL for local links only (discouraged)" msgstr "" -#: mod/admin.php:957 +#: mod/admin.php:1322 +msgid "Don't check" +msgstr "" + +#: mod/admin.php:1323 +msgid "check the stable version" +msgstr "" + +#: mod/admin.php:1324 +msgid "check the development version" +msgstr "" + +#: mod/admin.php:1347 +msgid "Republish users to directory" +msgstr "" + +#: mod/admin.php:1349 msgid "File upload" msgstr "Hlaða upp skrá" -#: mod/admin.php:958 +#: mod/admin.php:1350 msgid "Policies" msgstr "Stefna" -#: mod/admin.php:960 +#: mod/admin.php:1352 msgid "Auto Discovered Contact Directory" msgstr "" -#: mod/admin.php:961 +#: mod/admin.php:1353 msgid "Performance" msgstr "Afköst" -#: mod/admin.php:962 +#: mod/admin.php:1354 msgid "Worker" msgstr "" -#: mod/admin.php:963 +#: mod/admin.php:1355 +msgid "Message Relay" +msgstr "" + +#: mod/admin.php:1356 msgid "" "Relocate - WARNING: advanced function. Could make this server unreachable." msgstr "" -#: mod/admin.php:966 +#: mod/admin.php:1359 msgid "Site name" -msgstr "Nafn síðu" +msgstr "Nafn vefsvæðis" -#: mod/admin.php:967 +#: mod/admin.php:1360 msgid "Host name" msgstr "Vélarheiti" -#: mod/admin.php:968 +#: mod/admin.php:1361 msgid "Sender Email" msgstr "Tölvupóstfang sendanda" -#: mod/admin.php:968 +#: mod/admin.php:1361 msgid "" "The email address your server shall use to send notification emails from." msgstr "" -#: mod/admin.php:969 +#: mod/admin.php:1362 msgid "Banner/Logo" msgstr "Borði/Merki" -#: mod/admin.php:970 +#: mod/admin.php:1363 msgid "Shortcut icon" msgstr "Táknmynd flýtivísunar" -#: mod/admin.php:970 +#: mod/admin.php:1363 msgid "Link to an icon that will be used for browsers." msgstr "" -#: mod/admin.php:971 +#: mod/admin.php:1364 msgid "Touch icon" msgstr "" -#: mod/admin.php:971 +#: mod/admin.php:1364 msgid "Link to an icon that will be used for tablets and mobiles." msgstr "" -#: mod/admin.php:972 +#: mod/admin.php:1365 msgid "Additional Info" -msgstr "" +msgstr "Viðbótarupplýsingar" -#: mod/admin.php:972 +#: mod/admin.php:1365 #, php-format msgid "" "For public servers: you can add additional information here that will be " -"listed at %s/siteinfo." +"listed at %s/servers." msgstr "" -#: mod/admin.php:973 +#: mod/admin.php:1366 msgid "System language" msgstr "Tungumál kerfis" -#: mod/admin.php:974 +#: mod/admin.php:1367 msgid "System theme" msgstr "Þema kerfis" -#: mod/admin.php:974 +#: mod/admin.php:1367 msgid "" "Default system theme - may be over-ridden by user profiles - change theme settings" msgstr "" -#: mod/admin.php:975 +#: mod/admin.php:1368 msgid "Mobile system theme" msgstr "" -#: mod/admin.php:975 +#: mod/admin.php:1368 msgid "Theme for mobile devices" msgstr "" -#: mod/admin.php:976 +#: mod/admin.php:1369 msgid "SSL link policy" msgstr "" -#: mod/admin.php:976 +#: mod/admin.php:1369 msgid "Determines whether generated links should be forced to use SSL" msgstr "" -#: mod/admin.php:977 +#: mod/admin.php:1370 msgid "Force SSL" msgstr "Þvinga SSL" -#: mod/admin.php:977 +#: mod/admin.php:1370 msgid "" "Force all Non-SSL requests to SSL - Attention: on some systems it could lead" " to endless loops." msgstr "" -#: mod/admin.php:978 -msgid "Old style 'Share'" -msgstr "" - -#: mod/admin.php:978 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "" - -#: mod/admin.php:979 +#: mod/admin.php:1371 msgid "Hide help entry from navigation menu" msgstr "" -#: mod/admin.php:979 +#: mod/admin.php:1371 msgid "" "Hides the menu entry for the Help pages from the navigation menu. You can " "still access it calling /help directly." msgstr "" -#: mod/admin.php:980 +#: mod/admin.php:1372 msgid "Single user instance" msgstr "" -#: mod/admin.php:980 +#: mod/admin.php:1372 msgid "Make this instance multi-user or single-user for the named user" msgstr "" -#: mod/admin.php:981 +#: mod/admin.php:1373 msgid "Maximum image size" msgstr "Mesta stærð mynda" -#: mod/admin.php:981 +#: mod/admin.php:1373 msgid "" "Maximum size in bytes of uploaded images. Default is 0, which means no " "limits." msgstr "" -#: mod/admin.php:982 +#: mod/admin.php:1374 msgid "Maximum image length" msgstr "" -#: mod/admin.php:982 +#: mod/admin.php:1374 msgid "" "Maximum length in pixels of the longest side of uploaded images. Default is " "-1, which means no limits." msgstr "" -#: mod/admin.php:983 +#: mod/admin.php:1375 msgid "JPEG image quality" msgstr "JPEG myndgæði" -#: mod/admin.php:983 +#: mod/admin.php:1375 msgid "" "Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " "100, which is full quality." msgstr "" -#: mod/admin.php:985 +#: mod/admin.php:1377 msgid "Register policy" msgstr "Stefna varðandi nýskráningar" -#: mod/admin.php:986 +#: mod/admin.php:1378 msgid "Maximum Daily Registrations" msgstr "" -#: mod/admin.php:986 +#: mod/admin.php:1378 msgid "" "If registration is permitted above, this sets the maximum number of new user" " registrations to accept per day. If register is set to closed, this " "setting has no effect." msgstr "" -#: mod/admin.php:987 +#: mod/admin.php:1379 msgid "Register text" msgstr "Texti við nýskráningu" -#: mod/admin.php:987 -msgid "Will be displayed prominently on the registration page." +#: mod/admin.php:1379 +msgid "" +"Will be displayed prominently on the registration page. You can use BBCode " +"here." msgstr "" -#: mod/admin.php:988 +#: mod/admin.php:1380 msgid "Accounts abandoned after x days" msgstr "Yfirgefnir notendur eftir x daga" -#: mod/admin.php:988 +#: mod/admin.php:1380 msgid "" "Will not waste system resources polling external sites for abandonded " "accounts. Enter 0 for no time limit." msgstr "Hættir að eyða afli í að sækja færslur á ytri vefi fyrir yfirgefna notendur. 0 þýðir notendur merkjast ekki yfirgefnir." -#: mod/admin.php:989 +#: mod/admin.php:1381 msgid "Allowed friend domains" msgstr "Leyfð lén vina" -#: mod/admin.php:989 +#: mod/admin.php:1381 msgid "" "Comma separated list of domains which are allowed to establish friendships " "with this site. Wildcards are accepted. Empty to allow any domains" msgstr "" -#: mod/admin.php:990 +#: mod/admin.php:1382 msgid "Allowed email domains" msgstr "Leyfð lén póstfangs" -#: mod/admin.php:990 +#: mod/admin.php:1382 msgid "" "Comma separated list of domains which are allowed in email addresses for " "registrations to this site. Wildcards are accepted. Empty to allow any " "domains" msgstr "" -#: mod/admin.php:991 +#: mod/admin.php:1383 +msgid "No OEmbed rich content" +msgstr "" + +#: mod/admin.php:1383 +msgid "" +"Don't show the rich content (e.g. embedded PDF), except from the domains " +"listed below." +msgstr "" + +#: mod/admin.php:1384 +msgid "Allowed OEmbed domains" +msgstr "" + +#: mod/admin.php:1384 +msgid "" +"Comma separated list of domains which oembed content is allowed to be " +"displayed. Wildcards are accepted." +msgstr "" + +#: mod/admin.php:1385 msgid "Block public" msgstr "Loka á opinberar færslur" -#: mod/admin.php:991 +#: mod/admin.php:1385 msgid "" "Check to block public access to all otherwise public personal pages on this " "site unless you are currently logged in." msgstr "" -#: mod/admin.php:992 +#: mod/admin.php:1386 msgid "Force publish" msgstr "Skylda að vera í tengiliðalista" -#: mod/admin.php:992 +#: mod/admin.php:1386 msgid "" "Check to force all profiles on this site to be listed in the site directory." msgstr "" -#: mod/admin.php:993 +#: mod/admin.php:1387 msgid "Global directory URL" msgstr "" -#: mod/admin.php:993 +#: mod/admin.php:1387 msgid "" "URL to the global directory. If this is not set, the global directory is " "completely unavailable to the application." msgstr "" -#: mod/admin.php:994 -msgid "Allow threaded items" -msgstr "" - -#: mod/admin.php:994 -msgid "Allow infinite level threading for items on this site." -msgstr "" - -#: mod/admin.php:995 +#: mod/admin.php:1388 msgid "Private posts by default for new users" msgstr "" -#: mod/admin.php:995 +#: mod/admin.php:1388 msgid "" "Set default post permissions for all new members to the default privacy " "group rather than public." msgstr "" -#: mod/admin.php:996 +#: mod/admin.php:1389 msgid "Don't include post content in email notifications" msgstr "" -#: mod/admin.php:996 +#: mod/admin.php:1389 msgid "" "Don't include the content of a post/comment/private message/etc. in the " "email notifications that are sent out from this site, as a privacy measure." msgstr "" -#: mod/admin.php:997 +#: mod/admin.php:1390 msgid "Disallow public access to addons listed in the apps menu." msgstr "Hindra opið aðgengi að viðbótum í forritavalmyndinni." -#: mod/admin.php:997 +#: mod/admin.php:1390 msgid "" "Checking this box will restrict addons listed in the apps menu to members " "only." msgstr "Ef hakað er í þetta verður aðgengi að viðbótum í forritavalmyndinni takmarkað við meðlimi." -#: mod/admin.php:998 +#: mod/admin.php:1391 msgid "Don't embed private images in posts" msgstr "" -#: mod/admin.php:998 +#: mod/admin.php:1391 msgid "" "Don't replace locally-hosted private photos in posts with an embedded copy " "of the image. This means that contacts who receive posts containing private " @@ -6808,239 +5905,210 @@ msgid "" "while." msgstr "" -#: mod/admin.php:999 +#: mod/admin.php:1392 msgid "Allow Users to set remote_self" msgstr "" -#: mod/admin.php:999 +#: mod/admin.php:1392 msgid "" "With checking this, every user is allowed to mark every contact as a " "remote_self in the repair contact dialog. Setting this flag on a contact " "causes mirroring every posting of that contact in the users stream." msgstr "" -#: mod/admin.php:1000 +#: mod/admin.php:1393 msgid "Block multiple registrations" msgstr "Banna margar skráningar" -#: mod/admin.php:1000 +#: mod/admin.php:1393 msgid "Disallow users to register additional accounts for use as pages." msgstr "" -#: mod/admin.php:1001 +#: mod/admin.php:1394 msgid "OpenID support" msgstr "Leyfa OpenID auðkenningu" -#: mod/admin.php:1001 +#: mod/admin.php:1394 msgid "OpenID support for registration and logins." msgstr "" -#: mod/admin.php:1002 +#: mod/admin.php:1395 msgid "Fullname check" msgstr "Fullt nafn skilyrði" -#: mod/admin.php:1002 +#: mod/admin.php:1395 msgid "" "Force users to register with a space between firstname and lastname in Full " "name, as an antispam measure" msgstr "" -#: mod/admin.php:1003 -msgid "UTF-8 Regular expressions" -msgstr "UTF-8 hefðbundin stöfun" - -#: mod/admin.php:1003 -msgid "Use PHP UTF8 regular expressions" +#: mod/admin.php:1396 +msgid "Community pages for visitors" msgstr "" -#: mod/admin.php:1004 -msgid "Community Page Style" -msgstr "" - -#: mod/admin.php:1004 +#: mod/admin.php:1396 msgid "" -"Type of community page to show. 'Global community' shows every public " -"posting from an open distributed network that arrived on this server." +"Which community pages should be available for visitors. Local users always " +"see both pages." msgstr "" -#: mod/admin.php:1005 +#: mod/admin.php:1397 msgid "Posts per user on community page" msgstr "" -#: mod/admin.php:1005 +#: mod/admin.php:1397 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "'Global Community')" msgstr "" -#: mod/admin.php:1006 +#: mod/admin.php:1398 msgid "Enable OStatus support" msgstr "Leyfa OStatus stuðning" -#: mod/admin.php:1006 +#: mod/admin.php:1398 msgid "" "Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " "communications in OStatus are public, so privacy warnings will be " "occasionally displayed." msgstr "" -#: mod/admin.php:1007 -msgid "OStatus conversation completion interval" -msgstr "" - -#: mod/admin.php:1007 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "" - -#: mod/admin.php:1008 +#: mod/admin.php:1399 msgid "Only import OStatus threads from our contacts" msgstr "" -#: mod/admin.php:1008 +#: mod/admin.php:1399 msgid "" "Normally we import every content from our OStatus contacts. With this option" " we only store threads that are started by a contact that is known on our " "system." msgstr "" -#: mod/admin.php:1009 +#: mod/admin.php:1400 msgid "OStatus support can only be enabled if threading is enabled." msgstr "" -#: mod/admin.php:1011 +#: mod/admin.php:1402 msgid "" "Diaspora support can't be enabled because Friendica was installed into a sub" " directory." msgstr "" -#: mod/admin.php:1012 +#: mod/admin.php:1403 msgid "Enable Diaspora support" msgstr "Leyfa Diaspora tengingar" -#: mod/admin.php:1012 +#: mod/admin.php:1403 msgid "Provide built-in Diaspora network compatibility." msgstr "" -#: mod/admin.php:1013 +#: mod/admin.php:1404 msgid "Only allow Friendica contacts" msgstr "Aðeins leyfa Friendica notendur" -#: mod/admin.php:1013 +#: mod/admin.php:1404 msgid "" "All contacts must use Friendica protocols. All other built-in communication " "protocols disabled." msgstr "" -#: mod/admin.php:1014 +#: mod/admin.php:1405 msgid "Verify SSL" msgstr "Sannreyna SSL" -#: mod/admin.php:1014 +#: mod/admin.php:1405 msgid "" "If you wish, you can turn on strict certificate checking. This will mean you" " cannot connect (at all) to self-signed SSL sites." msgstr "" -#: mod/admin.php:1015 +#: mod/admin.php:1406 msgid "Proxy user" msgstr "Proxy notandi" -#: mod/admin.php:1016 +#: mod/admin.php:1407 msgid "Proxy URL" msgstr "Proxy slóð" -#: mod/admin.php:1017 +#: mod/admin.php:1408 msgid "Network timeout" msgstr "Net tími útrunninn" -#: mod/admin.php:1017 +#: mod/admin.php:1408 msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." msgstr "" -#: mod/admin.php:1018 -msgid "Delivery interval" -msgstr "" - -#: mod/admin.php:1018 -msgid "" -"Delay background delivery processes by this many seconds to reduce system " -"load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 " -"for large dedicated servers." -msgstr "" - -#: mod/admin.php:1019 -msgid "Poll interval" -msgstr "" - -#: mod/admin.php:1019 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "" - -#: mod/admin.php:1020 +#: mod/admin.php:1409 msgid "Maximum Load Average" msgstr "Mesta meðaltals álag" -#: mod/admin.php:1020 +#: mod/admin.php:1409 msgid "" "Maximum system load before delivery and poll processes are deferred - " "default 50." msgstr "" -#: mod/admin.php:1021 +#: mod/admin.php:1410 msgid "Maximum Load Average (Frontend)" msgstr "" -#: mod/admin.php:1021 +#: mod/admin.php:1410 msgid "Maximum system load before the frontend quits service - default 50." msgstr "" -#: mod/admin.php:1022 +#: mod/admin.php:1411 +msgid "Minimal Memory" +msgstr "" + +#: mod/admin.php:1411 +msgid "" +"Minimal free memory in MB for the worker. Needs access to /proc/meminfo - " +"default 0 (deactivated)." +msgstr "" + +#: mod/admin.php:1412 msgid "Maximum table size for optimization" msgstr "" -#: mod/admin.php:1022 +#: mod/admin.php:1412 msgid "" "Maximum table size (in MB) for the automatic optimization - default 100 MB. " "Enter -1 to disable it." msgstr "" -#: mod/admin.php:1023 +#: mod/admin.php:1413 msgid "Minimum level of fragmentation" msgstr "" -#: mod/admin.php:1023 +#: mod/admin.php:1413 msgid "" "Minimum fragmenation level to start the automatic optimization - default " "value is 30%." msgstr "" -#: mod/admin.php:1025 +#: mod/admin.php:1415 msgid "Periodical check of global contacts" msgstr "" -#: mod/admin.php:1025 +#: mod/admin.php:1415 msgid "" "If enabled, the global contacts are checked periodically for missing or " "outdated data and the vitality of the contacts and servers." msgstr "" -#: mod/admin.php:1026 +#: mod/admin.php:1416 msgid "Days between requery" msgstr "" -#: mod/admin.php:1026 +#: mod/admin.php:1416 msgid "Number of days after which a server is requeried for his contacts." msgstr "" -#: mod/admin.php:1027 +#: mod/admin.php:1417 msgid "Discover contacts from other servers" msgstr "" -#: mod/admin.php:1027 +#: mod/admin.php:1417 msgid "" "Periodically query other servers for contacts. You can choose between " "'users': the users on the remote system, 'Global Contacts': active contacts " @@ -7050,32 +6118,32 @@ msgid "" "Global Contacts'." msgstr "" -#: mod/admin.php:1028 +#: mod/admin.php:1418 msgid "Timeframe for fetching global contacts" msgstr "" -#: mod/admin.php:1028 +#: mod/admin.php:1418 msgid "" "When the discovery is activated, this value defines the timeframe for the " "activity of the global contacts that are fetched from other servers." msgstr "" -#: mod/admin.php:1029 +#: mod/admin.php:1419 msgid "Search the local directory" msgstr "" -#: mod/admin.php:1029 +#: mod/admin.php:1419 msgid "" "Search the local directory instead of the global directory. When searching " "locally, every search will be executed on the global directory in the " "background. This improves the search results when the search is repeated." msgstr "" -#: mod/admin.php:1031 +#: mod/admin.php:1421 msgid "Publish server information" msgstr "" -#: mod/admin.php:1031 +#: mod/admin.php:1421 msgid "" "If enabled, general server and usage data will be published. The data " "contains the name and version of the server, number of users with public " @@ -7083,260 +6151,282 @@ msgid "" " href='http://the-federation.info/'>the-federation.info for details." msgstr "" -#: mod/admin.php:1033 -msgid "Use MySQL full text engine" +#: mod/admin.php:1423 +msgid "Check upstream version" msgstr "" -#: mod/admin.php:1033 +#: mod/admin.php:1423 msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." +"Enables checking for new Friendica versions at github. If there is a new " +"version, you will be informed in the admin panel overview." msgstr "" -#: mod/admin.php:1034 -msgid "Suppress Language" -msgstr "" - -#: mod/admin.php:1034 -msgid "Suppress language information in meta information about a posting." -msgstr "" - -#: mod/admin.php:1035 +#: mod/admin.php:1424 msgid "Suppress Tags" msgstr "" -#: mod/admin.php:1035 +#: mod/admin.php:1424 msgid "Suppress showing a list of hashtags at the end of the posting." msgstr "" -#: mod/admin.php:1036 +#: mod/admin.php:1425 msgid "Path to item cache" msgstr "" -#: mod/admin.php:1036 +#: mod/admin.php:1425 msgid "The item caches buffers generated bbcode and external images." msgstr "" -#: mod/admin.php:1037 +#: mod/admin.php:1426 msgid "Cache duration in seconds" msgstr "" -#: mod/admin.php:1037 +#: mod/admin.php:1426 msgid "" "How long should the cache files be hold? Default value is 86400 seconds (One" " day). To disable the item cache, set the value to -1." msgstr "" -#: mod/admin.php:1038 +#: mod/admin.php:1427 msgid "Maximum numbers of comments per post" msgstr "" -#: mod/admin.php:1038 +#: mod/admin.php:1427 msgid "How much comments should be shown for each post? Default value is 100." msgstr "" -#: mod/admin.php:1039 -msgid "Path for lock file" -msgstr "" - -#: mod/admin.php:1039 -msgid "" -"The lock file is used to avoid multiple pollers at one time. Only define a " -"folder here." -msgstr "" - -#: mod/admin.php:1040 +#: mod/admin.php:1428 msgid "Temp path" msgstr "" -#: mod/admin.php:1040 +#: mod/admin.php:1428 msgid "" "If you have a restricted system where the webserver can't access the system " "temp path, enter another path here." msgstr "" -#: mod/admin.php:1041 +#: mod/admin.php:1429 msgid "Base path to installation" msgstr "" -#: mod/admin.php:1041 +#: mod/admin.php:1429 msgid "" "If the system cannot detect the correct path to your installation, enter the" " correct path here. This setting should only be set if you are using a " "restricted system and symbolic links to your webroot." msgstr "" -#: mod/admin.php:1042 +#: mod/admin.php:1430 msgid "Disable picture proxy" msgstr "" -#: mod/admin.php:1042 +#: mod/admin.php:1430 msgid "" "The picture proxy increases performance and privacy. It shouldn't be used on" " systems with very low bandwith." msgstr "" -#: mod/admin.php:1043 -msgid "Enable old style pager" -msgstr "" - -#: mod/admin.php:1043 -msgid "" -"The old style pager has page numbers but slows down massively the page " -"speed." -msgstr "" - -#: mod/admin.php:1044 +#: mod/admin.php:1431 msgid "Only search in tags" msgstr "" -#: mod/admin.php:1044 +#: mod/admin.php:1431 msgid "On large systems the text search can slow down the system extremely." msgstr "" -#: mod/admin.php:1046 +#: mod/admin.php:1433 msgid "New base url" msgstr "" -#: mod/admin.php:1046 +#: mod/admin.php:1433 msgid "" -"Change base url for this server. Sends relocate message to all DFRN contacts" -" of all users." +"Change base url for this server. Sends relocate message to all Friendica and" +" Diaspora* contacts of all users." msgstr "" -#: mod/admin.php:1048 +#: mod/admin.php:1435 msgid "RINO Encryption" msgstr "" -#: mod/admin.php:1048 +#: mod/admin.php:1435 msgid "Encryption layer between nodes." msgstr "" -#: mod/admin.php:1049 -msgid "Embedly API key" -msgstr "" +#: mod/admin.php:1435 +msgid "Enabled" +msgstr "Virkt" -#: mod/admin.php:1049 -msgid "" -"Embedly is used to fetch additional data for " -"web pages. This is an optional parameter." -msgstr "" - -#: mod/admin.php:1051 -msgid "Enable 'worker' background processing" -msgstr "" - -#: mod/admin.php:1051 -msgid "" -"The worker background processing limits the number of parallel background " -"jobs to a maximum number and respects the system load." -msgstr "" - -#: mod/admin.php:1052 +#: mod/admin.php:1437 msgid "Maximum number of parallel workers" msgstr "" -#: mod/admin.php:1052 +#: mod/admin.php:1437 msgid "" "On shared hosters set this to 2. On larger systems, values of 10 are great. " "Default value is 4." msgstr "" -#: mod/admin.php:1053 +#: mod/admin.php:1438 msgid "Don't use 'proc_open' with the worker" msgstr "" -#: mod/admin.php:1053 +#: mod/admin.php:1438 msgid "" "Enable this if your system doesn't allow the use of 'proc_open'. This can " "happen on shared hosters. If this is enabled you should increase the " -"frequency of poller calls in your crontab." +"frequency of worker calls in your crontab." msgstr "" -#: mod/admin.php:1054 +#: mod/admin.php:1439 msgid "Enable fastlane" msgstr "" -#: mod/admin.php:1054 +#: mod/admin.php:1439 msgid "" "When enabed, the fastlane mechanism starts an additional worker if processes" " with higher priority are blocked by processes of lower priority." msgstr "" -#: mod/admin.php:1055 +#: mod/admin.php:1440 msgid "Enable frontend worker" msgstr "" -#: mod/admin.php:1055 +#: mod/admin.php:1440 +#, php-format msgid "" "When enabled the Worker process is triggered when backend access is " -"performed (e.g. messages being delivered). On smaller sites you might want " -"to call yourdomain.tld/worker on a regular basis via an external cron job. " +"performed \\x28e.g. messages being delivered\\x29. On smaller sites you " +"might want to call %s/worker on a regular basis via an external cron job. " "You should only enable this option if you cannot utilize cron/scheduled jobs" -" on your server. The worker background process needs to be activated for " -"this." +" on your server." msgstr "" -#: mod/admin.php:1084 +#: mod/admin.php:1442 +msgid "Subscribe to relay" +msgstr "" + +#: mod/admin.php:1442 +msgid "" +"Enables the receiving of public posts from the relay. They will be included " +"in the search, subscribed tags and on the global community page." +msgstr "" + +#: mod/admin.php:1443 +msgid "Relay server" +msgstr "" + +#: mod/admin.php:1443 +msgid "" +"Address of the relay server where public posts should be send to. For " +"example https://relay.diasp.org" +msgstr "" + +#: mod/admin.php:1444 +msgid "Direct relay transfer" +msgstr "" + +#: mod/admin.php:1444 +msgid "" +"Enables the direct transfer to other servers without using the relay servers" +msgstr "" + +#: mod/admin.php:1445 +msgid "Relay scope" +msgstr "" + +#: mod/admin.php:1445 +msgid "" +"Can be 'all' or 'tags'. 'all' means that every public post should be " +"received. 'tags' means that only posts with selected tags should be " +"received." +msgstr "" + +#: mod/admin.php:1445 +msgid "all" +msgstr "allt" + +#: mod/admin.php:1445 +msgid "tags" +msgstr "merki" + +#: mod/admin.php:1446 +msgid "Server tags" +msgstr "" + +#: mod/admin.php:1446 +msgid "Comma separated list of tags for the 'tags' subscription." +msgstr "" + +#: mod/admin.php:1447 +msgid "Allow user tags" +msgstr "" + +#: mod/admin.php:1447 +msgid "" +"If enabled, the tags from the saved searches will used for the 'tags' " +"subscription in addition to the 'relay_server_tags'." +msgstr "" + +#: mod/admin.php:1475 msgid "Update has been marked successful" msgstr "Uppfærsla merkt sem tókst" -#: mod/admin.php:1092 +#: mod/admin.php:1482 #, php-format msgid "Database structure update %s was successfully applied." msgstr "" -#: mod/admin.php:1095 +#: mod/admin.php:1485 #, php-format msgid "Executing of database structure update %s failed with error: %s" msgstr "" -#: mod/admin.php:1107 +#: mod/admin.php:1498 #, php-format msgid "Executing %s failed with error: %s" msgstr "" -#: mod/admin.php:1110 +#: mod/admin.php:1500 #, php-format msgid "Update %s was successfully applied." msgstr "Uppfærsla %s framkvæmd." -#: mod/admin.php:1114 +#: mod/admin.php:1503 #, php-format msgid "Update %s did not return a status. Unknown if it succeeded." msgstr "Uppfærsla %s skilaði ekki gildi. Óvíst hvort tókst." -#: mod/admin.php:1116 +#: mod/admin.php:1506 #, php-format msgid "There was no additional update function %s that needed to be called." msgstr "" -#: mod/admin.php:1135 +#: mod/admin.php:1526 msgid "No failed updates." msgstr "Engar uppfærslur mistókust." -#: mod/admin.php:1136 +#: mod/admin.php:1527 msgid "Check database structure" msgstr "" -#: mod/admin.php:1141 +#: mod/admin.php:1532 msgid "Failed Updates" msgstr "Uppfærslur sem mistókust" -#: mod/admin.php:1142 +#: mod/admin.php:1533 msgid "" "This does not include updates prior to 1139, which did not return a status." msgstr "Þetta á ekki við uppfærslur fyrir 1139, þær skiluðu ekki lokastöðu." -#: mod/admin.php:1143 +#: mod/admin.php:1534 msgid "Mark success (if update was manually applied)" msgstr "Merkja sem tókst (ef uppfærsla var framkvæmd handvirkt)" -#: mod/admin.php:1144 +#: mod/admin.php:1535 msgid "Attempt to execute this update step automatically" msgstr "Framkvæma þessa uppfærslu sjálfkrafa" -#: mod/admin.php:1178 +#: mod/admin.php:1574 #, php-format msgid "" "\n" @@ -7344,7 +6434,7 @@ msgid "" "\t\t\t\tthe administrator of %2$s has set up an account for you." msgstr "" -#: mod/admin.php:1181 +#: mod/admin.php:1577 #, php-format msgid "" "\n" @@ -7371,242 +6461,244 @@ msgid "" "\t\t\tIf you are new and do not know anybody here, they may help\n" "\t\t\tyou to make some new and interesting friends.\n" "\n" +"\t\t\tIf you ever want to delete your account, you can do so at %1$s/removeme\n" +"\n" "\t\t\tThank you and welcome to %4$s." msgstr "" -#: mod/admin.php:1225 +#: mod/admin.php:1611 src/Model/User.php:649 +#, php-format +msgid "Registration details for %s" +msgstr "Nýskráningar upplýsingar fyrir %s" + +#: mod/admin.php:1621 #, php-format msgid "%s user blocked/unblocked" msgid_plural "%s users blocked/unblocked" msgstr[0] "" msgstr[1] "" -#: mod/admin.php:1232 +#: mod/admin.php:1627 #, php-format msgid "%s user deleted" msgid_plural "%s users deleted" -msgstr[0] "%s notenda eytt" +msgstr[0] "%s notanda eytt" msgstr[1] "%s notendum eytt" -#: mod/admin.php:1279 +#: mod/admin.php:1674 #, php-format msgid "User '%s' deleted" msgstr "Notanda '%s' eytt" -#: mod/admin.php:1287 +#: mod/admin.php:1682 #, php-format msgid "User '%s' unblocked" msgstr "Notanda '%s' gefið frelsi" -#: mod/admin.php:1287 +#: mod/admin.php:1682 #, php-format msgid "User '%s' blocked" -msgstr "Notanda '%s' settur í bann" +msgstr "Notandi '%s' settur í bann" -#: mod/admin.php:1396 mod/admin.php:1422 +#: mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 mod/admin.php:1824 +#: src/Content/ContactSelector.php:82 +msgid "Email" +msgstr "Tölvupóstur" + +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Register date" -msgstr "Skráningar dagsetning" +msgstr "Skráningardagur" -#: mod/admin.php:1396 mod/admin.php:1422 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last login" msgstr "Síðast innskráður" -#: mod/admin.php:1396 mod/admin.php:1422 +#: mod/admin.php:1781 mod/admin.php:1806 msgid "Last item" -msgstr "Síðasta" +msgstr "Síðasta atriði" -#: mod/admin.php:1405 +#: mod/admin.php:1781 mod/settings.php:55 +msgid "Account" +msgstr "Notandi" + +#: mod/admin.php:1789 msgid "Add User" -msgstr "" +msgstr "Bæta við notanda" -#: mod/admin.php:1406 -msgid "select all" -msgstr "velja alla" - -#: mod/admin.php:1407 +#: mod/admin.php:1791 msgid "User registrations waiting for confirm" msgstr "Skráning notanda býður samþykkis" -#: mod/admin.php:1408 +#: mod/admin.php:1792 msgid "User waiting for permanent deletion" msgstr "" -#: mod/admin.php:1409 +#: mod/admin.php:1793 msgid "Request date" msgstr "Dagsetning beiðnar" -#: mod/admin.php:1410 +#: mod/admin.php:1794 msgid "No registrations." msgstr "Engin skráning" -#: mod/admin.php:1411 +#: mod/admin.php:1795 msgid "Note from the user" msgstr "" -#: mod/admin.php:1413 +#: mod/admin.php:1797 msgid "Deny" msgstr "Hafnað" -#: mod/admin.php:1415 mod/contacts.php:605 mod/contacts.php:805 -#: mod/contacts.php:983 -msgid "Block" -msgstr "Banna" - -#: mod/admin.php:1416 mod/contacts.php:605 mod/contacts.php:805 -#: mod/contacts.php:983 -msgid "Unblock" -msgstr "Afbanna" - -#: mod/admin.php:1417 +#: mod/admin.php:1801 msgid "Site admin" msgstr "Vefstjóri" -#: mod/admin.php:1418 +#: mod/admin.php:1802 msgid "Account expired" -msgstr "" +msgstr "Notandaaðgangur útrunninn" -#: mod/admin.php:1421 +#: mod/admin.php:1805 msgid "New User" -msgstr "" +msgstr "Nýr notandi" -#: mod/admin.php:1422 +#: mod/admin.php:1806 msgid "Deleted since" -msgstr "" +msgstr "Eytt síðan" -#: mod/admin.php:1427 +#: mod/admin.php:1811 msgid "" "Selected users will be deleted!\\n\\nEverything these users had posted on " "this site will be permanently deleted!\\n\\nAre you sure?" msgstr "Valdir notendur verður eytt!\\n\\nAllt sem þessir notendur hafa deilt á þessum vef verður varanlega eytt!\\n\\nErtu alveg viss?" -#: mod/admin.php:1428 +#: mod/admin.php:1812 msgid "" "The user {0} will be deleted!\\n\\nEverything this user has posted on this " "site will be permanently deleted!\\n\\nAre you sure?" msgstr "Notandinn {0} verður eytt!\\n\\nAllt sem þessi notandi hefur deilt á þessum vef veður varanlega eytt!\\n\\nErtu alveg viss?" -#: mod/admin.php:1438 +#: mod/admin.php:1822 msgid "Name of the new user." msgstr "" -#: mod/admin.php:1439 +#: mod/admin.php:1823 msgid "Nickname" -msgstr "" +msgstr "Stuttnefni" -#: mod/admin.php:1439 +#: mod/admin.php:1823 msgid "Nickname of the new user." msgstr "" -#: mod/admin.php:1440 +#: mod/admin.php:1824 msgid "Email address of the new user." msgstr "" -#: mod/admin.php:1483 +#: mod/admin.php:1866 #, php-format -msgid "Plugin %s disabled." -msgstr "Kerfiseining %s óvirk." +msgid "Addon %s disabled." +msgstr "" -#: mod/admin.php:1487 +#: mod/admin.php:1870 #, php-format -msgid "Plugin %s enabled." -msgstr "Kveikt á kerfiseiningu %s" +msgid "Addon %s enabled." +msgstr "" -#: mod/admin.php:1498 mod/admin.php:1734 +#: mod/admin.php:1880 mod/admin.php:2129 msgid "Disable" -msgstr "Slökkva" +msgstr "Gera óvirkt" -#: mod/admin.php:1500 mod/admin.php:1736 +#: mod/admin.php:1883 mod/admin.php:2132 msgid "Enable" -msgstr "Kveikja" +msgstr "Virkja" -#: mod/admin.php:1523 mod/admin.php:1781 +#: mod/admin.php:1905 mod/admin.php:2174 msgid "Toggle" msgstr "Skipta" -#: mod/admin.php:1531 mod/admin.php:1790 +#: mod/admin.php:1913 mod/admin.php:2183 msgid "Author: " msgstr "Höfundur:" -#: mod/admin.php:1532 mod/admin.php:1791 +#: mod/admin.php:1914 mod/admin.php:2184 msgid "Maintainer: " +msgstr "Umsjónarmaður: " + +#: mod/admin.php:1966 +msgid "Reload active addons" msgstr "" -#: mod/admin.php:1584 -msgid "Reload active plugins" -msgstr "Endurhlaða virkar kerfiseiningar" - -#: mod/admin.php:1589 +#: mod/admin.php:1971 #, php-format msgid "" -"There are currently no plugins available on your node. You can find the " -"official plugin repository at %1$s and might find other interesting plugins " -"in the open plugin registry at %2$s" +"There are currently no addons available on your node. You can find the " +"official addon repository at %1$s and might find other interesting addons in" +" the open addon registry at %2$s" msgstr "" -#: mod/admin.php:1694 +#: mod/admin.php:2091 msgid "No themes found." msgstr "Engin þemu fundust" -#: mod/admin.php:1772 +#: mod/admin.php:2165 msgid "Screenshot" msgstr "Skjámynd" -#: mod/admin.php:1832 +#: mod/admin.php:2219 msgid "Reload active themes" msgstr "" -#: mod/admin.php:1837 +#: mod/admin.php:2224 #, php-format -msgid "No themes found on the system. They should be paced in %1$s" +msgid "No themes found on the system. They should be placed in %1$s" msgstr "" -#: mod/admin.php:1838 +#: mod/admin.php:2225 msgid "[Experimental]" -msgstr "[Tilraun]" +msgstr "[Á tilraunastigi]" -#: mod/admin.php:1839 +#: mod/admin.php:2226 msgid "[Unsupported]" -msgstr "[Óstudd]" +msgstr "[Óstutt]" -#: mod/admin.php:1863 +#: mod/admin.php:2250 msgid "Log settings updated." msgstr "Stillingar atburðaskrár uppfærðar. " -#: mod/admin.php:1895 +#: mod/admin.php:2282 msgid "PHP log currently enabled." msgstr "" -#: mod/admin.php:1897 +#: mod/admin.php:2284 msgid "PHP log currently disabled." msgstr "" -#: mod/admin.php:1906 +#: mod/admin.php:2293 msgid "Clear" msgstr "Hreinsa" -#: mod/admin.php:1911 +#: mod/admin.php:2297 msgid "Enable Debugging" msgstr "" -#: mod/admin.php:1912 +#: mod/admin.php:2298 msgid "Log file" msgstr "Atburðaskrá" -#: mod/admin.php:1912 +#: mod/admin.php:2298 msgid "" "Must be writable by web server. Relative to your Friendica top-level " "directory." msgstr "Vefþjónn verður að hafa skrifréttindi. Afstætt við Friendica rótar skráarsafn." -#: mod/admin.php:1913 +#: mod/admin.php:2299 msgid "Log level" msgstr "Stig atburðaskráningar" -#: mod/admin.php:1916 +#: mod/admin.php:2301 msgid "PHP logging" msgstr "" -#: mod/admin.php:1917 +#: mod/admin.php:2302 msgid "" "To enable logging of PHP errors and warnings you can add the following to " "the .htconfig.php file of your installation. The filename set in the " @@ -7615,1294 +6707,2792 @@ msgid "" "'display_errors' is to enable these options, set to '0' to disable them." msgstr "" -#: mod/admin.php:2045 +#: mod/admin.php:2333 +#, php-format +msgid "" +"Error trying to open %1$s log file.\\r\\n
Check to see " +"if file %1$s exist and is readable." +msgstr "" + +#: mod/admin.php:2337 +#, php-format +msgid "" +"Couldn't open %1$s log file.\\r\\n
Check to see if file" +" %1$s is readable." +msgstr "" + +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "Off" +msgstr "Slökkt" + +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "On" +msgstr "Kveikt" + +#: mod/admin.php:2429 #, php-format msgid "Lock feature %s" msgstr "" -#: mod/admin.php:2053 +#: mod/admin.php:2437 msgid "Manage Additional Features" msgstr "" -#: mod/contacts.php:128 +#: mod/settings.php:72 +msgid "Display" +msgstr "Birting" + +#: mod/settings.php:79 mod/settings.php:842 +msgid "Social Networks" +msgstr "Samfélagsnet" + +#: mod/settings.php:93 src/Content/Nav.php:204 +msgid "Delegations" +msgstr "" + +#: mod/settings.php:100 +msgid "Connected apps" +msgstr "Tengd forrit" + +#: mod/settings.php:114 +msgid "Remove account" +msgstr "Henda tengilið" + +#: mod/settings.php:168 +msgid "Missing some important data!" +msgstr "Vantar mikilvæg gögn!" + +#: mod/settings.php:279 +msgid "Failed to connect with email account using the settings provided." +msgstr "Ekki tókst að tengjast við pósthólf með stillingum sem uppgefnar eru." + +#: mod/settings.php:284 +msgid "Email settings updated." +msgstr "Stillingar póstfangs uppfærðar." + +#: mod/settings.php:300 +msgid "Features updated" +msgstr "" + +#: mod/settings.php:372 +msgid "Relocate message has been send to your contacts" +msgstr "" + +#: mod/settings.php:384 src/Model/User.php:325 +msgid "Passwords do not match. Password unchanged." +msgstr "Aðgangsorð ber ekki saman. Aðgangsorð óbreytt." + +#: mod/settings.php:389 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Tóm aðgangsorð eru ekki leyfileg. Aðgangsorð óbreytt." + +#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "" + +#: mod/settings.php:400 +msgid "Wrong password." +msgstr "Rangt lykilorð." + +#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 +msgid "Password changed." +msgstr "Aðgangsorði breytt." + +#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 +msgid "Password update failed. Please try again." +msgstr "Uppfærsla á aðgangsorði tókst ekki. Reyndu aftur." + +#: mod/settings.php:496 +msgid " Please use a shorter name." +msgstr " Notaðu styttra nafn." + +#: mod/settings.php:499 +msgid " Name too short." +msgstr "Nafn of stutt." + +#: mod/settings.php:507 +msgid "Wrong Password" +msgstr "Rangt lykilorð" + +#: mod/settings.php:512 +msgid "Invalid email." +msgstr "Ógilt tölvupóstfang." + +#: mod/settings.php:519 +msgid "Cannot change to that email." +msgstr "" + +#: mod/settings.php:572 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "" + +#: mod/settings.php:575 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "" + +#: mod/settings.php:615 +msgid "Settings updated." +msgstr "Stillingar uppfærðar." + +#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 +msgid "Add application" +msgstr "Bæta við forriti" + +#: mod/settings.php:678 mod/settings.php:704 +msgid "Consumer Key" +msgstr "Notenda lykill" + +#: mod/settings.php:679 mod/settings.php:705 +msgid "Consumer Secret" +msgstr "Notenda leyndarmál" + +#: mod/settings.php:680 mod/settings.php:706 +msgid "Redirect" +msgstr "Áframsenda" + +#: mod/settings.php:681 mod/settings.php:707 +msgid "Icon url" +msgstr "Táknmyndar slóð" + +#: mod/settings.php:692 +msgid "You can't edit this application." +msgstr "Þú getur ekki breytt þessu forriti." + +#: mod/settings.php:735 +msgid "Connected Apps" +msgstr "Tengd forrit" + +#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 +msgid "Edit" +msgstr "Breyta" + +#: mod/settings.php:739 +msgid "Client key starts with" +msgstr "Lykill viðskiptavinar byrjar á" + +#: mod/settings.php:740 +msgid "No name" +msgstr "Ekkert nafn" + +#: mod/settings.php:741 +msgid "Remove authorization" +msgstr "Fjarlæga auðkenningu" + +#: mod/settings.php:752 +msgid "No Addon settings configured" +msgstr "" + +#: mod/settings.php:761 +msgid "Addon Settings" +msgstr "" + +#: mod/settings.php:782 +msgid "Additional Features" +msgstr "" + +#: mod/settings.php:805 src/Content/ContactSelector.php:83 +msgid "Diaspora" +msgstr "Diaspora" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "enabled" +msgstr "kveikt" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "disabled" +msgstr "slökkt" + +#: mod/settings.php:805 mod/settings.php:806 #, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited." +msgid "Built-in support for %s connectivity is %s" +msgstr "Innbyggður stuðningur fyrir %s tenging er%s" + +#: mod/settings.php:806 +msgid "GNU Social (OStatus)" +msgstr "GNU Social (OStatus)" + +#: mod/settings.php:837 +msgid "Email access is disabled on this site." +msgstr "Slökkt hefur verið á tölvupóst aðgang á þessum þjón." + +#: mod/settings.php:847 +msgid "General Social Media Settings" +msgstr "Almennar stillingar samfélagsmiðla" + +#: mod/settings.php:848 +msgid "Disable Content Warning" +msgstr "" + +#: mod/settings.php:848 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "" + +#: mod/settings.php:849 +msgid "Disable intelligent shortening" +msgstr "" + +#: mod/settings.php:849 +msgid "" +"Normally the system tries to find the best link to add to shortened posts. " +"If this option is enabled then every shortened post will always point to the" +" original friendica post." +msgstr "" + +#: mod/settings.php:850 +msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" +msgstr "" + +#: mod/settings.php:850 +msgid "" +"If you receive a message from an unknown OStatus user, this option decides " +"what to do. If it is checked, a new contact will be created for every " +"unknown user." +msgstr "" + +#: mod/settings.php:851 +msgid "Default group for OStatus contacts" +msgstr "" + +#: mod/settings.php:852 +msgid "Your legacy GNU Social account" +msgstr "" + +#: mod/settings.php:852 +msgid "" +"If you enter your old GNU Social/Statusnet account name here (in the format " +"user@domain.tld), your contacts will be added automatically. The field will " +"be emptied when done." +msgstr "" + +#: mod/settings.php:855 +msgid "Repair OStatus subscriptions" +msgstr "" + +#: mod/settings.php:859 +msgid "Email/Mailbox Setup" +msgstr "Tölvupóstur stilling" + +#: mod/settings.php:860 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Ef þú villt hafa samskipti við tölvupósts tengiliði með þessari þjónustu (valfrjálst), skilgreindu þá hvernig á að tengjast póstfanginu þínu." + +#: mod/settings.php:861 +msgid "Last successful email check:" +msgstr "Póstfang sannreynt síðast:" + +#: mod/settings.php:863 +msgid "IMAP server name:" +msgstr "IMAP þjónn:" + +#: mod/settings.php:864 +msgid "IMAP port:" +msgstr "IMAP port:" + +#: mod/settings.php:865 +msgid "Security:" +msgstr "Öryggi:" + +#: mod/settings.php:865 mod/settings.php:870 +msgid "None" +msgstr "Ekkert" + +#: mod/settings.php:866 +msgid "Email login name:" +msgstr "Notandanafn tölvupóstfangs:" + +#: mod/settings.php:867 +msgid "Email password:" +msgstr "Lykilorð tölvupóstfangs:" + +#: mod/settings.php:868 +msgid "Reply-to address:" +msgstr "Svarpóstfang:" + +#: mod/settings.php:869 +msgid "Send public posts to all email contacts:" +msgstr "Senda opinberar færslur á alla tölvupóst viðtakendur:" + +#: mod/settings.php:870 +msgid "Action after import:" +msgstr "" + +#: mod/settings.php:870 src/Content/Nav.php:191 +msgid "Mark as seen" +msgstr "Merka sem séð" + +#: mod/settings.php:870 +msgid "Move to folder" +msgstr "Flytja yfir í skrásafn" + +#: mod/settings.php:871 +msgid "Move to folder:" +msgstr "Flytja yfir í skrásafn:" + +#: mod/settings.php:914 +#, php-format +msgid "%s - (Unsupported)" +msgstr "%s - (ekki stutt)" + +#: mod/settings.php:916 +#, php-format +msgid "%s - (Experimental)" +msgstr "%s - (á tilraunastigi)" + +#: mod/settings.php:959 +msgid "Display Settings" +msgstr "Birtingarstillingar" + +#: mod/settings.php:965 mod/settings.php:989 +msgid "Display Theme:" +msgstr "Útlits þema:" + +#: mod/settings.php:966 +msgid "Mobile Theme:" +msgstr "Farsímaþema" + +#: mod/settings.php:967 +msgid "Suppress warning of insecure networks" +msgstr "" + +#: mod/settings.php:967 +msgid "" +"Should the system suppress the warning that the current group contains " +"members of networks that can't receive non public postings." +msgstr "" + +#: mod/settings.php:968 +msgid "Update browser every xx seconds" +msgstr "Endurhlaða vefsíðu á xx sekúndu fresti" + +#: mod/settings.php:968 +msgid "Minimum of 10 seconds. Enter -1 to disable it." +msgstr "" + +#: mod/settings.php:969 +msgid "Number of items to display per page:" +msgstr "" + +#: mod/settings.php:969 mod/settings.php:970 +msgid "Maximum of 100 items" +msgstr "" + +#: mod/settings.php:970 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "" + +#: mod/settings.php:971 +msgid "Don't show emoticons" +msgstr "" + +#: mod/settings.php:972 +msgid "Calendar" +msgstr "Dagatal" + +#: mod/settings.php:973 +msgid "Beginning of week:" +msgstr "Upphaf viku:" + +#: mod/settings.php:974 +msgid "Don't show notices" +msgstr "" + +#: mod/settings.php:975 +msgid "Infinite scroll" +msgstr "" + +#: mod/settings.php:976 +msgid "Automatic updates only at the top of the network page" +msgstr "" + +#: mod/settings.php:976 +msgid "" +"When disabled, the network page is updated all the time, which could be " +"confusing while reading." +msgstr "" + +#: mod/settings.php:977 +msgid "Bandwith Saver Mode" +msgstr "" + +#: mod/settings.php:977 +msgid "" +"When enabled, embedded content is not displayed on automatic updates, they " +"only show on page reload." +msgstr "" + +#: mod/settings.php:978 +msgid "Smart Threading" +msgstr "" + +#: mod/settings.php:978 +msgid "" +"When enabled, suppress extraneous thread indentation while keeping it where " +"it matters. Only works if threading is available and enabled." +msgstr "" + +#: mod/settings.php:980 +msgid "General Theme Settings" +msgstr "" + +#: mod/settings.php:981 +msgid "Custom Theme Settings" +msgstr "" + +#: mod/settings.php:982 +msgid "Content Settings" +msgstr "Stillingar efnis" + +#: mod/settings.php:983 view/theme/duepuntozero/config.php:73 +#: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 +#: view/theme/vier/config.php:121 +msgid "Theme settings" +msgstr "Þemastillingar" + +#: mod/settings.php:1002 +msgid "Unable to find your profile. Please contact your admin." +msgstr "" + +#: mod/settings.php:1044 +msgid "Account Types" +msgstr "Gerðir notendaaðganga" + +#: mod/settings.php:1045 +msgid "Personal Page Subtypes" +msgstr "" + +#: mod/settings.php:1046 +msgid "Community Forum Subtypes" +msgstr "" + +#: mod/settings.php:1053 +msgid "Personal Page" +msgstr "" + +#: mod/settings.php:1054 +msgid "Account for a personal profile." +msgstr "" + +#: mod/settings.php:1057 +msgid "Organisation Page" +msgstr "" + +#: mod/settings.php:1058 +msgid "" +"Account for an organisation that automatically approves contact requests as " +"\"Followers\"." +msgstr "" + +#: mod/settings.php:1061 +msgid "News Page" +msgstr "" + +#: mod/settings.php:1062 +msgid "" +"Account for a news reflector that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1065 +msgid "Community Forum" +msgstr "" + +#: mod/settings.php:1066 +msgid "Account for community discussions." +msgstr "" + +#: mod/settings.php:1069 +msgid "Normal Account Page" +msgstr "" + +#: mod/settings.php:1070 +msgid "" +"Account for a regular personal profile that requires manual approval of " +"\"Friends\" and \"Followers\"." +msgstr "" + +#: mod/settings.php:1073 +msgid "Soapbox Page" +msgstr "" + +#: mod/settings.php:1074 +msgid "" +"Account for a public profile that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1077 +msgid "Public Forum" +msgstr "" + +#: mod/settings.php:1078 +msgid "Automatically approves all contact requests." +msgstr "" + +#: mod/settings.php:1081 +msgid "Automatic Friend Page" +msgstr "" + +#: mod/settings.php:1082 +msgid "" +"Account for a popular profile that automatically approves contact requests " +"as \"Friends\"." +msgstr "" + +#: mod/settings.php:1085 +msgid "Private Forum [Experimental]" +msgstr "Einkaspjallsvæði [á tilraunastigi]" + +#: mod/settings.php:1086 +msgid "Requires manual approval of contact requests." +msgstr "" + +#: mod/settings.php:1097 +msgid "OpenID:" +msgstr "OpenID:" + +#: mod/settings.php:1097 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(Valfrjálst) Leyfa þessu OpenID til að auðkennast sem þessi notandi." + +#: mod/settings.php:1105 +msgid "Publish your default profile in your local site directory?" +msgstr "Gefa út sjálfgefna forsíðu í tengiliðalista á þessum þjón?" + +#: mod/settings.php:1105 +#, php-format +msgid "" +"Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." +msgstr "" + +#: mod/settings.php:1111 +msgid "Publish your default profile in the global social directory?" +msgstr "Gefa sjálfgefna forsíðu út í alheimstengiliðalista?" + +#: mod/settings.php:1111 +#, php-format +msgid "" +"Your profile will be published in this node's local " +"directory. Your profile details may be publicly visible depending on the" +" system settings." +msgstr "" + +#: mod/settings.php:1118 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Fela tengiliða-/vinalistann þinn fyrir áhorfendum á sjálfgefinni forsíðu?" + +#: mod/settings.php:1118 +msgid "" +"Your contact list won't be shown in your default profile page. You can " +"decide to show your contact list separately for each additional profile you " +"create" +msgstr "" + +#: mod/settings.php:1122 +msgid "Hide your profile details from anonymous viewers?" +msgstr "" + +#: mod/settings.php:1122 +msgid "" +"Anonymous visitors will only see your profile picture, your display name and" +" the nickname you are using on your profile page. Disables posting public " +"messages to Diaspora and other networks." +msgstr "" + +#: mod/settings.php:1126 +msgid "Allow friends to post to your profile page?" +msgstr "Leyfa vinum að deila á forsíðuna þína?" + +#: mod/settings.php:1126 +msgid "" +"Your contacts may write posts on your profile wall. These posts will be " +"distributed to your contacts" +msgstr "" + +#: mod/settings.php:1130 +msgid "Allow friends to tag your posts?" +msgstr "Leyfa vinum að merkja færslurnar þínar?" + +#: mod/settings.php:1130 +msgid "Your contacts can add additional tags to your posts." +msgstr "" + +#: mod/settings.php:1134 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Leyfa að stungið verði uppá þér sem hugsamlegum vinur fyrir aðra notendur? " + +#: mod/settings.php:1134 +msgid "" +"If you like, Friendica may suggest new members to add you as a contact." +msgstr "" + +#: mod/settings.php:1138 +msgid "Permit unknown people to send you private mail?" +msgstr "" + +#: mod/settings.php:1138 +msgid "" +"Friendica network users may send you private messages even if they are not " +"in your contact list." +msgstr "" + +#: mod/settings.php:1142 +msgid "Profile is not published." +msgstr "Forsíðu hefur ekki verið gefinn út." + +#: mod/settings.php:1148 +#, php-format +msgid "Your Identity Address is '%s' or '%s'." +msgstr "" + +#: mod/settings.php:1155 +msgid "Automatically expire posts after this many days:" +msgstr "Sjálfkrafa fyrna færslu eftir hvað marga daga:" + +#: mod/settings.php:1155 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Tómar færslur renna ekki út. Útrunnum færslum er eytt" + +#: mod/settings.php:1156 +msgid "Advanced expiration settings" +msgstr "Ítarlegar stillingar fyrningatíma" + +#: mod/settings.php:1157 +msgid "Advanced Expiration" +msgstr "Flókin fyrning" + +#: mod/settings.php:1158 +msgid "Expire posts:" +msgstr "Fyrna færslur:" + +#: mod/settings.php:1159 +msgid "Expire personal notes:" +msgstr "Fyrna einka glósur:" + +#: mod/settings.php:1160 +msgid "Expire starred posts:" +msgstr "Fyrna stjörnumerktar færslur:" + +#: mod/settings.php:1161 +msgid "Expire photos:" +msgstr "Fyrna myndum:" + +#: mod/settings.php:1162 +msgid "Only expire posts by others:" +msgstr "" + +#: mod/settings.php:1192 +msgid "Account Settings" +msgstr "Stillingar aðgangs" + +#: mod/settings.php:1200 +msgid "Password Settings" +msgstr "Stillingar aðgangsorða" + +#: mod/settings.php:1202 +msgid "Leave password fields blank unless changing" +msgstr "Hafðu aðgangsorða svæði tóm nema þegar verið er að breyta" + +#: mod/settings.php:1203 +msgid "Current Password:" +msgstr "Núverandi lykilorð:" + +#: mod/settings.php:1203 mod/settings.php:1204 +msgid "Your current password to confirm the changes" +msgstr "" + +#: mod/settings.php:1204 +msgid "Password:" +msgstr "Lykilorð:" + +#: mod/settings.php:1208 +msgid "Basic Settings" +msgstr "Grunnstillingar" + +#: mod/settings.php:1209 src/Model/Profile.php:738 +msgid "Full Name:" +msgstr "Fullt nafn:" + +#: mod/settings.php:1210 +msgid "Email Address:" +msgstr "Póstfang:" + +#: mod/settings.php:1211 +msgid "Your Timezone:" +msgstr "Þitt tímabelti:" + +#: mod/settings.php:1212 +msgid "Your Language:" +msgstr "Tungumálið þitt:" + +#: mod/settings.php:1212 +msgid "" +"Set the language we use to show you friendica interface and to send you " +"emails" +msgstr "" + +#: mod/settings.php:1213 +msgid "Default Post Location:" +msgstr "Sjálfgefin staðsetning færslu:" + +#: mod/settings.php:1214 +msgid "Use Browser Location:" +msgstr "Nota vafra staðsetningu:" + +#: mod/settings.php:1217 +msgid "Security and Privacy Settings" +msgstr "Öryggis og friðhelgistillingar" + +#: mod/settings.php:1219 +msgid "Maximum Friend Requests/Day:" +msgstr "Hámarks vinabeiðnir á dag:" + +#: mod/settings.php:1219 mod/settings.php:1248 +msgid "(to prevent spam abuse)" +msgstr "(til að koma í veg fyrir rusl misnotkun)" + +#: mod/settings.php:1220 +msgid "Default Post Permissions" +msgstr "Sjálfgefnar aðgangstýring á færslum" + +#: mod/settings.php:1221 +msgid "(click to open/close)" +msgstr "(ýttu á til að opna/loka)" + +#: mod/settings.php:1231 +msgid "Default Private Post" +msgstr "" + +#: mod/settings.php:1232 +msgid "Default Public Post" +msgstr "" + +#: mod/settings.php:1236 +msgid "Default Permissions for New Posts" +msgstr "" + +#: mod/settings.php:1248 +msgid "Maximum private messages per day from unknown people:" +msgstr "" + +#: mod/settings.php:1251 +msgid "Notification Settings" +msgstr "Stillingar á tilkynningum" + +#: mod/settings.php:1252 +msgid "By default post a status message when:" +msgstr "" + +#: mod/settings.php:1253 +msgid "accepting a friend request" +msgstr "samþykki vinabeiðni" + +#: mod/settings.php:1254 +msgid "joining a forum/community" +msgstr "ganga til liðs við hóp/samfélag" + +#: mod/settings.php:1255 +msgid "making an interesting profile change" +msgstr "" + +#: mod/settings.php:1256 +msgid "Send a notification email when:" +msgstr "Senda tilkynninga tölvupóst þegar:" + +#: mod/settings.php:1257 +msgid "You receive an introduction" +msgstr "Þú færð kynningu" + +#: mod/settings.php:1258 +msgid "Your introductions are confirmed" +msgstr "Kynningarnar þínar eru samþykktar" + +#: mod/settings.php:1259 +msgid "Someone writes on your profile wall" +msgstr "Einhver skrifar á vegginn þínn" + +#: mod/settings.php:1260 +msgid "Someone writes a followup comment" +msgstr "Einhver skrifar athugasemd á færslu hjá þér" + +#: mod/settings.php:1261 +msgid "You receive a private message" +msgstr "Þú færð einkaskilaboð" + +#: mod/settings.php:1262 +msgid "You receive a friend suggestion" +msgstr "Þér hefur borist vina uppástunga" + +#: mod/settings.php:1263 +msgid "You are tagged in a post" +msgstr "Þú varst merkt(ur) í færslu" + +#: mod/settings.php:1264 +msgid "You are poked/prodded/etc. in a post" +msgstr "" + +#: mod/settings.php:1266 +msgid "Activate desktop notifications" +msgstr "" + +#: mod/settings.php:1266 +msgid "Show desktop popup on new notifications" +msgstr "" + +#: mod/settings.php:1268 +msgid "Text-only notification emails" +msgstr "" + +#: mod/settings.php:1270 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: mod/settings.php:1272 +msgid "Show detailled notifications" +msgstr "" + +#: mod/settings.php:1274 +msgid "" +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "" + +#: mod/settings.php:1276 +msgid "Advanced Account/Page Type Settings" +msgstr "" + +#: mod/settings.php:1277 +msgid "Change the behaviour of this account for special situations" +msgstr "" + +#: mod/settings.php:1280 +msgid "Relocate" +msgstr "" + +#: mod/settings.php:1281 +msgid "" +"If you have moved this profile from another server, and some of your " +"contacts don't receive your updates, try pushing this button." +msgstr "" + +#: mod/settings.php:1282 +msgid "Resend relocate message to contacts" +msgstr "" + +#: src/Core/UserImport.php:104 +msgid "Error decoding account file" +msgstr "" + +#: src/Core/UserImport.php:110 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "" + +#: src/Core/UserImport.php:118 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "" + +#: src/Core/UserImport.php:151 +msgid "User creation error" +msgstr "" + +#: src/Core/UserImport.php:169 +msgid "User profile creation error" +msgstr "" + +#: src/Core/UserImport.php:213 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" msgstr[0] "" msgstr[1] "" -#: mod/contacts.php:159 mod/contacts.php:368 -msgid "Could not access contact record." -msgstr "Tókst ekki að ná í uppl. um tengilið" - -#: mod/contacts.php:173 -msgid "Could not locate selected profile." -msgstr "Tókst ekki að staðsetja valinn forsíðu" - -#: mod/contacts.php:206 -msgid "Contact updated." -msgstr "Tengiliður uppfærður" - -#: mod/contacts.php:208 mod/dfrn_request.php:583 -msgid "Failed to update contact record." -msgstr "Ekki tókst að uppfæra tengiliðs skrá." - -#: mod/contacts.php:389 -msgid "Contact has been blocked" -msgstr "Lokað á tengilið" - -#: mod/contacts.php:389 -msgid "Contact has been unblocked" -msgstr "Opnað á tengilið" - -#: mod/contacts.php:400 -msgid "Contact has been ignored" -msgstr "Tengiliður hunsaður" - -#: mod/contacts.php:400 -msgid "Contact has been unignored" -msgstr "Tengiliður afhunsaður" - -#: mod/contacts.php:412 -msgid "Contact has been archived" -msgstr "Tengiliður settur í geymslu" - -#: mod/contacts.php:412 -msgid "Contact has been unarchived" -msgstr "Tengiliður tekinn úr geymslu" - -#: mod/contacts.php:437 -msgid "Drop contact" +#: src/Core/UserImport.php:278 +msgid "Done. You can now login with your username and password" msgstr "" -#: mod/contacts.php:440 mod/contacts.php:801 -msgid "Do you really want to delete this contact?" -msgstr "Viltu í alvörunni eyða þessum tengilið?" +#: src/Core/NotificationsManager.php:171 +msgid "System" +msgstr "Kerfi" -#: mod/contacts.php:457 -msgid "Contact has been removed." -msgstr "Tengiliður fjarlægður" +#: src/Core/NotificationsManager.php:192 src/Content/Nav.php:124 +#: src/Content/Nav.php:181 +msgid "Home" +msgstr "Heim" -#: mod/contacts.php:498 +#: src/Core/NotificationsManager.php:199 src/Content/Nav.php:186 +msgid "Introductions" +msgstr "Kynningar" + +#: src/Core/NotificationsManager.php:256 src/Core/NotificationsManager.php:268 #, php-format -msgid "You are mutual friends with %s" -msgstr "Þú ert gagnkvæmur vinur %s" +msgid "%s commented on %s's post" +msgstr "%s athugasemd við %s's færslu" -#: mod/contacts.php:502 +#: src/Core/NotificationsManager.php:267 #, php-format -msgid "You are sharing with %s" -msgstr "Þú ert að deila með %s" +msgid "%s created a new post" +msgstr "%s bjó til færslu" -#: mod/contacts.php:507 +#: src/Core/NotificationsManager.php:281 #, php-format -msgid "%s is sharing with you" -msgstr "%s er að deila með þér" +msgid "%s liked %s's post" +msgstr "%s líkaði færsla hjá %s" -#: mod/contacts.php:527 -msgid "Private communications are not available for this contact." -msgstr "Einkasamtal ekki í boði fyrir þennan" - -#: mod/contacts.php:534 -msgid "(Update was successful)" -msgstr "(uppfærsla tókst)" - -#: mod/contacts.php:534 -msgid "(Update was not successful)" -msgstr "(uppfærsla tókst ekki)" - -#: mod/contacts.php:536 mod/contacts.php:964 -msgid "Suggest friends" -msgstr "Stinga uppá vinum" - -#: mod/contacts.php:540 +#: src/Core/NotificationsManager.php:294 #, php-format -msgid "Network type: %s" -msgstr "Net tegund: %s" +msgid "%s disliked %s's post" +msgstr "%s mislíkaði færsla hjá %s" -#: mod/contacts.php:553 -msgid "Communications lost with this contact!" -msgstr "" - -#: mod/contacts.php:556 -msgid "Fetch further information for feeds" -msgstr "Ná í ítarlegri upplýsingar um fréttaveitur" - -#: mod/contacts.php:557 -msgid "Fetch information" -msgstr "" - -#: mod/contacts.php:557 -msgid "Fetch information and keywords" -msgstr "" - -#: mod/contacts.php:575 -msgid "Contact" -msgstr "" - -#: mod/contacts.php:578 -msgid "Profile Visibility" -msgstr "Forsíðu sjáanleiki" - -#: mod/contacts.php:579 +#: src/Core/NotificationsManager.php:307 #, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Veldu forsíðu sem á að birtast %s þegar hann skoðaður með öruggum hætti" - -#: mod/contacts.php:580 -msgid "Contact Information / Notes" -msgstr "Uppl. um tengilið / minnisatriði" - -#: mod/contacts.php:581 -msgid "Edit contact notes" -msgstr "Breyta minnispunktum tengiliðs " - -#: mod/contacts.php:587 -msgid "Block/Unblock contact" -msgstr "útiloka/opna á tengilið" - -#: mod/contacts.php:588 -msgid "Ignore contact" -msgstr "Hunsa tengilið" - -#: mod/contacts.php:589 -msgid "Repair URL settings" -msgstr "Gera við stillingar á slóðum" - -#: mod/contacts.php:590 -msgid "View conversations" -msgstr "Skoða samtöl" - -#: mod/contacts.php:596 -msgid "Last update:" -msgstr "Síðasta uppfærsla:" - -#: mod/contacts.php:598 -msgid "Update public posts" -msgstr "Uppfæra opinberar færslur" - -#: mod/contacts.php:600 mod/contacts.php:974 -msgid "Update now" -msgstr "Uppfæra núna" - -#: mod/contacts.php:606 mod/contacts.php:806 mod/contacts.php:991 -msgid "Unignore" -msgstr "Byrja að fylgjast með á ný" - -#: mod/contacts.php:610 -msgid "Currently blocked" -msgstr "Útilokaður sem stendur" - -#: mod/contacts.php:611 -msgid "Currently ignored" -msgstr "Hunsaður sem stendur" - -#: mod/contacts.php:612 -msgid "Currently archived" -msgstr "Í geymslu" - -#: mod/contacts.php:613 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Svör eða \"líkar við\" á opinberar færslur þínar geta mögulega verið sýnileg öðrum" - -#: mod/contacts.php:614 -msgid "Notification for new posts" +msgid "%s is attending %s's event" msgstr "" -#: mod/contacts.php:614 -msgid "Send a notification of every new post of this contact" -msgstr "" - -#: mod/contacts.php:617 -msgid "Blacklisted keywords" -msgstr "" - -#: mod/contacts.php:617 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "" - -#: mod/contacts.php:635 -msgid "Actions" -msgstr "" - -#: mod/contacts.php:638 -msgid "Contact Settings" -msgstr "" - -#: mod/contacts.php:684 -msgid "Suggestions" -msgstr "Uppástungur" - -#: mod/contacts.php:687 -msgid "Suggest potential friends" -msgstr "" - -#: mod/contacts.php:695 -msgid "Show all contacts" -msgstr "Sýna alla tengiliði" - -#: mod/contacts.php:700 -msgid "Unblocked" -msgstr "Afhunsað" - -#: mod/contacts.php:703 -msgid "Only show unblocked contacts" -msgstr "" - -#: mod/contacts.php:709 -msgid "Blocked" -msgstr "Banna" - -#: mod/contacts.php:712 -msgid "Only show blocked contacts" -msgstr "" - -#: mod/contacts.php:718 -msgid "Ignored" -msgstr "Hunsa" - -#: mod/contacts.php:721 -msgid "Only show ignored contacts" -msgstr "" - -#: mod/contacts.php:727 -msgid "Archived" -msgstr "Í geymslu" - -#: mod/contacts.php:730 -msgid "Only show archived contacts" -msgstr "Aðeins sýna geymda tengiliði" - -#: mod/contacts.php:736 -msgid "Hidden" -msgstr "Falinn" - -#: mod/contacts.php:739 -msgid "Only show hidden contacts" -msgstr "Aðeins sýna falda tengiliði" - -#: mod/contacts.php:796 -msgid "Search your contacts" -msgstr "Leita í þínum vinum" - -#: mod/contacts.php:807 mod/contacts.php:999 -msgid "Archive" -msgstr "Setja í geymslu" - -#: mod/contacts.php:807 mod/contacts.php:999 -msgid "Unarchive" -msgstr "Taka úr geymslu" - -#: mod/contacts.php:810 -msgid "Batch Actions" -msgstr "" - -#: mod/contacts.php:856 -msgid "View all contacts" -msgstr "Skoða alla tengiliði" - -#: mod/contacts.php:866 -msgid "View all common friends" -msgstr "" - -#: mod/contacts.php:873 -msgid "Advanced Contact Settings" -msgstr "" - -#: mod/contacts.php:907 -msgid "Mutual Friendship" -msgstr "Sameiginlegur vinskapur" - -#: mod/contacts.php:911 -msgid "is a fan of yours" -msgstr "er fylgjandi þinn" - -#: mod/contacts.php:915 -msgid "you are a fan of" -msgstr "þú er fylgjandi" - -#: mod/contacts.php:985 -msgid "Toggle Blocked status" -msgstr "" - -#: mod/contacts.php:993 -msgid "Toggle Ignored status" -msgstr "" - -#: mod/contacts.php:1001 -msgid "Toggle Archive status" -msgstr "" - -#: mod/contacts.php:1009 -msgid "Delete contact" -msgstr "Eyða tengilið" - -#: mod/dfrn_confirm.php:127 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "" - -#: mod/dfrn_confirm.php:246 -msgid "Response from remote site was not understood." -msgstr "Ekki tókst að skilja svar frá ytri vef." - -#: mod/dfrn_confirm.php:255 mod/dfrn_confirm.php:260 -msgid "Unexpected response from remote site: " -msgstr "Óskiljanlegt svar frá ytri vef:" - -#: mod/dfrn_confirm.php:269 -msgid "Confirmation completed successfully." -msgstr "Staðfesting kláraði eðlilega." - -#: mod/dfrn_confirm.php:271 mod/dfrn_confirm.php:285 mod/dfrn_confirm.php:292 -msgid "Remote site reported: " -msgstr "Ytri vefur svaraði:" - -#: mod/dfrn_confirm.php:283 -msgid "Temporary failure. Please wait and try again." -msgstr "Tímabundin villa. Bíddu aðeins og reyndu svo aftur." - -#: mod/dfrn_confirm.php:290 -msgid "Introduction failed or was revoked." -msgstr "Kynning mistókst eða var afturkölluð." - -#: mod/dfrn_confirm.php:419 -msgid "Unable to set contact photo." -msgstr "Ekki tókst að setja tengiliðamynd." - -#: mod/dfrn_confirm.php:557 +#: src/Core/NotificationsManager.php:320 #, php-format -msgid "No user record found for '%s' " -msgstr "Engin notandafærsla fannst fyrir '%s'" - -#: mod/dfrn_confirm.php:567 -msgid "Our site encryption key is apparently messed up." -msgstr "Dulkóðunnar lykill síðunnar okker er í döðlu." - -#: mod/dfrn_confirm.php:578 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "Tómt slóð var uppgefin eða ekki okkur tókst ekki að afkóða slóð." - -#: mod/dfrn_confirm.php:599 -msgid "Contact record was not found for you on our site." -msgstr "Tengiliðafærslan þín fannst ekki á þjóninum okkar." - -#: mod/dfrn_confirm.php:613 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "Opinber lykill er ekki til í tengiliðafærslu fyrir slóð %s." - -#: mod/dfrn_confirm.php:633 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "Skilríkið sem þjónninn þinn gaf upp er þegar afritað á okkar þjón. Þetta ætti að virka ef þú bara reynir aftur." - -#: mod/dfrn_confirm.php:644 -msgid "Unable to set your contact credentials on our system." -msgstr "Ekki tókst að setja tengiliða skilríkið þitt upp á þjóninum okkar." - -#: mod/dfrn_confirm.php:703 -msgid "Unable to update your contact profile details on our system" -msgstr "Ekki tókst að uppfæra tengiliða skilríkis upplýsingarnar á okkar þjón" - -#: mod/dfrn_confirm.php:775 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s hefur gengið til liðs við %2$s" - -#: mod/dfrn_request.php:101 -msgid "This introduction has already been accepted." -msgstr "Þessi kynning hefur þegar verið samþykkt." - -#: mod/dfrn_request.php:124 mod/dfrn_request.php:520 -msgid "Profile location is not valid or does not contain profile information." -msgstr "Forsíðu slóð er ekki í lagi eða inniheldur ekki forsíðu upplýsingum." - -#: mod/dfrn_request.php:129 mod/dfrn_request.php:525 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Aðvörun: forsíðu staðsetning hefur ekki aðgreinanlegt eigendanafn." - -#: mod/dfrn_request.php:131 mod/dfrn_request.php:527 -msgid "Warning: profile location has no profile photo." -msgstr "Aðvörun: forsíðu slóð hefur ekki forsíðu mynd." - -#: mod/dfrn_request.php:134 mod/dfrn_request.php:530 -#, php-format -msgid "%d required parameter was not found at the given location" -msgid_plural "%d required parameters were not found at the given location" -msgstr[0] "%d skilyrt breyta fannst ekki á uppgefinni staðsetningu" -msgstr[1] "%d skilyrtar breytur fundust ekki á uppgefninni staðsetningu" - -#: mod/dfrn_request.php:180 -msgid "Introduction complete." -msgstr "Kynning tilbúinn." - -#: mod/dfrn_request.php:222 -msgid "Unrecoverable protocol error." -msgstr "Alvarleg samskipta villa." - -#: mod/dfrn_request.php:250 -msgid "Profile unavailable." -msgstr "Ekki hægt að sækja forsíðu" - -#: mod/dfrn_request.php:277 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s hefur fengið of margar tengibeiðnir í dag." - -#: mod/dfrn_request.php:278 -msgid "Spam protection measures have been invoked." -msgstr "Kveikt hefur verið á ruslsíu" - -#: mod/dfrn_request.php:279 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Vinir eru beðnir um að reyna aftur eftir 24 klukkustundir." - -#: mod/dfrn_request.php:341 -msgid "Invalid locator" -msgstr "Ógild staðsetning" - -#: mod/dfrn_request.php:350 -msgid "Invalid email address." -msgstr "Ógilt póstfang." - -#: mod/dfrn_request.php:375 -msgid "This account has not been configured for email. Request failed." +msgid "%s is not attending %s's event" msgstr "" -#: mod/dfrn_request.php:478 -msgid "You have already introduced yourself here." -msgstr "Kynning hefur þegar átt sér stað hér." - -#: mod/dfrn_request.php:482 +#: src/Core/NotificationsManager.php:333 #, php-format -msgid "Apparently you are already friends with %s." -msgstr "Þú ert þegar vinur %s." - -#: mod/dfrn_request.php:503 -msgid "Invalid profile URL." -msgstr "Ógild forsíðu slóð." - -#: mod/dfrn_request.php:604 -msgid "Your introduction has been sent." -msgstr "Kynningin þín hefur verið send." - -#: mod/dfrn_request.php:644 -msgid "" -"Remote subscription can't be done for your network. Please subscribe " -"directly on your system." +msgid "%s may attend %s's event" msgstr "" -#: mod/dfrn_request.php:664 -msgid "Please login to confirm introduction." -msgstr "Skráðu þig inn til að staðfesta kynningu." - -#: mod/dfrn_request.php:674 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Ekki réttur notandi skráður inn. Skráðu þig inn sem þessi notandi." - -#: mod/dfrn_request.php:688 mod/dfrn_request.php:705 -msgid "Confirm" -msgstr "Staðfesta" - -#: mod/dfrn_request.php:700 -msgid "Hide this contact" -msgstr "Fela þennan tengilið" - -#: mod/dfrn_request.php:703 +#: src/Core/NotificationsManager.php:350 #, php-format -msgid "Welcome home %s." -msgstr "Velkomin(n) heim %s." +msgid "%s is now friends with %s" +msgstr "%s er nú vinur %s" -#: mod/dfrn_request.php:704 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Staðfestu kynninguna/tengibeiðnina við %s." +#: src/Core/NotificationsManager.php:825 +msgid "Friend Suggestion" +msgstr "Vina tillaga" -#: mod/dfrn_request.php:833 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Settu inn 'Auðkennisnetfang' þitt úr einhverjum af eftirfarandi samskiptanetum:" - -#: mod/dfrn_request.php:854 -#, php-format -msgid "" -"If you are not yet a member of the free social web, follow this link to find a public Friendica site and " -"join us today." -msgstr "" - -#: mod/dfrn_request.php:859 -msgid "Friend/Connection Request" +#: src/Core/NotificationsManager.php:851 +msgid "Friend/Connect Request" msgstr "Vinabeiðni/Tengibeiðni" -#: mod/dfrn_request.php:860 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Dæmi: siggi@demo.friendica.com, http://demo.friendica.com/profile/siggi, prufunotandi@identi.ca" +#: src/Core/NotificationsManager.php:851 +msgid "New Follower" +msgstr "Nýr fylgjandi" -#: mod/dfrn_request.php:861 mod/follow.php:109 -msgid "Please answer the following:" -msgstr "Vinnsamlegast svaraðu eftirfarandi:" +#: src/Core/ACL.php:295 +msgid "Post to Email" +msgstr "Senda skilaboð á tölvupóst" -#: mod/dfrn_request.php:862 mod/follow.php:110 +#: src/Core/ACL.php:301 +msgid "Hide your profile details from unknown viewers?" +msgstr "Fela forsíðuupplýsingar fyrir óþekktum?" + +#: src/Core/ACL.php:300 #, php-format -msgid "Does %s know you?" -msgstr "Þekkir %s þig?" +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "" -#: mod/dfrn_request.php:866 mod/follow.php:111 -msgid "Add a personal note:" -msgstr "Bæta við persónulegri athugasemd" +#: src/Core/ACL.php:307 +msgid "Visible to everybody" +msgstr "Sjáanlegt öllum" -#: mod/dfrn_request.php:869 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/Federated Social Web" +#: src/Core/ACL.php:308 view/theme/vier/config.php:115 +msgid "show" +msgstr "sýna" -#: mod/dfrn_request.php:871 +#: src/Core/ACL.php:309 view/theme/vier/config.php:115 +msgid "don't show" +msgstr "fela" + +#: src/Core/ACL.php:319 +msgid "Close" +msgstr "Loka" + +#: src/Util/Temporal.php:147 src/Model/Profile.php:758 +msgid "Birthday:" +msgstr "Afmælisdagur:" + +#: src/Util/Temporal.php:151 +msgid "YYYY-MM-DD or MM-DD" +msgstr "ÁÁÁÁ-MM-DD eða MM-DD" + +#: src/Util/Temporal.php:294 +msgid "never" +msgstr "aldrei" + +#: src/Util/Temporal.php:300 +msgid "less than a second ago" +msgstr "fyrir minna en sekúndu" + +#: src/Util/Temporal.php:303 +msgid "year" +msgstr "ár" + +#: src/Util/Temporal.php:303 +msgid "years" +msgstr "ár" + +#: src/Util/Temporal.php:304 +msgid "months" +msgstr "mánuðir" + +#: src/Util/Temporal.php:305 +msgid "weeks" +msgstr "vikur" + +#: src/Util/Temporal.php:306 +msgid "days" +msgstr "dagar" + +#: src/Util/Temporal.php:307 +msgid "hour" +msgstr "klukkustund" + +#: src/Util/Temporal.php:307 +msgid "hours" +msgstr "klukkustundir" + +#: src/Util/Temporal.php:308 +msgid "minute" +msgstr "mínúta" + +#: src/Util/Temporal.php:308 +msgid "minutes" +msgstr "mínútur" + +#: src/Util/Temporal.php:309 +msgid "second" +msgstr "sekúnda" + +#: src/Util/Temporal.php:309 +msgid "seconds" +msgstr "sekúndur" + +#: src/Util/Temporal.php:318 +#, php-format +msgid "%1$d %2$s ago" +msgstr "Fyrir %1$d %2$s síðan" + +#: src/Content/Text/BBCode.php:555 +msgid "view full size" +msgstr "Skoða í fullri stærð" + +#: src/Content/Text/BBCode.php:981 src/Content/Text/BBCode.php:1750 +#: src/Content/Text/BBCode.php:1751 +msgid "Image/photo" +msgstr "Mynd" + +#: src/Content/Text/BBCode.php:1119 +#, php-format +msgid "%2$s %3$s" +msgstr "%2$s %3$s" + +#: src/Content/Text/BBCode.php:1677 src/Content/Text/BBCode.php:1699 +msgid "$1 wrote:" +msgstr "$1 skrifaði:" + +#: src/Content/Text/BBCode.php:1759 src/Content/Text/BBCode.php:1760 +msgid "Encrypted content" +msgstr "Dulritað efni" + +#: src/Content/Text/BBCode.php:1879 +msgid "Invalid source protocol" +msgstr "" + +#: src/Content/Text/BBCode.php:1890 +msgid "Invalid link protocol" +msgstr "" + +#: src/Content/ForumManager.php:127 view/theme/vier/theme.php:256 +msgid "External link to forum" +msgstr "Ytri tengill á spjallsvæði" + +#: src/Content/Nav.php:53 +msgid "Nothing new here" +msgstr "Ekkert nýtt hér" + +#: src/Content/Nav.php:57 +msgid "Clear notifications" +msgstr "Hreinsa tilkynningar" + +#: src/Content/Nav.php:97 src/Module/Login.php:311 +#: view/theme/frio/theme.php:256 +msgid "Logout" +msgstr "Útskráning" + +#: src/Content/Nav.php:97 view/theme/frio/theme.php:256 +msgid "End this session" +msgstr "Loka þessu innliti" + +#: src/Content/Nav.php:100 src/Content/Nav.php:181 +#: view/theme/frio/theme.php:259 +msgid "Your posts and conversations" +msgstr "Samtölin þín" + +#: src/Content/Nav.php:101 view/theme/frio/theme.php:260 +msgid "Your profile page" +msgstr "Forsíðan þín" + +#: src/Content/Nav.php:102 view/theme/frio/theme.php:261 +msgid "Your photos" +msgstr "Myndirnar þínar" + +#: src/Content/Nav.php:103 src/Model/Profile.php:912 src/Model/Profile.php:915 +#: view/theme/frio/theme.php:262 +msgid "Videos" +msgstr "Myndskeið" + +#: src/Content/Nav.php:103 view/theme/frio/theme.php:262 +msgid "Your videos" +msgstr "Myndskeiðin þín" + +#: src/Content/Nav.php:104 view/theme/frio/theme.php:263 +msgid "Your events" +msgstr "Atburðirnir þínir" + +#: src/Content/Nav.php:105 +msgid "Personal notes" +msgstr "Einkaglósur" + +#: src/Content/Nav.php:105 +msgid "Your personal notes" +msgstr "Einkaglósurnar þínar" + +#: src/Content/Nav.php:114 +msgid "Sign in" +msgstr "Innskrá" + +#: src/Content/Nav.php:124 +msgid "Home Page" +msgstr "Heimasíða" + +#: src/Content/Nav.php:128 +msgid "Create an account" +msgstr "Stofna notanda" + +#: src/Content/Nav.php:134 +msgid "Help and documentation" +msgstr "Hjálp og leiðbeiningar" + +#: src/Content/Nav.php:138 +msgid "Apps" +msgstr "Forrit" + +#: src/Content/Nav.php:138 +msgid "Addon applications, utilities, games" +msgstr "Viðbótarforrit, nytjatól, leikir" + +#: src/Content/Nav.php:142 +msgid "Search site content" +msgstr "Leita í efni á vef" + +#: src/Content/Nav.php:165 +msgid "Community" +msgstr "Samfélag" + +#: src/Content/Nav.php:165 +msgid "Conversations on this and other servers" +msgstr "" + +#: src/Content/Nav.php:169 src/Model/Profile.php:927 src/Model/Profile.php:938 +#: view/theme/frio/theme.php:267 +msgid "Events and Calendar" +msgstr "Atburðir og dagskrá" + +#: src/Content/Nav.php:172 +msgid "Directory" +msgstr "Mappa" + +#: src/Content/Nav.php:172 +msgid "People directory" +msgstr "Nafnaskrá" + +#: src/Content/Nav.php:174 +msgid "Information about this friendica instance" +msgstr "Upplýsingar um þetta tilvik Friendica" + +#: src/Content/Nav.php:178 view/theme/frio/theme.php:266 +msgid "Conversations from your friends" +msgstr "Samtöl frá vinum" + +#: src/Content/Nav.php:179 +msgid "Network Reset" +msgstr "Núllstilling netkerfis" + +#: src/Content/Nav.php:179 +msgid "Load Network page with no filters" +msgstr "" + +#: src/Content/Nav.php:186 +msgid "Friend Requests" +msgstr "Vinabeiðnir" + +#: src/Content/Nav.php:190 +msgid "See all notifications" +msgstr "Sjá allar tilkynningar" + +#: src/Content/Nav.php:191 +msgid "Mark all system notifications seen" +msgstr "Merkja allar tilkynningar sem séðar" + +#: src/Content/Nav.php:195 view/theme/frio/theme.php:268 +msgid "Private mail" +msgstr "Einka skilaboð" + +#: src/Content/Nav.php:196 +msgid "Inbox" +msgstr "Innhólf" + +#: src/Content/Nav.php:197 +msgid "Outbox" +msgstr "Úthólf" + +#: src/Content/Nav.php:201 +msgid "Manage" +msgstr "Umsýsla" + +#: src/Content/Nav.php:201 +msgid "Manage other pages" +msgstr "Sýsla með aðrar síður" + +#: src/Content/Nav.php:206 view/theme/frio/theme.php:269 +msgid "Account settings" +msgstr "Stillingar aðgangsreiknings" + +#: src/Content/Nav.php:209 src/Model/Profile.php:372 +msgid "Profiles" +msgstr "Forsíður" + +#: src/Content/Nav.php:209 +msgid "Manage/Edit Profiles" +msgstr "Sýsla með forsíður" + +#: src/Content/Nav.php:212 view/theme/frio/theme.php:270 +msgid "Manage/edit friends and contacts" +msgstr "Sýsla með vini og tengiliði" + +#: src/Content/Nav.php:217 +msgid "Site setup and configuration" +msgstr "Uppsetning og stillingar vefsvæðis" + +#: src/Content/Nav.php:220 +msgid "Navigation" +msgstr "Yfirsýn" + +#: src/Content/Nav.php:220 +msgid "Site map" +msgstr "Yfirlit um vefsvæði" + +#: src/Content/OEmbed.php:253 +msgid "Embedding disabled" +msgstr "Innfelling ekki leyfð" + +#: src/Content/OEmbed.php:373 +msgid "Embedded content" +msgstr "Innbyggt efni" + +#: src/Content/Widget/CalendarExport.php:61 +msgid "Export" +msgstr "Flytja út" + +#: src/Content/Widget/CalendarExport.php:62 +msgid "Export calendar as ical" +msgstr "Flytja dagatal út sem ICAL" + +#: src/Content/Widget/CalendarExport.php:63 +msgid "Export calendar as csv" +msgstr "Flytja dagatal út sem CSV" + +#: src/Content/Feature.php:79 +msgid "General Features" +msgstr "Almennir eiginleikar" + +#: src/Content/Feature.php:81 +msgid "Multiple Profiles" +msgstr "" + +#: src/Content/Feature.php:81 +msgid "Ability to create multiple profiles" +msgstr "" + +#: src/Content/Feature.php:82 +msgid "Photo Location" +msgstr "Staðsetning ljósmyndar" + +#: src/Content/Feature.php:82 +msgid "" +"Photo metadata is normally stripped. This extracts the location (if present)" +" prior to stripping metadata and links it to a map." +msgstr "" + +#: src/Content/Feature.php:83 +msgid "Export Public Calendar" +msgstr "Flytja út opinbert dagatal" + +#: src/Content/Feature.php:83 +msgid "Ability for visitors to download the public calendar" +msgstr "" + +#: src/Content/Feature.php:88 +msgid "Post Composition Features" +msgstr "" + +#: src/Content/Feature.php:89 +msgid "Post Preview" +msgstr "" + +#: src/Content/Feature.php:89 +msgid "Allow previewing posts and comments before publishing them" +msgstr "" + +#: src/Content/Feature.php:90 +msgid "Auto-mention Forums" +msgstr "" + +#: src/Content/Feature.php:90 +msgid "" +"Add/remove mention when a forum page is selected/deselected in ACL window." +msgstr "" + +#: src/Content/Feature.php:95 +msgid "Network Sidebar Widgets" +msgstr "" + +#: src/Content/Feature.php:96 +msgid "Search by Date" +msgstr "Leita eftir dagsetningu" + +#: src/Content/Feature.php:96 +msgid "Ability to select posts by date ranges" +msgstr "" + +#: src/Content/Feature.php:97 src/Content/Feature.php:127 +msgid "List Forums" +msgstr "Spjallsvæðalistar" + +#: src/Content/Feature.php:97 +msgid "Enable widget to display the forums your are connected with" +msgstr "" + +#: src/Content/Feature.php:98 +msgid "Group Filter" +msgstr "" + +#: src/Content/Feature.php:98 +msgid "Enable widget to display Network posts only from selected group" +msgstr "" + +#: src/Content/Feature.php:99 +msgid "Network Filter" +msgstr "" + +#: src/Content/Feature.php:99 +msgid "Enable widget to display Network posts only from selected network" +msgstr "" + +#: src/Content/Feature.php:100 +msgid "Save search terms for re-use" +msgstr "" + +#: src/Content/Feature.php:105 +msgid "Network Tabs" +msgstr "" + +#: src/Content/Feature.php:106 +msgid "Network Personal Tab" +msgstr "" + +#: src/Content/Feature.php:106 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "" + +#: src/Content/Feature.php:107 +msgid "Network New Tab" +msgstr "" + +#: src/Content/Feature.php:107 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "" + +#: src/Content/Feature.php:108 +msgid "Network Shared Links Tab" +msgstr "" + +#: src/Content/Feature.php:108 +msgid "Enable tab to display only Network posts with links in them" +msgstr "" + +#: src/Content/Feature.php:113 +msgid "Post/Comment Tools" +msgstr "" + +#: src/Content/Feature.php:114 +msgid "Multiple Deletion" +msgstr "" + +#: src/Content/Feature.php:114 +msgid "Select and delete multiple posts/comments at once" +msgstr "" + +#: src/Content/Feature.php:115 +msgid "Edit Sent Posts" +msgstr "" + +#: src/Content/Feature.php:115 +msgid "Edit and correct posts and comments after sending" +msgstr "" + +#: src/Content/Feature.php:116 +msgid "Tagging" +msgstr "" + +#: src/Content/Feature.php:116 +msgid "Ability to tag existing posts" +msgstr "" + +#: src/Content/Feature.php:117 +msgid "Post Categories" +msgstr "" + +#: src/Content/Feature.php:117 +msgid "Add categories to your posts" +msgstr "" + +#: src/Content/Feature.php:118 src/Content/Widget.php:200 +msgid "Saved Folders" +msgstr "Vistaðar möppur" + +#: src/Content/Feature.php:118 +msgid "Ability to file posts under folders" +msgstr "" + +#: src/Content/Feature.php:119 +msgid "Dislike Posts" +msgstr "" + +#: src/Content/Feature.php:119 +msgid "Ability to dislike posts/comments" +msgstr "" + +#: src/Content/Feature.php:120 +msgid "Star Posts" +msgstr "" + +#: src/Content/Feature.php:120 +msgid "Ability to mark special posts with a star indicator" +msgstr "" + +#: src/Content/Feature.php:121 +msgid "Mute Post Notifications" +msgstr "" + +#: src/Content/Feature.php:121 +msgid "Ability to mute notifications for a thread" +msgstr "" + +#: src/Content/Feature.php:126 +msgid "Advanced Profile Settings" +msgstr "" + +#: src/Content/Feature.php:127 +msgid "Show visitors public community forums at the Advanced Profile Page" +msgstr "" + +#: src/Content/Feature.php:128 +msgid "Tag Cloud" +msgstr "" + +#: src/Content/Feature.php:128 +msgid "Provide a personal tag cloud on your profile page" +msgstr "" + +#: src/Content/Feature.php:129 +msgid "Display Membership Date" +msgstr "" + +#: src/Content/Feature.php:129 +msgid "Display membership date in profile" +msgstr "" + +#: src/Content/Widget.php:33 +msgid "Add New Contact" +msgstr "Bæta við tengilið" + +#: src/Content/Widget.php:34 +msgid "Enter address or web location" +msgstr "Settu inn slóð" + +#: src/Content/Widget.php:35 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Dæmi: gudmundur@simnet.is, http://simnet.is/gudmundur" + +#: src/Content/Widget.php:53 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d boðskort í boði" +msgstr[1] "%d boðskort í boði" + +#: src/Content/Widget.php:59 +msgid "Find People" +msgstr "Finna fólk" + +#: src/Content/Widget.php:60 +msgid "Enter name or interest" +msgstr "Settu inn nafn eða áhugamál" + +#: src/Content/Widget.php:62 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Dæmi: Jón Jónsson, Veiði" + +#: src/Content/Widget.php:65 view/theme/vier/theme.php:202 +msgid "Similar Interests" +msgstr "Svipuð áhugamál" + +#: src/Content/Widget.php:66 +msgid "Random Profile" +msgstr "" + +#: src/Content/Widget.php:67 view/theme/vier/theme.php:204 +msgid "Invite Friends" +msgstr "Bjóða vinum aðgang" + +#: src/Content/Widget.php:68 +msgid "View Global Directory" +msgstr "" + +#: src/Content/Widget.php:159 +msgid "Networks" +msgstr "Net" + +#: src/Content/Widget.php:162 +msgid "All Networks" +msgstr "Öll net" + +#: src/Content/Widget.php:203 src/Content/Widget.php:243 +msgid "Everything" +msgstr "Allt" + +#: src/Content/Widget.php:240 +msgid "Categories" +msgstr "Flokkar" + +#: src/Content/Widget.php:307 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d tengiliður sameiginlegur" +msgstr[1] "%d tengiliðir sameiginlegir" + +#: src/Content/ContactSelector.php:55 +msgid "Frequently" +msgstr "Oft" + +#: src/Content/ContactSelector.php:56 +msgid "Hourly" +msgstr "Á klukkustundar fresti" + +#: src/Content/ContactSelector.php:57 +msgid "Twice daily" +msgstr "Tvisvar á dag" + +#: src/Content/ContactSelector.php:58 +msgid "Daily" +msgstr "Daglega" + +#: src/Content/ContactSelector.php:59 +msgid "Weekly" +msgstr "Vikulega" + +#: src/Content/ContactSelector.php:60 +msgid "Monthly" +msgstr "Mánaðarlega" + +#: src/Content/ContactSelector.php:80 +msgid "OStatus" +msgstr "" + +#: src/Content/ContactSelector.php:81 +msgid "RSS/Atom" +msgstr "RSS / Atom" + +#: src/Content/ContactSelector.php:84 +msgid "Facebook" +msgstr "Facebook" + +#: src/Content/ContactSelector.php:85 +msgid "Zot!" +msgstr "Zot!" + +#: src/Content/ContactSelector.php:86 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: src/Content/ContactSelector.php:87 +msgid "XMPP/IM" +msgstr "XMPP/IM" + +#: src/Content/ContactSelector.php:88 +msgid "MySpace" +msgstr "MySpace" + +#: src/Content/ContactSelector.php:89 +msgid "Google+" +msgstr "Google+" + +#: src/Content/ContactSelector.php:90 +msgid "pump.io" +msgstr "pump.io" + +#: src/Content/ContactSelector.php:91 +msgid "Twitter" +msgstr "Twitter" + +#: src/Content/ContactSelector.php:92 +msgid "Diaspora Connector" +msgstr "Diaspora tenging" + +#: src/Content/ContactSelector.php:93 +msgid "GNU Social Connector" +msgstr "GNU Social tenging" + +#: src/Content/ContactSelector.php:94 +msgid "pnut" +msgstr "pnut" + +#: src/Content/ContactSelector.php:95 +msgid "App.net" +msgstr "App.net" + +#: src/Content/ContactSelector.php:125 +msgid "Male" +msgstr "Karl" + +#: src/Content/ContactSelector.php:125 +msgid "Female" +msgstr "Kona" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Male" +msgstr "Karlkyns í augnablikinu" + +#: src/Content/ContactSelector.php:125 +msgid "Currently Female" +msgstr "Kvenkyns í augnablikinu" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Male" +msgstr "Aðallega karlkyns" + +#: src/Content/ContactSelector.php:125 +msgid "Mostly Female" +msgstr "Aðallega kvenkyns" + +#: src/Content/ContactSelector.php:125 +msgid "Transgender" +msgstr "Kyngervingur (trans)" + +#: src/Content/ContactSelector.php:125 +msgid "Intersex" +msgstr "Hvorugkyn" + +#: src/Content/ContactSelector.php:125 +msgid "Transsexual" +msgstr "Kynskiptingur" + +#: src/Content/ContactSelector.php:125 +msgid "Hermaphrodite" +msgstr "Tvíkynja" + +#: src/Content/ContactSelector.php:125 +msgid "Neuter" +msgstr "Kynlaus" + +#: src/Content/ContactSelector.php:125 +msgid "Non-specific" +msgstr "Ekki ákveðið" + +#: src/Content/ContactSelector.php:125 +msgid "Other" +msgstr "Annað" + +#: src/Content/ContactSelector.php:147 +msgid "Males" +msgstr "Karlar" + +#: src/Content/ContactSelector.php:147 +msgid "Females" +msgstr "Konur" + +#: src/Content/ContactSelector.php:147 +msgid "Gay" +msgstr "Hommi" + +#: src/Content/ContactSelector.php:147 +msgid "Lesbian" +msgstr "Lesbía" + +#: src/Content/ContactSelector.php:147 +msgid "No Preference" +msgstr "Til í allt" + +#: src/Content/ContactSelector.php:147 +msgid "Bisexual" +msgstr "Tvíkynhneigð/ur" + +#: src/Content/ContactSelector.php:147 +msgid "Autosexual" +msgstr "Sjálfkynhneigð/ur" + +#: src/Content/ContactSelector.php:147 +msgid "Abstinent" +msgstr "Skírlíf/ur" + +#: src/Content/ContactSelector.php:147 +msgid "Virgin" +msgstr "Hrein mey/Hreinn sveinn" + +#: src/Content/ContactSelector.php:147 +msgid "Deviant" +msgstr "Óþekkur" + +#: src/Content/ContactSelector.php:147 +msgid "Fetish" +msgstr "Blæti" + +#: src/Content/ContactSelector.php:147 +msgid "Oodles" +msgstr "Mikið af því" + +#: src/Content/ContactSelector.php:147 +msgid "Nonsexual" +msgstr "Engin kynhneigð" + +#: src/Content/ContactSelector.php:169 +msgid "Single" +msgstr "Einhleyp/ur" + +#: src/Content/ContactSelector.php:169 +msgid "Lonely" +msgstr "Einmanna" + +#: src/Content/ContactSelector.php:169 +msgid "Available" +msgstr "Á lausu" + +#: src/Content/ContactSelector.php:169 +msgid "Unavailable" +msgstr "Frátekin/n" + +#: src/Content/ContactSelector.php:169 +msgid "Has crush" +msgstr "Er skotin(n)" + +#: src/Content/ContactSelector.php:169 +msgid "Infatuated" +msgstr "" + +#: src/Content/ContactSelector.php:169 +msgid "Dating" +msgstr "Deita" + +#: src/Content/ContactSelector.php:169 +msgid "Unfaithful" +msgstr "Ótrú/r" + +#: src/Content/ContactSelector.php:169 +msgid "Sex Addict" +msgstr "Kynlífsfíkill" + +#: src/Content/ContactSelector.php:169 src/Model/User.php:505 +msgid "Friends" +msgstr "Vinir" + +#: src/Content/ContactSelector.php:169 +msgid "Friends/Benefits" +msgstr "Vinir með meiru" + +#: src/Content/ContactSelector.php:169 +msgid "Casual" +msgstr "Lauslát/ur" + +#: src/Content/ContactSelector.php:169 +msgid "Engaged" +msgstr "Trúlofuð/Trúlofaður" + +#: src/Content/ContactSelector.php:169 +msgid "Married" +msgstr "Gift/ur" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily married" +msgstr "Gift/ur í huganum" + +#: src/Content/ContactSelector.php:169 +msgid "Partners" +msgstr "Félagar" + +#: src/Content/ContactSelector.php:169 +msgid "Cohabiting" +msgstr "Í sambúð" + +#: src/Content/ContactSelector.php:169 +msgid "Common law" +msgstr "Löggilt sambúð" + +#: src/Content/ContactSelector.php:169 +msgid "Happy" +msgstr "Hamingjusöm/Hamingjusamur" + +#: src/Content/ContactSelector.php:169 +msgid "Not looking" +msgstr "Ekki að leita" + +#: src/Content/ContactSelector.php:169 +msgid "Swinger" +msgstr "Svingari" + +#: src/Content/ContactSelector.php:169 +msgid "Betrayed" +msgstr "Svikin/n" + +#: src/Content/ContactSelector.php:169 +msgid "Separated" +msgstr "Skilin/n að borði og sæng" + +#: src/Content/ContactSelector.php:169 +msgid "Unstable" +msgstr "Óstabíll" + +#: src/Content/ContactSelector.php:169 +msgid "Divorced" +msgstr "Fráskilin/n" + +#: src/Content/ContactSelector.php:169 +msgid "Imaginarily divorced" +msgstr "Fráskilin/n í huganum" + +#: src/Content/ContactSelector.php:169 +msgid "Widowed" +msgstr "Ekkja/Ekkill" + +#: src/Content/ContactSelector.php:169 +msgid "Uncertain" +msgstr "Óviss" + +#: src/Content/ContactSelector.php:169 +msgid "It's complicated" +msgstr "Þetta er flókið" + +#: src/Content/ContactSelector.php:169 +msgid "Don't care" +msgstr "Gæti ekki verið meira sama" + +#: src/Content/ContactSelector.php:169 +msgid "Ask me" +msgstr "Spurðu mig" + +#: src/Database/DBStructure.php:32 +msgid "There are no tables on MyISAM." +msgstr "" + +#: src/Database/DBStructure.php:75 #, php-format msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." +"\n" +"\t\t\t\tThe friendica developers released update %s recently,\n" +"\t\t\t\tbut when I tried to install it, something went terribly wrong.\n" +"\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" +"\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." msgstr "" -#: mod/dfrn_request.php:872 mod/follow.php:117 -msgid "Your Identity Address:" -msgstr "Auðkennisnetfang þitt:" - -#: mod/dfrn_request.php:875 mod/follow.php:19 -msgid "Submit Request" -msgstr "Senda beiðni" - -#: mod/follow.php:30 -msgid "You already added this contact." -msgstr "" - -#: mod/follow.php:39 -msgid "Diaspora support isn't enabled. Contact can't be added." -msgstr "" - -#: mod/follow.php:46 -msgid "OStatus support is disabled. Contact can't be added." -msgstr "" - -#: mod/follow.php:53 -msgid "The network type couldn't be detected. Contact can't be added." -msgstr "" - -#: mod/follow.php:180 -msgid "Contact added" -msgstr "Tengilið bætt við" - -#: mod/install.php:139 -msgid "Friendica Communications Server - Setup" -msgstr "" - -#: mod/install.php:145 -msgid "Could not connect to database." -msgstr "Gat ekki tengst gagnagrunn." - -#: mod/install.php:149 -msgid "Could not create table." -msgstr "Gat ekki búið til töflu." - -#: mod/install.php:155 -msgid "Your Friendica site database has been installed." -msgstr "Friendica gagnagrunnurinn þinn hefur verið uppsettur." - -#: mod/install.php:160 -msgid "" -"You may need to import the file \"database.sql\" manually using phpmyadmin " -"or mysql." -msgstr "Þú þarft mögulega að keyra inn skránna \"database.sql\" handvirkt með phpmyadmin eða mysql." - -#: mod/install.php:161 mod/install.php:230 mod/install.php:607 -msgid "Please see the file \"INSTALL.txt\"." -msgstr "Lestu skrána \"INSTALL.txt\"." - -#: mod/install.php:173 -msgid "Database already in use." -msgstr "" - -#: mod/install.php:227 -msgid "System check" -msgstr "Kerfis prófun" - -#: mod/install.php:232 -msgid "Check again" -msgstr "Prófa aftur" - -#: mod/install.php:251 -msgid "Database connection" -msgstr "Gangagrunns tenging" - -#: mod/install.php:252 -msgid "" -"In order to install Friendica we need to know how to connect to your " -"database." -msgstr "Til að setja upp Friendica þurfum við að vita hvernig á að tengjast gagnagrunninum þínum." - -#: mod/install.php:253 -msgid "" -"Please contact your hosting provider or site administrator if you have " -"questions about these settings." -msgstr "Hafðu samband við hýsingaraðilann þinn eða kerfisstjóra ef þú hefur spurningar varðandi þessar stillingar." - -#: mod/install.php:254 -msgid "" -"The database you specify below should already exist. If it does not, please " -"create it before continuing." -msgstr "Gagnagrunnurinn sem þú bendir á þarf þegar að vera til. Ef ekki þá þarf að stofna hann áður en haldið er áfram." - -#: mod/install.php:258 -msgid "Database Server Name" -msgstr "Vélanafn gagangrunns" - -#: mod/install.php:259 -msgid "Database Login Name" -msgstr "Notendanafn í gagnagrunn" - -#: mod/install.php:260 -msgid "Database Login Password" -msgstr "Aðgangsorð í gagnagrunns" - -#: mod/install.php:261 -msgid "Database Name" -msgstr "Nafn gagnagrunns" - -#: mod/install.php:262 mod/install.php:303 -msgid "Site administrator email address" -msgstr "Póstfang kerfisstjóra vefsvæðis" - -#: mod/install.php:262 mod/install.php:303 -msgid "" -"Your account email address must match this in order to use the web admin " -"panel." -msgstr "Póstfang aðgangsins þíns verður að passa við þetta til að hægt sé að nota umsýsluvefviðmótið." - -#: mod/install.php:266 mod/install.php:306 -msgid "Please select a default timezone for your website" -msgstr "Veldu sjálfgefið tímabelti fyrir vefsíðuna" - -#: mod/install.php:293 -msgid "Site settings" -msgstr "Stillingar vefsvæðis" - -#: mod/install.php:307 -msgid "System Language:" -msgstr "" - -#: mod/install.php:307 -msgid "" -"Set the default language for your Friendica installation interface and to " -"send emails." -msgstr "" - -#: mod/install.php:347 -msgid "Could not find a command line version of PHP in the web server PATH." -msgstr "Gat ekki fundið skipanalínu útgáfu af PHP í vefþjóns PATH." - -#: mod/install.php:348 -msgid "" -"If you don't have a command line version of PHP installed on server, you " -"will not be able to run background polling via cron. See 'Setup the poller'" -msgstr "" - -#: mod/install.php:352 -msgid "PHP executable path" -msgstr "PHP keyrslu slóð" - -#: mod/install.php:352 -msgid "" -"Enter full path to php executable. You can leave this blank to continue the " -"installation." -msgstr "" - -#: mod/install.php:357 -msgid "Command line PHP" -msgstr "Skipanalínu PHP" - -#: mod/install.php:366 -msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" -msgstr "" - -#: mod/install.php:367 -msgid "Found PHP version: " -msgstr "" - -#: mod/install.php:369 -msgid "PHP cli binary" -msgstr "" - -#: mod/install.php:380 -msgid "" -"The command line version of PHP on your system does not have " -"\"register_argc_argv\" enabled." -msgstr "Skipanalínu útgáfa af PHP á vefþjóninum hefur ekki kveikt á \"register_argc_argv\"." - -#: mod/install.php:381 -msgid "This is required for message delivery to work." -msgstr "Þetta er skilyrt fyrir því að skilaboð komist til skila." - -#: mod/install.php:383 -msgid "PHP register_argc_argv" -msgstr "" - -#: mod/install.php:404 -msgid "" -"Error: the \"openssl_pkey_new\" function on this system is not able to " -"generate encryption keys" -msgstr "Villa: Stefjan \"openssl_pkey_new\" á vefþjóninum getur ekki stofnað dulkóðunar lykla" - -#: mod/install.php:405 -msgid "" -"If running under Windows, please see " -"\"http://www.php.net/manual/en/openssl.installation.php\"." -msgstr "Ef keyrt er á Window, skoðaðu þá \"http://www.php.net/manual/en/openssl.installation.php\"." - -#: mod/install.php:407 -msgid "Generate encryption keys" -msgstr "Búa til dulkóðunar lykla" - -#: mod/install.php:414 -msgid "libCurl PHP module" -msgstr "libCurl PHP eining" - -#: mod/install.php:415 -msgid "GD graphics PHP module" -msgstr "GD graphics PHP eining" - -#: mod/install.php:416 -msgid "OpenSSL PHP module" -msgstr "OpenSSL PHP eining" - -#: mod/install.php:417 -msgid "mysqli PHP module" -msgstr "mysqli PHP eining" - -#: mod/install.php:418 -msgid "mb_string PHP module" -msgstr "mb_string PHP eining" - -#: mod/install.php:419 -msgid "mcrypt PHP module" -msgstr "" - -#: mod/install.php:420 -msgid "XML PHP module" -msgstr "" - -#: mod/install.php:421 -msgid "iconv module" -msgstr "" - -#: mod/install.php:425 mod/install.php:427 -msgid "Apache mod_rewrite module" -msgstr "Apache mod_rewrite eining" - -#: mod/install.php:425 -msgid "" -"Error: Apache webserver mod-rewrite module is required but not installed." -msgstr "Villa: Apache vefþjóns eining mod-rewrite er skilyrði og er ekki uppsett. " - -#: mod/install.php:433 -msgid "Error: libCURL PHP module required but not installed." -msgstr "Villa: libCurl PHP eining er skilyrði og er ekki uppsett." - -#: mod/install.php:437 -msgid "" -"Error: GD graphics PHP module with JPEG support required but not installed." -msgstr "Villa: GD graphics PHP eining með JPEG stuðningi er skilyrði og er ekki uppsett." - -#: mod/install.php:441 -msgid "Error: openssl PHP module required but not installed." -msgstr "Villa: openssl PHP eining skilyrði og er ekki uppsett." - -#: mod/install.php:445 -msgid "Error: mysqli PHP module required but not installed." -msgstr "Villa: mysqli PHP eining er skilyrði og er ekki uppsett" - -#: mod/install.php:449 -msgid "Error: mb_string PHP module required but not installed." -msgstr "Villa: mb_string PHP eining skilyrði en ekki uppsett." - -#: mod/install.php:453 -msgid "Error: mcrypt PHP module required but not installed." -msgstr "" - -#: mod/install.php:457 -msgid "Error: iconv PHP module required but not installed." -msgstr "" - -#: mod/install.php:466 -msgid "" -"If you are using php_cli, please make sure that mcrypt module is enabled in " -"its config file" -msgstr "" - -#: mod/install.php:469 -msgid "" -"Function mcrypt_create_iv() is not defined. This is needed to enable RINO2 " -"encryption layer." -msgstr "" - -#: mod/install.php:471 -msgid "mcrypt_create_iv() function" -msgstr "" - -#: mod/install.php:479 -msgid "Error, XML PHP module required but not installed." -msgstr "" - -#: mod/install.php:494 -msgid "" -"The web installer needs to be able to create a file called \".htconfig.php\"" -" in the top folder of your web server and it is unable to do so." -msgstr "Vef uppsetningar forrit þarf að geta stofnað skránna \".htconfig.php\" in efsta skráarsafninu á vefþjóninum og það getur ekki gert það." - -#: mod/install.php:495 -msgid "" -"This is most often a permission setting, as the web server may not be able " -"to write files in your folder - even if you can." -msgstr "Þetta er oftast aðgangsstýringa stilling, þar sem vefþjónninn getur ekki skrifað út skrár í skráarsafnið - þó þú getir það." - -#: mod/install.php:496 -msgid "" -"At the end of this procedure, we will give you a text to save in a file " -"named .htconfig.php in your Friendica top folder." -msgstr "" - -#: mod/install.php:497 -msgid "" -"You can alternatively skip this procedure and perform a manual installation." -" Please see the file \"INSTALL.txt\" for instructions." -msgstr "" - -#: mod/install.php:500 -msgid ".htconfig.php is writable" -msgstr ".htconfig.php er skrifanleg" - -#: mod/install.php:510 -msgid "" -"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " -"compiles templates to PHP to speed up rendering." -msgstr "" - -#: mod/install.php:511 -msgid "" -"In order to store these compiled templates, the web server needs to have " -"write access to the directory view/smarty3/ under the Friendica top level " -"folder." -msgstr "" - -#: mod/install.php:512 -msgid "" -"Please ensure that the user that your web server runs as (e.g. www-data) has" -" write access to this folder." -msgstr "" - -#: mod/install.php:513 -msgid "" -"Note: as a security measure, you should give the web server write access to " -"view/smarty3/ only--not the template files (.tpl) that it contains." -msgstr "" - -#: mod/install.php:516 -msgid "view/smarty3 is writable" -msgstr "" - -#: mod/install.php:532 -msgid "" -"Url rewrite in .htaccess is not working. Check your server configuration." -msgstr "" - -#: mod/install.php:534 -msgid "Url rewrite is working" -msgstr "" - -#: mod/install.php:552 -msgid "ImageMagick PHP extension is not installed" -msgstr "" - -#: mod/install.php:555 -msgid "ImageMagick PHP extension is installed" -msgstr "" - -#: mod/install.php:557 -msgid "ImageMagick supports GIF" -msgstr "" - -#: mod/install.php:566 -msgid "" -"The database configuration file \".htconfig.php\" could not be written. " -"Please use the enclosed text to create a configuration file in your web " -"server root." -msgstr "Ekki tókst að skrifa stillingaskrá gagnagrunns \".htconfig.php\". Notað meðfylgjandi texta til að búa til stillingarskrá í rót vefþjónsins." - -#: mod/install.php:605 -msgid "

What next

" -msgstr "" - -#: mod/install.php:606 -msgid "" -"IMPORTANT: You will need to [manually] setup a scheduled task for the " -"poller." -msgstr "MIKILVÆGT: Þú þarft að [handvirkt] setja upp sjálfvirka keyrslu á poller." - -#: mod/item.php:116 -msgid "Unable to locate original post." -msgstr "Ekki tókst að finna upphaflega færslu." - -#: mod/item.php:341 -msgid "Empty post discarded." -msgstr "Tóm færsla eytt." - -#: mod/item.php:902 -msgid "System error. Post not saved." -msgstr "Kerfisvilla. Færsla ekki vistuð." - -#: mod/item.php:992 +#: src/Database/DBStructure.php:80 #, php-format msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Skilaboðið sendi %s, notandi á Friendica samfélagsnetinu." - -#: mod/item.php:994 -#, php-format -msgid "You may visit them online at %s" -msgstr "Þú getur heimsótt þau á netinu á %s" - -#: mod/item.php:995 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Hafðu samband við sendanda með því að svara á þessari færslu ef þú villt ekki fá þessi skilaboð." - -#: mod/item.php:999 -#, php-format -msgid "%s posted an update." -msgstr "%s hefur sent uppfærslu." - -#: mod/network.php:398 -#, php-format -msgid "" -"Warning: This group contains %s member from a network that doesn't allow non" -" public messages." -msgid_plural "" -"Warning: This group contains %s members from a network that doesn't allow " -"non public messages." -msgstr[0] "" -msgstr[1] "" - -#: mod/network.php:401 -msgid "Messages in this group won't be send to these receivers." +"The error message is\n" +"[pre]%s[/pre]" msgstr "" -#: mod/network.php:529 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "Einka skilaboð send á þennan notanda eiga á hættu að verða opinber." - -#: mod/network.php:534 -msgid "Invalid contact." -msgstr "Ógildur tengiliður." - -#: mod/network.php:826 -msgid "Commented Order" -msgstr "Athugasemdar röð" - -#: mod/network.php:829 -msgid "Sort by Comment Date" -msgstr "Raða eftir umræðu dagsetningu" - -#: mod/network.php:834 -msgid "Posted Order" -msgstr "Færlsu röð" - -#: mod/network.php:837 -msgid "Sort by Post Date" -msgstr "Raða eftir færslu dagsetningu" - -#: mod/network.php:848 -msgid "Posts that mention or involve you" -msgstr "Færslur sem tengjast þér" - -#: mod/network.php:856 -msgid "New" -msgstr "Ný" - -#: mod/network.php:859 -msgid "Activity Stream - by date" -msgstr "Færslu straumur - raðað eftir dagsetningu" - -#: mod/network.php:867 -msgid "Shared Links" +#: src/Database/DBStructure.php:191 +#, php-format +msgid "" +"\n" +"Error %d occurred during database update:\n" +"%s\n" msgstr "" -#: mod/network.php:870 -msgid "Interesting Links" -msgstr "Áhugaverðir tenglar" +#: src/Database/DBStructure.php:194 +msgid "Errors encountered performing database changes: " +msgstr "" -#: mod/network.php:878 -msgid "Starred" -msgstr "Stjörnumerkt" +#: src/Database/DBStructure.php:210 +msgid ": Database update" +msgstr "" -#: mod/network.php:881 -msgid "Favourite Posts" -msgstr "Uppáhalds færslur" +#: src/Database/DBStructure.php:460 +#, php-format +msgid "%s: updating %s table." +msgstr "" -#: mod/ping.php:261 -msgid "{0} wants to be your friend" -msgstr "{0} vill vera vinur þinn" +#: src/Model/Mail.php:40 src/Model/Mail.php:174 +msgid "[no subject]" +msgstr "[ekkert efni]" -#: mod/ping.php:276 -msgid "{0} sent you a message" -msgstr "{0} sendi þér skilboð" +#: src/Model/Profile.php:97 +msgid "Requested account is not available." +msgstr "Umbeðin forsíða er ekki til." -#: mod/ping.php:291 -msgid "{0} requested registration" -msgstr "{0} óskaði eftir skráningu" +#: src/Model/Profile.php:168 src/Model/Profile.php:399 +#: src/Model/Profile.php:859 +msgid "Edit profile" +msgstr "Breyta forsíðu" -#: mod/viewcontacts.php:72 -msgid "No contacts." -msgstr "Enginn tengiliður" +#: src/Model/Profile.php:336 +msgid "Atom feed" +msgstr "Atom fréttaveita" -#: object/Item.php:370 +#: src/Model/Profile.php:372 +msgid "Manage/edit profiles" +msgstr "Sýsla með forsíður" + +#: src/Model/Profile.php:548 src/Model/Profile.php:641 +msgid "g A l F d" +msgstr "g A l F d" + +#: src/Model/Profile.php:549 +msgid "F d" +msgstr "F d" + +#: src/Model/Profile.php:606 src/Model/Profile.php:703 +msgid "[today]" +msgstr "[í dag]" + +#: src/Model/Profile.php:617 +msgid "Birthday Reminders" +msgstr "Afmælisáminningar" + +#: src/Model/Profile.php:618 +msgid "Birthdays this week:" +msgstr "Afmæli í þessari viku:" + +#: src/Model/Profile.php:690 +msgid "[No description]" +msgstr "[Engin lýsing]" + +#: src/Model/Profile.php:717 +msgid "Event Reminders" +msgstr "Atburðaáminningar" + +#: src/Model/Profile.php:718 +msgid "Events this week:" +msgstr "Atburðir vikunnar:" + +#: src/Model/Profile.php:741 +msgid "Member since:" +msgstr "Meðlimur síðan:" + +#: src/Model/Profile.php:749 +msgid "j F, Y" +msgstr "j F, Y" + +#: src/Model/Profile.php:750 +msgid "j F" +msgstr "j F" + +#: src/Model/Profile.php:765 +msgid "Age:" +msgstr "Aldur:" + +#: src/Model/Profile.php:778 +#, php-format +msgid "for %1$d %2$s" +msgstr "fyrir %1$d %2$s" + +#: src/Model/Profile.php:802 +msgid "Religion:" +msgstr "Trúarskoðanir:" + +#: src/Model/Profile.php:810 +msgid "Hobbies/Interests:" +msgstr "Áhugamál/Áhugasvið:" + +#: src/Model/Profile.php:822 +msgid "Contact information and Social Networks:" +msgstr "Tengiliðaupplýsingar og samfélagsnet:" + +#: src/Model/Profile.php:826 +msgid "Musical interests:" +msgstr "Tónlistaráhugi:" + +#: src/Model/Profile.php:830 +msgid "Books, literature:" +msgstr "Bækur, bókmenntir:" + +#: src/Model/Profile.php:834 +msgid "Television:" +msgstr "Sjónvarp:" + +#: src/Model/Profile.php:838 +msgid "Film/dance/culture/entertainment:" +msgstr "Kvikmyndir/dans/menning/afþreying:" + +#: src/Model/Profile.php:842 +msgid "Love/Romance:" +msgstr "Ást/rómantík:" + +#: src/Model/Profile.php:846 +msgid "Work/employment:" +msgstr "Atvinna:" + +#: src/Model/Profile.php:850 +msgid "School/education:" +msgstr "Skóli/menntun:" + +#: src/Model/Profile.php:855 +msgid "Forums:" +msgstr "Spjallsvæði:" + +#: src/Model/Profile.php:949 +msgid "Only You Can See This" +msgstr "Aðeins þú sérð þetta" + +#: src/Model/Item.php:1676 +#, php-format +msgid "%1$s is attending %2$s's %3$s" +msgstr "" + +#: src/Model/Item.php:1681 +#, php-format +msgid "%1$s is not attending %2$s's %3$s" +msgstr "" + +#: src/Model/Item.php:1686 +#, php-format +msgid "%1$s may attend %2$s's %3$s" +msgstr "" + +#: src/Model/Group.php:44 +msgid "" +"A deleted group with this name was revived. Existing item permissions " +"may apply to this group and any future members. If this is " +"not what you intended, please create another group with a different name." +msgstr "Hóp sem var eytt hefur verið endurlífgaður. Færslur sem þegar voru til geta mögulega farið á hópinn og framtíðar meðlimir. Ef þetta er ekki það sem þú vilt, þá þarftu að búa til nýjan hóp með öðru nafni." + +#: src/Model/Group.php:328 +msgid "Default privacy group for new contacts" +msgstr "" + +#: src/Model/Group.php:361 +msgid "Everybody" +msgstr "Allir" + +#: src/Model/Group.php:381 +msgid "edit" +msgstr "breyta" + +#: src/Model/Group.php:405 +msgid "Edit group" +msgstr "Breyta hóp" + +#: src/Model/Group.php:406 +msgid "Contacts not in any group" +msgstr "Tengiliðir ekki í neinum hópum" + +#: src/Model/Group.php:407 +msgid "Create a new group" +msgstr "Stofna nýjan hóp" + +#: src/Model/Group.php:409 +msgid "Edit groups" +msgstr "Breyta hópum" + +#: src/Model/Contact.php:645 +msgid "Drop Contact" +msgstr "Henda tengilið" + +#: src/Model/Contact.php:1048 +msgid "Organisation" +msgstr "" + +#: src/Model/Contact.php:1051 +msgid "News" +msgstr "Fréttir" + +#: src/Model/Contact.php:1054 +msgid "Forum" +msgstr "Spjallsvæði" + +#: src/Model/Contact.php:1233 +msgid "Connect URL missing." +msgstr "Tengislóð vantar." + +#: src/Model/Contact.php:1242 +msgid "" +"The contact could not be added. Please check the relevant network " +"credentials in your Settings -> Social Networks page." +msgstr "" + +#: src/Model/Contact.php:1289 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "Þessi vefur er ekki uppsettur til að leyfa samskipti við önnur samfélagsnet." + +#: src/Model/Contact.php:1290 src/Model/Contact.php:1304 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Engir samhæfðir samskiptastaðlar né fréttastraumar fundust." + +#: src/Model/Contact.php:1302 +msgid "The profile address specified does not provide adequate information." +msgstr "Uppgefin forsíðuslóð inniheldur ekki nægilegar upplýsingar." + +#: src/Model/Contact.php:1307 +msgid "An author or name was not found." +msgstr "Höfundur eða nafn fannst ekki." + +#: src/Model/Contact.php:1310 +msgid "No browser URL could be matched to this address." +msgstr "Engin vefslóð passaði við þetta vistfang." + +#: src/Model/Contact.php:1313 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "" + +#: src/Model/Contact.php:1314 +msgid "Use mailto: in front of address to force email check." +msgstr "" + +#: src/Model/Contact.php:1320 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "Þessi forsíðu slóð tilheyrir neti sem er bannað á þessum vef." + +#: src/Model/Contact.php:1325 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Takmörkuð forsíða. Þessi tengiliður mun ekki getað tekið á móti beinum/einka tilkynningum frá þér." + +#: src/Model/Contact.php:1376 +msgid "Unable to retrieve contact information." +msgstr "Ekki hægt að sækja tengiliðs upplýsingar." + +#: src/Model/Contact.php:1588 +#, php-format +msgid "%s's birthday" +msgstr "Afmælisdagur %s" + +#: src/Model/Contact.php:1589 src/Protocol/DFRN.php:1478 +#, php-format +msgid "Happy Birthday %s" +msgstr "Til hamingju með afmælið %s" + +#: src/Model/Event.php:53 src/Model/Event.php:70 src/Model/Event.php:419 +#: src/Model/Event.php:882 +msgid "Starts:" +msgstr "Byrjar:" + +#: src/Model/Event.php:56 src/Model/Event.php:76 src/Model/Event.php:420 +#: src/Model/Event.php:886 +msgid "Finishes:" +msgstr "Endar:" + +#: src/Model/Event.php:368 +msgid "all-day" +msgstr "allan-daginn" + +#: src/Model/Event.php:391 +msgid "Jun" +msgstr "Jún" + +#: src/Model/Event.php:394 +msgid "Sept" +msgstr "Sept" + +#: src/Model/Event.php:417 +msgid "No events to display" +msgstr "Engir atburðir til að birta" + +#: src/Model/Event.php:543 +msgid "l, F j" +msgstr "l, F j" + +#: src/Model/Event.php:566 +msgid "Edit event" +msgstr "Breyta atburð" + +#: src/Model/Event.php:567 +msgid "Duplicate event" +msgstr "Tvítaka atburð" + +#: src/Model/Event.php:568 +msgid "Delete event" +msgstr "Eyða atburði" + +#: src/Model/Event.php:815 +msgid "D g:i A" +msgstr "D g:i A" + +#: src/Model/Event.php:816 +msgid "g:i A" +msgstr "g:i A" + +#: src/Model/Event.php:901 src/Model/Event.php:903 +msgid "Show map" +msgstr "Birta kort" + +#: src/Model/Event.php:902 +msgid "Hide map" +msgstr "" + +#: src/Model/User.php:144 +msgid "Login failed" +msgstr "Innskráning mistókst" + +#: src/Model/User.php:175 +msgid "Not enough information to authenticate" +msgstr "" + +#: src/Model/User.php:332 +msgid "An invitation is required." +msgstr "Boðskort er skilyrði." + +#: src/Model/User.php:336 +msgid "Invitation could not be verified." +msgstr "Ekki hægt að sannreyna boðskort." + +#: src/Model/User.php:343 +msgid "Invalid OpenID url" +msgstr "OpenID slóð ekki til" + +#: src/Model/User.php:356 src/Module/Login.php:100 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "" + +#: src/Model/User.php:356 src/Module/Login.php:100 +msgid "The error message was:" +msgstr "Villumeldingin var:" + +#: src/Model/User.php:362 +msgid "Please enter the required information." +msgstr "Settu inn umbeðnar upplýsingar." + +#: src/Model/User.php:375 +msgid "Please use a shorter name." +msgstr "Notaðu styttra nafn." + +#: src/Model/User.php:378 +msgid "Name too short." +msgstr "Nafn of stutt." + +#: src/Model/User.php:386 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Þetta virðist ekki vera fullt nafn (Jón Jónsson)." + +#: src/Model/User.php:391 +msgid "Your email domain is not among those allowed on this site." +msgstr "Póstþjónninn er ekki í lista yfir leyfða póstþjóna á þessum vef." + +#: src/Model/User.php:395 +msgid "Not a valid email address." +msgstr "Ekki tækt tölvupóstfang." + +#: src/Model/User.php:399 src/Model/User.php:407 +msgid "Cannot use that email." +msgstr "Ekki hægt að nota þetta póstfang." + +#: src/Model/User.php:414 +msgid "Your nickname can only contain a-z, 0-9 and _." +msgstr "" + +#: src/Model/User.php:421 src/Model/User.php:477 +msgid "Nickname is already registered. Please choose another." +msgstr "Gælunafn þegar skráð. Veldu annað." + +#: src/Model/User.php:431 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "VERULEGA ALVARLEG VILLA: Stofnun á öryggislyklum tókst ekki." + +#: src/Model/User.php:464 src/Model/User.php:468 +msgid "An error occurred during registration. Please try again." +msgstr "Villa kom upp við nýskráningu. Reyndu aftur." + +#: src/Model/User.php:488 view/theme/duepuntozero/config.php:54 +msgid "default" +msgstr "sjálfgefið" + +#: src/Model/User.php:493 +msgid "An error occurred creating your default profile. Please try again." +msgstr "Villa kom upp við að stofna sjálfgefna forsíðu. Vinnsamlegast reyndu aftur." + +#: src/Model/User.php:500 +msgid "An error occurred creating your self contact. Please try again." +msgstr "" + +#: src/Model/User.php:509 +msgid "" +"An error occurred creating your default contact group. Please try again." +msgstr "" + +#: src/Model/User.php:583 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account is pending for approval by the administrator.\n" +"\t\t" +msgstr "" + +#: src/Model/User.php:593 +#, php-format +msgid "Registration at %s" +msgstr "" + +#: src/Model/User.php:611 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t\t" +msgstr "" + +#: src/Model/User.php:615 +#, php-format +msgid "" +"\n" +"\t\t\tThe login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\t\tin.\n" +"\n" +"\t\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\t\tthan that.\n" +"\n" +"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\t\tIf you are new and do not know anybody here, they may help\n" +"\t\t\tyou to make some new and interesting friends.\n" +"\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" +"\n" +"\t\t\tThank you and welcome to %2$s." +msgstr "" + +#: src/Protocol/OStatus.php:1799 +#, php-format +msgid "%s is now following %s." +msgstr "%s fylgist núna með %s." + +#: src/Protocol/OStatus.php:1800 +msgid "following" +msgstr "fylgist með" + +#: src/Protocol/OStatus.php:1803 +#, php-format +msgid "%s stopped following %s." +msgstr "" + +#: src/Protocol/OStatus.php:1804 +msgid "stopped following" +msgstr "hætt að fylgja" + +#: src/Protocol/DFRN.php:1477 +#, php-format +msgid "%s\\'s birthday" +msgstr "Afmælisdagur %s" + +#: src/Protocol/Diaspora.php:2651 +msgid "Sharing notification from Diaspora network" +msgstr "Tilkynning um að einhver deildi atriði á Diaspora netinu" + +#: src/Protocol/Diaspora.php:3738 +msgid "Attachments:" +msgstr "Viðhengi:" + +#: src/Worker/Delivery.php:392 +msgid "(no subject)" +msgstr "(ekkert efni)" + +#: src/Object/Post.php:128 +msgid "This entry was edited" +msgstr "" + +#: src/Object/Post.php:182 +msgid "save to folder" +msgstr "vista í möppu" + +#: src/Object/Post.php:235 +msgid "I will attend" +msgstr "" + +#: src/Object/Post.php:235 +msgid "I will not attend" +msgstr "" + +#: src/Object/Post.php:235 +msgid "I might attend" +msgstr "" + +#: src/Object/Post.php:263 +msgid "add star" +msgstr "bæta við stjörnu" + +#: src/Object/Post.php:264 +msgid "remove star" +msgstr "eyða stjörnu" + +#: src/Object/Post.php:265 +msgid "toggle star status" +msgstr "Kveikja/slökkva á stjörnu" + +#: src/Object/Post.php:268 +msgid "starred" +msgstr "stjörnumerkt" + +#: src/Object/Post.php:274 +msgid "ignore thread" +msgstr "" + +#: src/Object/Post.php:275 +msgid "unignore thread" +msgstr "" + +#: src/Object/Post.php:276 +msgid "toggle ignore status" +msgstr "" + +#: src/Object/Post.php:285 +msgid "add tag" +msgstr "bæta við merki" + +#: src/Object/Post.php:296 +msgid "like" +msgstr "líkar" + +#: src/Object/Post.php:297 +msgid "dislike" +msgstr "mislíkar" + +#: src/Object/Post.php:300 +msgid "Share this" +msgstr "Deila þessu" + +#: src/Object/Post.php:300 +msgid "share" +msgstr "deila" + +#: src/Object/Post.php:365 +msgid "to" +msgstr "við" + +#: src/Object/Post.php:366 msgid "via" -msgstr "" +msgstr "gegnum" -#: view/theme/frio/php/Image.php:23 -msgid "Repeat the image" -msgstr "" +#: src/Object/Post.php:367 +msgid "Wall-to-Wall" +msgstr "vegg við vegg" -#: view/theme/frio/php/Image.php:23 -msgid "Will repeat your image to fill the background." -msgstr "" +#: src/Object/Post.php:368 +msgid "via Wall-To-Wall:" +msgstr "gegnum vegg við vegg" -#: view/theme/frio/php/Image.php:25 -msgid "Stretch" -msgstr "" - -#: view/theme/frio/php/Image.php:25 -msgid "Will stretch to width/height of the image." -msgstr "" - -#: view/theme/frio/php/Image.php:27 -msgid "Resize fill and-clip" -msgstr "" - -#: view/theme/frio/php/Image.php:27 -msgid "Resize to fill and retain aspect ratio." -msgstr "" - -#: view/theme/frio/php/Image.php:29 -msgid "Resize best fit" -msgstr "" - -#: view/theme/frio/php/Image.php:29 -msgid "Resize to best fit and retain aspect ratio." -msgstr "" - -#: view/theme/frio/config.php:42 -msgid "Default" -msgstr "" - -#: view/theme/frio/config.php:54 -msgid "Note: " -msgstr "" - -#: view/theme/frio/config.php:54 -msgid "Check image permissions if all users are allowed to visit the image" -msgstr "" - -#: view/theme/frio/config.php:62 -msgid "Select scheme" -msgstr "" - -#: view/theme/frio/config.php:63 -msgid "Navigation bar background color" -msgstr "" - -#: view/theme/frio/config.php:64 -msgid "Navigation bar icon color " -msgstr "" - -#: view/theme/frio/config.php:65 -msgid "Link color" -msgstr "Litur tengils" - -#: view/theme/frio/config.php:66 -msgid "Set the background color" -msgstr "" - -#: view/theme/frio/config.php:67 -msgid "Content background transparency" -msgstr "" - -#: view/theme/frio/config.php:68 -msgid "Set the background image" -msgstr "" - -#: view/theme/frio/theme.php:229 -msgid "Guest" -msgstr "" - -#: view/theme/frio/theme.php:235 -msgid "Visitor" -msgstr "" - -#: view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "" - -#: view/theme/quattro/config.php:67 -msgid "Left" -msgstr "" - -#: view/theme/quattro/config.php:67 -msgid "Center" -msgstr "" - -#: view/theme/quattro/config.php:68 -msgid "Color scheme" -msgstr "" - -#: view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "" - -#: view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "" - -#: view/theme/vier/theme.php:152 view/theme/vier/config.php:112 -msgid "Community Profiles" -msgstr "" - -#: view/theme/vier/theme.php:181 view/theme/vier/config.php:116 -msgid "Last users" -msgstr "Nýjustu notendurnir" - -#: view/theme/vier/theme.php:199 view/theme/vier/config.php:115 -msgid "Find Friends" -msgstr "" - -#: view/theme/vier/theme.php:200 -msgid "Local Directory" -msgstr "" - -#: view/theme/vier/theme.php:291 -msgid "Quick Start" -msgstr "" - -#: view/theme/vier/theme.php:373 view/theme/vier/config.php:114 -msgid "Connect Services" -msgstr "" - -#: view/theme/vier/config.php:64 -msgid "Comma separated list of helper forums" -msgstr "" - -#: view/theme/vier/config.php:110 -msgid "Set style" -msgstr "" - -#: view/theme/vier/config.php:111 -msgid "Community Pages" -msgstr "" - -#: view/theme/vier/config.php:113 -msgid "Help or @NewHere ?" -msgstr "" - -#: view/theme/duepuntozero/config.php:45 -msgid "greenzero" -msgstr "" - -#: view/theme/duepuntozero/config.php:46 -msgid "purplezero" -msgstr "" - -#: view/theme/duepuntozero/config.php:47 -msgid "easterbunny" -msgstr "" - -#: view/theme/duepuntozero/config.php:48 -msgid "darkzero" -msgstr "" - -#: view/theme/duepuntozero/config.php:49 -msgid "comix" -msgstr "" - -#: view/theme/duepuntozero/config.php:50 -msgid "slackr" -msgstr "" - -#: view/theme/duepuntozero/config.php:62 -msgid "Variations" -msgstr "" - -#: boot.php:970 -msgid "Delete this item?" -msgstr "Eyða þessu atriði?" - -#: boot.php:973 -msgid "show fewer" -msgstr "birta minna" - -#: boot.php:1655 +#: src/Object/Post.php:427 #, php-format -msgid "Update %s failed. See error logs." -msgstr "Uppfærsla á %s mistókst. Skoðaðu villuannál." +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d ummæli" +msgstr[1] "%d ummæli" -#: boot.php:1767 +#: src/Object/Post.php:797 +msgid "Bold" +msgstr "Feitletrað" + +#: src/Object/Post.php:798 +msgid "Italic" +msgstr "Skáletrað" + +#: src/Object/Post.php:799 +msgid "Underline" +msgstr "Undirstrikað" + +#: src/Object/Post.php:800 +msgid "Quote" +msgstr "Gæsalappir" + +#: src/Object/Post.php:801 +msgid "Code" +msgstr "Kóði" + +#: src/Object/Post.php:802 +msgid "Image" +msgstr "Mynd" + +#: src/Object/Post.php:803 +msgid "Link" +msgstr "Tengill" + +#: src/Object/Post.php:804 +msgid "Video" +msgstr "Myndband" + +#: src/Module/Login.php:282 msgid "Create a New Account" msgstr "Stofna nýjan notanda" -#: boot.php:1796 +#: src/Module/Login.php:315 msgid "Password: " msgstr "Aðgangsorð: " -#: boot.php:1797 +#: src/Module/Login.php:316 msgid "Remember me" msgstr "Muna eftir mér" -#: boot.php:1800 +#: src/Module/Login.php:319 msgid "Or login using OpenID: " msgstr "Eða auðkenna með OpenID: " -#: boot.php:1806 +#: src/Module/Login.php:325 msgid "Forgot your password?" msgstr "Gleymt lykilorð?" -#: boot.php:1809 +#: src/Module/Login.php:328 msgid "Website Terms of Service" msgstr "Þjónustuskilmálar vefsvæðis" -#: boot.php:1810 +#: src/Module/Login.php:329 msgid "terms of service" msgstr "þjónustuskilmálar" -#: boot.php:1812 +#: src/Module/Login.php:331 msgid "Website Privacy Policy" msgstr "Persónuverndarstefna" -#: boot.php:1813 +#: src/Module/Login.php:332 msgid "privacy policy" msgstr "persónuverndarstefna" -#: index.php:451 +#: src/Module/Logout.php:28 +msgid "Logged out." +msgstr "Skráður út." + +#: src/App.php:511 +msgid "Delete this item?" +msgstr "Eyða þessu atriði?" + +#: src/App.php:513 +msgid "show fewer" +msgstr "birta minna" + +#: view/theme/duepuntozero/config.php:55 +msgid "greenzero" +msgstr "" + +#: view/theme/duepuntozero/config.php:56 +msgid "purplezero" +msgstr "" + +#: view/theme/duepuntozero/config.php:57 +msgid "easterbunny" +msgstr "" + +#: view/theme/duepuntozero/config.php:58 +msgid "darkzero" +msgstr "" + +#: view/theme/duepuntozero/config.php:59 +msgid "comix" +msgstr "" + +#: view/theme/duepuntozero/config.php:60 +msgid "slackr" +msgstr "" + +#: view/theme/duepuntozero/config.php:74 +msgid "Variations" +msgstr "Tilbrigði" + +#: view/theme/frio/php/Image.php:25 +msgid "Repeat the image" +msgstr "Endurtaka myndina" + +#: view/theme/frio/php/Image.php:25 +msgid "Will repeat your image to fill the background." +msgstr "" + +#: view/theme/frio/php/Image.php:27 +msgid "Stretch" +msgstr "Teygja" + +#: view/theme/frio/php/Image.php:27 +msgid "Will stretch to width/height of the image." +msgstr "" + +#: view/theme/frio/php/Image.php:29 +msgid "Resize fill and-clip" +msgstr "" + +#: view/theme/frio/php/Image.php:29 +msgid "Resize to fill and retain aspect ratio." +msgstr "" + +#: view/theme/frio/php/Image.php:31 +msgid "Resize best fit" +msgstr "Stærðarbreyta svo að passi" + +#: view/theme/frio/php/Image.php:31 +msgid "Resize to best fit and retain aspect ratio." +msgstr "Stærðarbreyta svo að passi og halda upphaflegum hlutföllum." + +#: view/theme/frio/config.php:97 +msgid "Default" +msgstr "Sjálfgefið" + +#: view/theme/frio/config.php:109 +msgid "Note" +msgstr "Minnispunktur" + +#: view/theme/frio/config.php:109 +msgid "Check image permissions if all users are allowed to visit the image" +msgstr "" + +#: view/theme/frio/config.php:116 +msgid "Select scheme" +msgstr "Veldu litastef" + +#: view/theme/frio/config.php:117 +msgid "Navigation bar background color" +msgstr "" + +#: view/theme/frio/config.php:118 +msgid "Navigation bar icon color " +msgstr "" + +#: view/theme/frio/config.php:119 +msgid "Link color" +msgstr "Litur tengils" + +#: view/theme/frio/config.php:120 +msgid "Set the background color" +msgstr "Stilltu bakgrunnslit" + +#: view/theme/frio/config.php:121 +msgid "Content background opacity" +msgstr "" + +#: view/theme/frio/config.php:122 +msgid "Set the background image" +msgstr "" + +#: view/theme/frio/config.php:127 +msgid "Login page background image" +msgstr "" + +#: view/theme/frio/config.php:130 +msgid "Login page background color" +msgstr "" + +#: view/theme/frio/config.php:130 +msgid "Leave background image and color empty for theme defaults" +msgstr "" + +#: view/theme/frio/theme.php:238 +msgid "Guest" +msgstr "Gestur" + +#: view/theme/frio/theme.php:243 +msgid "Visitor" +msgstr "Í heimsókn" + +#: view/theme/quattro/config.php:76 +msgid "Alignment" +msgstr "Hliðjöfnun" + +#: view/theme/quattro/config.php:76 +msgid "Left" +msgstr "Vinstri" + +#: view/theme/quattro/config.php:76 +msgid "Center" +msgstr "Miðjað" + +#: view/theme/quattro/config.php:77 +msgid "Color scheme" +msgstr "Litastef" + +#: view/theme/quattro/config.php:78 +msgid "Posts font size" +msgstr "" + +#: view/theme/quattro/config.php:79 +msgid "Textareas font size" +msgstr "" + +#: view/theme/vier/config.php:75 +msgid "Comma separated list of helper forums" +msgstr "" + +#: view/theme/vier/config.php:122 +msgid "Set style" +msgstr "" + +#: view/theme/vier/config.php:123 +msgid "Community Pages" +msgstr "" + +#: view/theme/vier/config.php:124 view/theme/vier/theme.php:150 +msgid "Community Profiles" +msgstr "" + +#: view/theme/vier/config.php:125 +msgid "Help or @NewHere ?" +msgstr "" + +#: view/theme/vier/config.php:126 view/theme/vier/theme.php:389 +msgid "Connect Services" +msgstr "" + +#: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 +msgid "Find Friends" +msgstr "Finna vini" + +#: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 +msgid "Last users" +msgstr "Nýjustu notendurnir" + +#: view/theme/vier/theme.php:200 +msgid "Local Directory" +msgstr "Staðvær mappa" + +#: view/theme/vier/theme.php:292 +msgid "Quick Start" +msgstr "" + +#: index.php:444 msgid "toggle mobile" msgstr "" + +#: boot.php:791 +#, php-format +msgid "Update %s failed. See error logs." +msgstr "Uppfærsla á %s mistókst. Skoðaðu villuannál." diff --git a/view/lang/is/strings.php b/view/lang/is/strings.php index aa87041da..fda0c85bf 100644 --- a/view/lang/is/strings.php +++ b/view/lang/is/strings.php @@ -5,208 +5,30 @@ function string_plural_select_is($n){ return ($n % 10 != 1 || $n % 100 == 11);; }} ; -$a->strings["Add New Contact"] = "Bæta við tengilið"; -$a->strings["Enter address or web location"] = "Settu inn slóð"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Dæmi: gudmundur@simnet.is, http://simnet.is/gudmundur"; -$a->strings["Connect"] = "Tengjast"; -$a->strings["%d invitation available"] = [ - 0 => "%d boðskort í boði", - 1 => "%d boðskort í boði", -]; -$a->strings["Find People"] = "Finna fólk"; -$a->strings["Enter name or interest"] = "Settu inn nafn eða áhugamál"; -$a->strings["Connect/Follow"] = "Tengjast/fylgja"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Dæmi: Jón Jónsson, Veiði"; -$a->strings["Find"] = "Finna"; -$a->strings["Friend Suggestions"] = "Vina uppástungur"; -$a->strings["Similar Interests"] = "Svipuð áhugamál"; -$a->strings["Random Profile"] = ""; -$a->strings["Invite Friends"] = "Bjóða vinum aðgang"; -$a->strings["Networks"] = "Net"; -$a->strings["All Networks"] = "Öll net"; -$a->strings["Saved Folders"] = "Vistaðar möppur"; -$a->strings["Everything"] = "Allt"; -$a->strings["Categories"] = "Flokkar"; -$a->strings["%d contact in common"] = [ - 0 => "%d tengiliður sameiginlegur", - 1 => "%d tengiliðir sameiginlegir", -]; -$a->strings["show more"] = "birta meira"; -$a->strings["Forums"] = "Spjallsvæði"; -$a->strings["External link to forum"] = "Ytri tengill á spjallsvæði"; -$a->strings["Male"] = "Karl"; -$a->strings["Female"] = "Kona"; -$a->strings["Currently Male"] = "Karlmaður í augnablikinu"; -$a->strings["Currently Female"] = "Kvenmaður í augnablikinu"; -$a->strings["Mostly Male"] = "Aðallega karlmaður"; -$a->strings["Mostly Female"] = "Aðallega kvenmaður"; -$a->strings["Transgender"] = "Kyngervingur"; -$a->strings["Intersex"] = "Hvorugkyn"; -$a->strings["Transsexual"] = "Kynskiptingur"; -$a->strings["Hermaphrodite"] = "Tvíkynja"; -$a->strings["Neuter"] = "Hvorukyn"; -$a->strings["Non-specific"] = "Ekki ákveðið"; -$a->strings["Other"] = "Annað"; -$a->strings["Undecided"] = [ - 0 => "Óviss", - 1 => "Óvissir", -]; -$a->strings["Males"] = "Karlar"; -$a->strings["Females"] = "Konur"; -$a->strings["Gay"] = "Hommi"; -$a->strings["Lesbian"] = "Lesbía"; -$a->strings["No Preference"] = "Til í allt"; -$a->strings["Bisexual"] = "Tvíkynhneigð/ur"; -$a->strings["Autosexual"] = "Sjálfkynhneigð/ur"; -$a->strings["Abstinent"] = "Skírlíf/ur"; -$a->strings["Virgin"] = "Hrein mey/Hreinn sveinn"; -$a->strings["Deviant"] = "Óþekkur"; -$a->strings["Fetish"] = "Blæti"; -$a->strings["Oodles"] = "Mikið af því"; -$a->strings["Nonsexual"] = "Engin kynhneigð"; -$a->strings["Single"] = "Einhleyp/ur"; -$a->strings["Lonely"] = "Einmanna"; -$a->strings["Available"] = "Á lausu"; -$a->strings["Unavailable"] = "Frátekin/n"; -$a->strings["Has crush"] = "Er skotin(n)"; -$a->strings["Infatuated"] = ""; -$a->strings["Dating"] = "Deita"; -$a->strings["Unfaithful"] = "Ótrú/r"; -$a->strings["Sex Addict"] = "Kynlífsfíkill"; -$a->strings["Friends"] = "Vinir"; -$a->strings["Friends/Benefits"] = "Vinir með meiru"; -$a->strings["Casual"] = "Lauslát/ur"; -$a->strings["Engaged"] = "Trúlofuð/Trúlofaður"; -$a->strings["Married"] = "Gift/ur"; -$a->strings["Imaginarily married"] = ""; -$a->strings["Partners"] = "Félagar"; -$a->strings["Cohabiting"] = "Í sambúð"; -$a->strings["Common law"] = "Löggilt sambúð"; -$a->strings["Happy"] = "Hamingjusöm/Hamingjusamur"; -$a->strings["Not looking"] = "Ekki að leita"; -$a->strings["Swinger"] = "Svingari"; -$a->strings["Betrayed"] = "Svikin/n"; -$a->strings["Separated"] = "Skilin/n að borði og sæng"; -$a->strings["Unstable"] = "Óstabíll"; -$a->strings["Divorced"] = "Fráskilin/n"; -$a->strings["Imaginarily divorced"] = ""; -$a->strings["Widowed"] = "Ekkja/Ekkill"; -$a->strings["Uncertain"] = "Óviss"; -$a->strings["It's complicated"] = "Þetta er flókið"; -$a->strings["Don't care"] = "Gæti ekki verið meira sama"; -$a->strings["Ask me"] = "Spurðu mig"; +$a->strings["Welcome "] = "Velkomin(n)"; +$a->strings["Please upload a profile photo."] = "Gerðu svo vel að hlaða inn forsíðumynd."; +$a->strings["Welcome back "] = "Velkomin(n) aftur"; +$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = ""; $a->strings["Cannot locate DNS info for database server '%s'"] = "Get ekki flett upp DNS upplýsingum fyrir gagnagrunnsþjón '%s'"; -$a->strings["Logged out."] = "Skráður út."; -$a->strings["Login failed."] = "Innskráning mistókst."; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = ""; -$a->strings["The error message was:"] = "Villumeldingin var:"; -$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Hóp sem var eytt hefur verið endurlífgaður. Færslur sem þegar voru til geta mögulega farið á hópinn og framtíðar meðlimir. Ef þetta er ekki það sem þú vilt, þá þarftu að búa til nýjan hóp með öðru nafni."; -$a->strings["Default privacy group for new contacts"] = ""; -$a->strings["Everybody"] = "Allir"; -$a->strings["edit"] = "breyta"; -$a->strings["Groups"] = "Hópar"; -$a->strings["Edit groups"] = "Breyta hópum"; -$a->strings["Edit group"] = "Breyta hóp"; -$a->strings["Create a new group"] = "Stofna nýjan hóp"; -$a->strings["Group Name: "] = "Nafn hóps: "; -$a->strings["Contacts not in any group"] = "Tengiliðir ekki í neinum hópum"; -$a->strings["add"] = "bæta við"; -$a->strings["Unknown | Not categorised"] = "Óþekkt | Ekki flokkað"; -$a->strings["Block immediately"] = "Banna samstundis"; -$a->strings["Shady, spammer, self-marketer"] = "Grunsamlegur, ruslsendari, auglýsandi"; -$a->strings["Known to me, but no opinion"] = "Ég þekki þetta, en hef ekki skoðun á"; -$a->strings["OK, probably harmless"] = "Í lagi, væntanlega meinlaus"; -$a->strings["Reputable, has my trust"] = "Gott orðspor, ég treysti þessu"; -$a->strings["Frequently"] = "Oft"; -$a->strings["Hourly"] = "Klukkustundar fresti"; -$a->strings["Twice daily"] = "Tvisvar á dag"; -$a->strings["Daily"] = "Daglega"; -$a->strings["Weekly"] = "Vikulega"; -$a->strings["Monthly"] = "Mánaðarlega"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Email"] = "Póstfang"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "LinkedIn"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "MySpace"; -$a->strings["Google+"] = "Google+"; -$a->strings["pump.io"] = "pump.io"; -$a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = "Diaspora tenging"; -$a->strings["GNU Social"] = "GNU Social"; -$a->strings["App.net"] = "App.net"; -$a->strings["Hubzilla/Redmatrix"] = "Hubzilla/Redmatrix"; -$a->strings["Post to Email"] = "Senda skilaboð á tölvupóst"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; -$a->strings["Hide your profile details from unknown viewers?"] = "Fela forsíðuupplýsingar fyrir óþekktum?"; -$a->strings["Visible to everybody"] = "Sjáanlegt öllum"; -$a->strings["show"] = "sýna"; -$a->strings["don't show"] = "fela"; -$a->strings["CC: email addresses"] = "CC: tölvupóstfang"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Dæmi: bibbi@vefur.is, mgga@vefur.is"; -$a->strings["Permissions"] = "Aðgangsheimildir"; -$a->strings["Close"] = "Loka"; -$a->strings["photo"] = "mynd"; -$a->strings["status"] = "staða"; -$a->strings["event"] = "atburður"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s líkar við %3\$s hjá %2\$s "; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s líkar ekki við %3\$s hjá %2\$s "; -$a->strings["%1\$s is attending %2\$s's %3\$s"] = ""; -$a->strings["%1\$s is not attending %2\$s's %3\$s"] = ""; -$a->strings["%1\$s may attend %2\$s's %3\$s"] = ""; -$a->strings["[no subject]"] = "[ekkert efni]"; -$a->strings["Wall Photos"] = "Veggmyndir"; -$a->strings["Click here to upgrade."] = "Smelltu hér til að uppfæra."; -$a->strings["This action exceeds the limits set by your subscription plan."] = ""; -$a->strings["This action is not available under your subscription plan."] = ""; -$a->strings["Error decoding account file"] = ""; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = ""; -$a->strings["Error! Cannot check nickname"] = ""; -$a->strings["User '%s' already exists on this server!"] = ""; -$a->strings["User creation error"] = ""; -$a->strings["User profile creation error"] = ""; -$a->strings["%d contact not imported"] = [ +$a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ 0 => "", 1 => "", ]; -$a->strings["Done. You can now login with your username and password"] = ""; -$a->strings["Miscellaneous"] = "Ýmislegt"; -$a->strings["Birthday:"] = "Afmælisdagur:"; -$a->strings["Age: "] = "Aldur: "; -$a->strings["YYYY-MM-DD or MM-DD"] = "ÁÁÁÁ-MM-DD eða MM-DD"; -$a->strings["never"] = "aldrei"; -$a->strings["less than a second ago"] = "fyrir minna en sekúndu"; -$a->strings["year"] = "ár"; -$a->strings["years"] = "ár"; -$a->strings["month"] = "mánuður"; -$a->strings["months"] = "mánuðir"; -$a->strings["week"] = "vika"; -$a->strings["weeks"] = "vikur"; -$a->strings["day"] = "dagur"; -$a->strings["days"] = "dagar"; -$a->strings["hour"] = "klukkustund"; -$a->strings["hours"] = "klukkustundir"; -$a->strings["minute"] = "mínúta"; -$a->strings["minutes"] = "mínútur"; -$a->strings["second"] = "sekúnda"; -$a->strings["seconds"] = "sekúndur"; -$a->strings["%1\$d %2\$s ago"] = "Fyrir %1\$d %2\$s síðan"; -$a->strings["%s's birthday"] = "Afmælisdagur %s"; -$a->strings["Happy Birthday %s"] = "Til hamingju með afmælið %s"; +$a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ + 0 => "", + 1 => "", +]; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = ""; +$a->strings["Profile Photos"] = "Forsíðumyndir"; $a->strings["Friendica Notification"] = "Friendica tilkynning"; $a->strings["Thank You,"] = "Takk fyrir,"; $a->strings["%s Administrator"] = "Kerfisstjóri %s"; $a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s kerfisstjóri"; $a->strings["noreply"] = "ekki svara"; -$a->strings["%s "] = "%s "; $a->strings["[Friendica:Notify] New mail received at %s"] = ""; $a->strings["%1\$s sent you a new private message at %2\$s."] = ""; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s sendi þér %2\$s."; $a->strings["a private message"] = "einkaskilaboð"; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s sendi þér %2\$s."; $a->strings["Please visit %s to view and/or reply to your private messages."] = "Farðu á %s til að skoða og/eða svara einkaskilaboðunum þínum."; $a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = ""; $a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = ""; @@ -249,7 +71,7 @@ $a->strings["'%1\$s' has accepted your connection request at %2\$s"] = ""; $a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = ""; $a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = ""; $a->strings["Please visit %s if you wish to make any changes to this relationship."] = ""; -$a->strings["'%1\$s' has chosen to accept you a \"fan\", which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = ""; +$a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = ""; $a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = ""; $a->strings["Please visit %s if you wish to make any changes to this relationship."] = ""; $a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Notify] beiðni um skráningu"; @@ -257,176 +79,23 @@ $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "" $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = ""; $a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = ""; $a->strings["Please visit %s to approve or reject the request."] = "Farðu á %s til að samþykkja eða hunsa þessa beiðni."; -$a->strings["l F d, Y \\@ g:i A"] = ""; -$a->strings["Starts:"] = "Byrjar:"; -$a->strings["Finishes:"] = "Endar:"; -$a->strings["Location:"] = "Staðsetning:"; -$a->strings["Sun"] = "Sun"; -$a->strings["Mon"] = "Mán"; -$a->strings["Tue"] = "Þri"; -$a->strings["Wed"] = "Mið"; -$a->strings["Thu"] = "Fim"; -$a->strings["Fri"] = "Fös"; -$a->strings["Sat"] = "Lau"; -$a->strings["Sunday"] = "Sunnudagur"; -$a->strings["Monday"] = "Mánudagur"; -$a->strings["Tuesday"] = "Þriðjudagur"; -$a->strings["Wednesday"] = "Miðvikudagur"; -$a->strings["Thursday"] = "Fimmtudagur"; -$a->strings["Friday"] = "Föstudagur"; -$a->strings["Saturday"] = "Laugardagur"; -$a->strings["Jan"] = "Jan"; -$a->strings["Feb"] = "Feb"; -$a->strings["Mar"] = "Mar"; -$a->strings["Apr"] = "Apr"; -$a->strings["May"] = "Maí"; -$a->strings["Jun"] = "Jún"; -$a->strings["Jul"] = "Júl"; -$a->strings["Aug"] = "Ágú"; -$a->strings["Sept"] = "Sept"; -$a->strings["Oct"] = "Okt"; -$a->strings["Nov"] = "Nóv"; -$a->strings["Dec"] = "Des"; -$a->strings["January"] = "Janúar"; -$a->strings["February"] = "Febrúar"; -$a->strings["March"] = "Mars"; -$a->strings["April"] = "Apríl"; -$a->strings["June"] = "Júní"; -$a->strings["July"] = "Júlí"; -$a->strings["August"] = "Ágúst"; -$a->strings["September"] = "September"; -$a->strings["October"] = "Október"; -$a->strings["November"] = "Nóvember"; -$a->strings["December"] = "Desember"; -$a->strings["today"] = "í dag"; -$a->strings["all-day"] = ""; -$a->strings["No events to display"] = ""; -$a->strings["l, F j"] = ""; -$a->strings["Edit event"] = "Breyta atburð"; -$a->strings["link to source"] = "slóð á heimild"; -$a->strings["Export"] = "Flytja út"; -$a->strings["Export calendar as ical"] = "Flytja dagatal út sem ICAL"; -$a->strings["Export calendar as csv"] = "Flytja dagatal út sem CSV"; -$a->strings["Nothing new here"] = "Ekkert nýtt hér"; -$a->strings["Clear notifications"] = "Hreinsa tilkynningar"; -$a->strings["@name, !forum, #tags, content"] = "@nafn, !spjallsvæði, #merki, innihald"; -$a->strings["Logout"] = "Útskrá"; -$a->strings["End this session"] = "Loka þessu innliti"; -$a->strings["Status"] = "Staða"; -$a->strings["Your posts and conversations"] = "Samtölin þín"; -$a->strings["Profile"] = "Forsíða"; -$a->strings["Your profile page"] = "Forsíðan þín"; -$a->strings["Photos"] = "Myndir"; -$a->strings["Your photos"] = "Myndirnar þínar"; -$a->strings["Videos"] = "Myndskeið"; -$a->strings["Your videos"] = "Myndskeiðin þín"; -$a->strings["Events"] = "Atburðir"; -$a->strings["Your events"] = "Atburðirnir þínir"; -$a->strings["Personal notes"] = "Einkaglósur"; -$a->strings["Your personal notes"] = "Einkaglósurnar þínar"; -$a->strings["Login"] = "Innskrá"; -$a->strings["Sign in"] = "Innskrá"; -$a->strings["Home"] = "Heim"; -$a->strings["Home Page"] = "Heimasíða"; -$a->strings["Register"] = "Nýskrá"; -$a->strings["Create an account"] = "Stofna notanda"; -$a->strings["Help"] = "Hjálp"; -$a->strings["Help and documentation"] = "Hjálp og leiðbeiningar"; -$a->strings["Apps"] = "Forrit"; -$a->strings["Addon applications, utilities, games"] = "Viðbótarforrit, nytjatól, leikir"; -$a->strings["Search"] = "Leita"; -$a->strings["Search site content"] = "Leita í efni á vef"; -$a->strings["Full Text"] = "Allur textinn"; -$a->strings["Tags"] = "Merki"; -$a->strings["Contacts"] = "Tengiliðir"; -$a->strings["Community"] = "Samfélag"; -$a->strings["Conversations on this site"] = "Samtöl á þessum vef"; -$a->strings["Conversations on the network"] = "Samtöl á þessu neti"; -$a->strings["Events and Calendar"] = "Atburðir og dagskrá"; -$a->strings["Directory"] = "Tengiliðalisti"; -$a->strings["People directory"] = "Nafnaskrá"; -$a->strings["Information"] = "Upplýsingar"; -$a->strings["Information about this friendica instance"] = "Upplýsingar um þetta tilvik Friendica"; -$a->strings["Network"] = "Samfélag"; -$a->strings["Conversations from your friends"] = "Samtöl frá vinum"; -$a->strings["Network Reset"] = "Núllstilling netkerfis"; -$a->strings["Load Network page with no filters"] = ""; -$a->strings["Introductions"] = "Kynningar"; -$a->strings["Friend Requests"] = "Vinabeiðnir"; -$a->strings["Notifications"] = "Tilkynningar"; -$a->strings["See all notifications"] = "Sjá allar tilkynningar"; -$a->strings["Mark as seen"] = "Merka sem séð"; -$a->strings["Mark all system notifications seen"] = "Merkja allar tilkynningar sem séðar"; -$a->strings["Messages"] = "Skilaboð"; -$a->strings["Private mail"] = "Einka skilaboð"; -$a->strings["Inbox"] = "Innhólf"; -$a->strings["Outbox"] = "Úthólf"; -$a->strings["New Message"] = "Ný skilaboð"; -$a->strings["Manage"] = "Umsýsla"; -$a->strings["Manage other pages"] = "Sýsla með aðrar síður"; -$a->strings["Delegations"] = ""; -$a->strings["Delegate Page Management"] = ""; -$a->strings["Settings"] = "Stillingar"; -$a->strings["Account settings"] = "Stillingar aðgangsreiknings"; -$a->strings["Profiles"] = "Forsíður"; -$a->strings["Manage/Edit Profiles"] = "Sýsla með forsíður"; -$a->strings["Manage/edit friends and contacts"] = "Sýsla með vini og tengiliði"; -$a->strings["Admin"] = "Stjórnborð"; -$a->strings["Site setup and configuration"] = "Uppsetning og stillingar vefsvæðis"; -$a->strings["Navigation"] = "Yfirsýn"; -$a->strings["Site map"] = "Yfirlit um vefsvæði"; -$a->strings["Contact Photos"] = "Myndir tengiliðs"; -$a->strings["Welcome "] = "Velkomin(n)"; -$a->strings["Please upload a profile photo."] = "Gerðu svo vel að hlaða inn forsíðumynd."; -$a->strings["Welcome back "] = "Velkomin(n) aftur"; -$a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = ""; -$a->strings["System"] = "Kerfi"; -$a->strings["Personal"] = "Einka"; -$a->strings["%s commented on %s's post"] = "%s athugasemd við %s's færslu"; -$a->strings["%s created a new post"] = "%s bjó til færslu"; -$a->strings["%s liked %s's post"] = "%s líkaði færsla hjá %s"; -$a->strings["%s disliked %s's post"] = "%s mislíkaði færsla hjá %s"; -$a->strings["%s is attending %s's event"] = ""; -$a->strings["%s is not attending %s's event"] = ""; -$a->strings["%s may attend %s's event"] = ""; -$a->strings["%s is now friends with %s"] = "%s er nú vinur %s"; -$a->strings["Friend Suggestion"] = "Vina tillaga"; -$a->strings["Friend/Connect Request"] = "Vinabeiðni/Tengibeiðni"; -$a->strings["New Follower"] = "Nýr fylgjandi"; -$a->strings["\n\t\t\tThe friendica developers released update %s recently,\n\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; -$a->strings["The error message is\n[pre]%s[/pre]"] = ""; -$a->strings["Errors encountered creating database tables."] = "Villur komu upp við að stofna töflur í gagnagrunn."; -$a->strings["Errors encountered performing database changes."] = ""; -$a->strings["(no subject)"] = "(ekkert efni)"; -$a->strings["Sharing notification from Diaspora network"] = "Tilkynning um að einhver deildi atriði á Diaspora netinu"; -$a->strings["Attachments:"] = "Viðhengi:"; -$a->strings["view full size"] = "Skoða í fullri stærð"; -$a->strings["View Profile"] = "Skoða forsíðu"; -$a->strings["View Status"] = "Skoða stöðu"; -$a->strings["View Photos"] = "Skoða myndir"; -$a->strings["Network Posts"] = ""; -$a->strings["View Contact"] = ""; -$a->strings["Drop Contact"] = "Henda tengilið"; -$a->strings["Send PM"] = "Senda einkaboð"; -$a->strings["Poke"] = "Pota"; -$a->strings["Organisation"] = ""; -$a->strings["News"] = ""; -$a->strings["Forum"] = "Spjallsvæði"; -$a->strings["Daily posting limit of %d posts reached. The post was rejected."] = ""; -$a->strings["Weekly posting limit of %d posts reached. The post was rejected."] = ""; -$a->strings["Monthly posting limit of %d posts reached. The post was rejected."] = ""; -$a->strings["Image/photo"] = "Mynd"; -$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; -$a->strings["$1 wrote:"] = "$1 skrifaði:"; -$a->strings["Encrypted content"] = "Dulritað efni"; -$a->strings["Invalid source protocol"] = ""; -$a->strings["Invalid link protocol"] = ""; +$a->strings["Item not found."] = "Atriði fannst ekki."; +$a->strings["Do you really want to delete this item?"] = "Viltu í alvörunni eyða þessu atriði?"; +$a->strings["Yes"] = "Já"; +$a->strings["Cancel"] = "Hætta við"; +$a->strings["Permission denied."] = "Heimild ekki veitt."; +$a->strings["Archives"] = "Safnskrár"; +$a->strings["show more"] = "birta meira"; +$a->strings["event"] = "atburður"; +$a->strings["status"] = "staða"; +$a->strings["photo"] = "mynd"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s líkar við %3\$s hjá %2\$s "; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s líkar ekki við %3\$s hjá %2\$s "; $a->strings["%1\$s attends %2\$s's %3\$s"] = ""; $a->strings["%1\$s doesn't attend %2\$s's %3\$s"] = ""; $a->strings["%1\$s attends maybe %2\$s's %3\$s"] = ""; $a->strings["%1\$s is now friends with %2\$s"] = "Núna er %1\$s vinur %2\$s"; $a->strings["%1\$s poked %2\$s"] = "%1\$s potaði í %2\$s"; -$a->strings["%1\$s is currently %2\$s"] = ""; $a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s merkti %2\$s's %3\$s með %4\$s"; $a->strings["post/item"] = ""; $a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = ""; @@ -449,13 +118,21 @@ $a->strings["Please wait"] = "Hinkraðu aðeins"; $a->strings["remove"] = "fjarlægja"; $a->strings["Delete Selected Items"] = "Eyða völdum færslum"; $a->strings["Follow Thread"] = "Fylgja þræði"; +$a->strings["View Status"] = "Skoða stöðu"; +$a->strings["View Profile"] = "Skoða forsíðu"; +$a->strings["View Photos"] = "Skoða myndir"; +$a->strings["Network Posts"] = ""; +$a->strings["View Contact"] = "Skoða tengilið"; +$a->strings["Send PM"] = "Senda einkaboð"; +$a->strings["Poke"] = "Pota"; +$a->strings["Connect/Follow"] = "Tengjast/fylgja"; $a->strings["%s likes this."] = "%s líkar þetta."; $a->strings["%s doesn't like this."] = "%s mislíkar þetta."; $a->strings["%s attends."] = "%s mætir."; $a->strings["%s doesn't attend."] = "%s mætir ekki."; $a->strings["%s attends maybe."] = "%s mætir kannski."; $a->strings["and"] = "og"; -$a->strings[", and %d other people"] = ", og %d öðrum"; +$a->strings["and %d other people"] = ""; $a->strings["%2\$d people like this"] = ""; $a->strings["%s like this."] = ""; $a->strings["%2\$d people don't like this"] = ""; @@ -465,7 +142,7 @@ $a->strings["%s attend."] = ""; $a->strings["%2\$d people don't attend"] = ""; $a->strings["%s don't attend."] = ""; $a->strings["%2\$d people attend maybe"] = ""; -$a->strings["%s anttend maybe."] = ""; +$a->strings["%s attend maybe."] = ""; $a->strings["Visible to everybody"] = "Sjáanlegt öllum"; $a->strings["Please enter a link URL:"] = "Sláðu inn slóð:"; $a->strings["Please enter a video link/URL:"] = "Settu inn slóð á myndskeið:"; @@ -474,6 +151,7 @@ $a->strings["Tag term:"] = "Merka með:"; $a->strings["Save to Folder:"] = "Vista í möppu:"; $a->strings["Where are you right now?"] = "Hvar ert þú núna?"; $a->strings["Delete item(s)?"] = "Eyða atriði/atriðum?"; +$a->strings["New Post"] = "Ný færsla"; $a->strings["Share"] = "Deila"; $a->strings["Upload photo"] = "Hlaða upp mynd"; $a->strings["upload photo"] = "Hlaða upp mynd"; @@ -495,7 +173,6 @@ $a->strings["Permission settings"] = "Stillingar aðgangsheimilda"; $a->strings["permissions"] = "aðgangsstýring"; $a->strings["Public post"] = "Opinber færsla"; $a->strings["Preview"] = "Forskoðun"; -$a->strings["Cancel"] = "Hætta við"; $a->strings["Post to Groups"] = "Senda á hópa"; $a->strings["Post to Contacts"] = "Senda á tengiliði"; $a->strings["Private post"] = "Einkafærsla"; @@ -514,140 +191,16 @@ $a->strings["Not Attending"] = [ 0 => "Mæti ekki", 1 => "Mæta ekki", ]; -$a->strings["%s\\'s birthday"] = "Afmælisdagur %s"; -$a->strings["General Features"] = "Almennir eiginleikar"; -$a->strings["Multiple Profiles"] = ""; -$a->strings["Ability to create multiple profiles"] = ""; -$a->strings["Photo Location"] = "Staðsetning ljósmyndar"; -$a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = ""; -$a->strings["Export Public Calendar"] = "Flytja út opinbert dagatal"; -$a->strings["Ability for visitors to download the public calendar"] = ""; -$a->strings["Post Composition Features"] = ""; -$a->strings["Richtext Editor"] = ""; -$a->strings["Enable richtext editor"] = ""; -$a->strings["Post Preview"] = ""; -$a->strings["Allow previewing posts and comments before publishing them"] = ""; -$a->strings["Auto-mention Forums"] = ""; -$a->strings["Add/remove mention when a forum page is selected/deselected in ACL window."] = ""; -$a->strings["Network Sidebar Widgets"] = ""; -$a->strings["Search by Date"] = "Leita eftir dagsetningu"; -$a->strings["Ability to select posts by date ranges"] = ""; -$a->strings["List Forums"] = "Spjallsvæðalistar"; -$a->strings["Enable widget to display the forums your are connected with"] = ""; -$a->strings["Group Filter"] = ""; -$a->strings["Enable widget to display Network posts only from selected group"] = ""; -$a->strings["Network Filter"] = ""; -$a->strings["Enable widget to display Network posts only from selected network"] = ""; -$a->strings["Saved Searches"] = "Vistaðar leitir"; -$a->strings["Save search terms for re-use"] = ""; -$a->strings["Network Tabs"] = ""; -$a->strings["Network Personal Tab"] = ""; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = ""; -$a->strings["Network New Tab"] = ""; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = ""; -$a->strings["Network Shared Links Tab"] = ""; -$a->strings["Enable tab to display only Network posts with links in them"] = ""; -$a->strings["Post/Comment Tools"] = ""; -$a->strings["Multiple Deletion"] = ""; -$a->strings["Select and delete multiple posts/comments at once"] = ""; -$a->strings["Edit Sent Posts"] = ""; -$a->strings["Edit and correct posts and comments after sending"] = ""; -$a->strings["Tagging"] = ""; -$a->strings["Ability to tag existing posts"] = ""; -$a->strings["Post Categories"] = ""; -$a->strings["Add categories to your posts"] = ""; -$a->strings["Ability to file posts under folders"] = ""; -$a->strings["Dislike Posts"] = ""; -$a->strings["Ability to dislike posts/comments"] = ""; -$a->strings["Star Posts"] = ""; -$a->strings["Ability to mark special posts with a star indicator"] = ""; -$a->strings["Mute Post Notifications"] = ""; -$a->strings["Ability to mute notifications for a thread"] = ""; -$a->strings["Advanced Profile Settings"] = ""; -$a->strings["Show visitors public community forums at the Advanced Profile Page"] = ""; -$a->strings["Disallowed profile URL."] = "Óleyfileg forsíðu slóð."; -$a->strings["Connect URL missing."] = "Tengislóð vantar."; -$a->strings["This site is not configured to allow communications with other networks."] = "Þessi vefur er ekki uppsettur til að leyfa samskipti við önnur samfélagsnet."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Engir samhæfðir samskiptastaðlar né fréttastraumar fundust."; -$a->strings["The profile address specified does not provide adequate information."] = "Uppgefin forsíðuslóð inniheldur ekki nægilegar upplýsingar."; -$a->strings["An author or name was not found."] = "Höfundur eða nafn fannst ekki."; -$a->strings["No browser URL could be matched to this address."] = "Engin vefslóð passaði við þetta vistfang."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = ""; -$a->strings["Use mailto: in front of address to force email check."] = ""; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Þessi forsíðu slóð tilheyrir neti sem er bannað á þessum vef."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Takmörkuð forsíða. Þessi tengiliður mun ekki getað tekið á móti beinum/einka tilkynningum frá þér."; -$a->strings["Unable to retrieve contact information."] = "Ekki hægt að sækja tengiliðs upplýsingar."; -$a->strings["Requested account is not available."] = "Umbeðin forsíða er ekki til."; -$a->strings["Requested profile is not available."] = "Umbeðin forsíða ekki til."; -$a->strings["Edit profile"] = "Breyta forsíðu"; -$a->strings["Atom feed"] = "Atom fréttaveita"; -$a->strings["Manage/edit profiles"] = "Sýsla með forsíður"; -$a->strings["Change profile photo"] = "Breyta forsíðumynd"; -$a->strings["Create New Profile"] = "Stofna nýja forsíðu"; -$a->strings["Profile Image"] = "Forsíðumynd"; -$a->strings["visible to everybody"] = "sýnilegt öllum"; -$a->strings["Edit visibility"] = "Sýsla með sýnileika"; -$a->strings["Gender:"] = "Kyn:"; -$a->strings["Status:"] = "Staða:"; -$a->strings["Homepage:"] = "Heimasíða:"; -$a->strings["About:"] = "Um:"; -$a->strings["XMPP:"] = ""; -$a->strings["Network:"] = "Netkerfi:"; -$a->strings["g A l F d"] = ""; -$a->strings["F d"] = ""; -$a->strings["[today]"] = "[í dag]"; -$a->strings["Birthday Reminders"] = "Afmælisáminningar"; -$a->strings["Birthdays this week:"] = "Afmæli í þessari viku:"; -$a->strings["[No description]"] = "[Engin lýsing]"; -$a->strings["Event Reminders"] = "Atburðaáminningar"; -$a->strings["Events this week:"] = "Atburðir vikunnar:"; -$a->strings["Full Name:"] = "Fullt nafn:"; -$a->strings["j F, Y"] = ""; -$a->strings["j F"] = ""; -$a->strings["Age:"] = "Aldur:"; -$a->strings["for %1\$d %2\$s"] = ""; -$a->strings["Sexual Preference:"] = "Kynhneigð:"; -$a->strings["Hometown:"] = "Heimabær:"; -$a->strings["Tags:"] = "Merki:"; -$a->strings["Political Views:"] = "Stórnmálaskoðanir:"; -$a->strings["Religion:"] = "Trúarskoðanir:"; -$a->strings["Hobbies/Interests:"] = "Áhugamál/Áhugasvið:"; -$a->strings["Likes:"] = "Líkar:"; -$a->strings["Dislikes:"] = "Mislíkar:"; -$a->strings["Contact information and Social Networks:"] = "Tengiliðaupplýsingar og samfélagsnet:"; -$a->strings["Musical interests:"] = "Tónlistaráhugi:"; -$a->strings["Books, literature:"] = "Bækur, bókmenntir:"; -$a->strings["Television:"] = "Sjónvarp:"; -$a->strings["Film/dance/culture/entertainment:"] = "Kvikmyndir/dans/menning/afþreying:"; -$a->strings["Love/Romance:"] = "Ást/rómantík:"; -$a->strings["Work/employment:"] = "Atvinna:"; -$a->strings["School/education:"] = "Skóli/menntun:"; -$a->strings["Forums:"] = "Spjallsvæði:"; -$a->strings["Basic"] = "Einfalt"; -$a->strings["Advanced"] = "Flóknari"; -$a->strings["Status Messages and Posts"] = "Stöðu skilaboð og færslur"; -$a->strings["Profile Details"] = "Forsíðu upplýsingar"; -$a->strings["Photo Albums"] = "Myndabækur"; -$a->strings["Personal Notes"] = "Persónulegar glósur"; -$a->strings["Only You Can See This"] = "Aðeins þú sérð þetta"; -$a->strings["[Name Withheld]"] = "[Nafn ekki sýnt]"; -$a->strings["Item not found."] = "Atriði fannst ekki."; -$a->strings["Do you really want to delete this item?"] = "Viltu í alvörunni eyða þessu atriði?"; -$a->strings["Yes"] = "Já"; -$a->strings["Permission denied."] = "Heimild ekki veitt."; -$a->strings["Archives"] = "Safnskrár"; -$a->strings["Embedded content"] = "Innbyggt efni"; -$a->strings["Embedding disabled"] = "Innfelling ekki leyfð"; -$a->strings["%s is now following %s."] = ""; -$a->strings["following"] = "fylgist með"; -$a->strings["%s stopped following %s."] = ""; -$a->strings["stopped following"] = "hætt að fylgja"; +$a->strings["Undecided"] = [ + 0 => "Óviss", + 1 => "Óvissir", +]; $a->strings["newer"] = "nýrri"; $a->strings["older"] = "eldri"; -$a->strings["prev"] = "á undan"; $a->strings["first"] = "fremsta"; -$a->strings["last"] = "síðasta"; +$a->strings["prev"] = "á undan"; $a->strings["next"] = "næsta"; +$a->strings["last"] = "síðasta"; $a->strings["Loading more entries..."] = "Hleð inn fleiri færslum..."; $a->strings["The end"] = "Endir"; $a->strings["No contacts"] = "Engir tengiliðir"; @@ -657,305 +210,91 @@ $a->strings["%d Contact"] = [ ]; $a->strings["View Contacts"] = "Skoða tengiliði"; $a->strings["Save"] = "Vista"; +$a->strings["Follow"] = "Fylgja"; +$a->strings["Search"] = "Leita"; +$a->strings["@name, !forum, #tags, content"] = "@nafn, !spjallsvæði, #merki, innihald"; +$a->strings["Full Text"] = "Allur textinn"; +$a->strings["Tags"] = "Merki"; +$a->strings["Contacts"] = "Tengiliðir"; +$a->strings["Forums"] = "Spjallsvæði"; $a->strings["poke"] = "pota"; $a->strings["poked"] = "potaði"; -$a->strings["ping"] = ""; +$a->strings["ping"] = "ping"; $a->strings["pinged"] = ""; $a->strings["prod"] = ""; $a->strings["prodded"] = ""; $a->strings["slap"] = ""; $a->strings["slapped"] = ""; -$a->strings["finger"] = ""; +$a->strings["finger"] = "fingur"; $a->strings["fingered"] = ""; $a->strings["rebuff"] = ""; $a->strings["rebuffed"] = ""; -$a->strings["happy"] = ""; -$a->strings["sad"] = ""; -$a->strings["mellow"] = ""; -$a->strings["tired"] = ""; -$a->strings["perky"] = ""; -$a->strings["angry"] = ""; -$a->strings["stupified"] = ""; -$a->strings["puzzled"] = ""; -$a->strings["interested"] = ""; -$a->strings["bitter"] = ""; -$a->strings["cheerful"] = ""; -$a->strings["alive"] = ""; -$a->strings["annoyed"] = ""; -$a->strings["anxious"] = ""; -$a->strings["cranky"] = ""; -$a->strings["disturbed"] = ""; -$a->strings["frustrated"] = ""; -$a->strings["motivated"] = ""; -$a->strings["relaxed"] = ""; -$a->strings["surprised"] = ""; +$a->strings["Monday"] = "Mánudagur"; +$a->strings["Tuesday"] = "Þriðjudagur"; +$a->strings["Wednesday"] = "Miðvikudagur"; +$a->strings["Thursday"] = "Fimmtudagur"; +$a->strings["Friday"] = "Föstudagur"; +$a->strings["Saturday"] = "Laugardagur"; +$a->strings["Sunday"] = "Sunnudagur"; +$a->strings["January"] = "Janúar"; +$a->strings["February"] = "Febrúar"; +$a->strings["March"] = "Mars"; +$a->strings["April"] = "Apríl"; +$a->strings["May"] = "Maí"; +$a->strings["June"] = "Júní"; +$a->strings["July"] = "Júlí"; +$a->strings["August"] = "Ágúst"; +$a->strings["September"] = "September"; +$a->strings["October"] = "Október"; +$a->strings["November"] = "Nóvember"; +$a->strings["December"] = "Desember"; +$a->strings["Mon"] = "Mán"; +$a->strings["Tue"] = "Þri"; +$a->strings["Wed"] = "Mið"; +$a->strings["Thu"] = "Fim"; +$a->strings["Fri"] = "Fös"; +$a->strings["Sat"] = "Lau"; +$a->strings["Sun"] = "Sun"; +$a->strings["Jan"] = "Jan"; +$a->strings["Feb"] = "Feb"; +$a->strings["Mar"] = "Mar"; +$a->strings["Apr"] = "Apr"; +$a->strings["Jul"] = "Júl"; +$a->strings["Aug"] = "Ágú"; +$a->strings["Sep"] = "sep"; +$a->strings["Oct"] = "Okt"; +$a->strings["Nov"] = "Nóv"; +$a->strings["Dec"] = "Des"; +$a->strings["Content warning: %s"] = "Viðvörun vegna innihalds: %s"; $a->strings["View Video"] = "Skoða myndskeið"; $a->strings["bytes"] = "bæti"; -$a->strings["Click to open/close"] = ""; -$a->strings["View on separate page"] = ""; -$a->strings["view on separate page"] = ""; +$a->strings["Click to open/close"] = "Smelltu til að opna/loka"; +$a->strings["View on separate page"] = "Skoða á sérstakri síðu"; +$a->strings["view on separate page"] = "skoða á sérstakri síðu"; +$a->strings["link to source"] = "slóð á heimild"; $a->strings["activity"] = "virkni"; $a->strings["comment"] = [ 0 => "athugasemd", 1 => "athugasemdir", ]; -$a->strings["post"] = ""; -$a->strings["Item filed"] = ""; -$a->strings["Passwords do not match. Password unchanged."] = "Aðgangsorð ber ekki saman. Aðgangsorð óbreytt."; -$a->strings["An invitation is required."] = "Boðskort er skilyrði."; -$a->strings["Invitation could not be verified."] = "Ekki hægt að sannreyna boðskort."; -$a->strings["Invalid OpenID url"] = "OpenID slóð ekki til"; -$a->strings["Please enter the required information."] = "Settu inn umbeðnar upplýsingar."; -$a->strings["Please use a shorter name."] = "Notaðu styttra nafn."; -$a->strings["Name too short."] = "Nafn of stutt."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Þetta virðist ekki vera fullt nafn (Jón Jónsson)."; -$a->strings["Your email domain is not among those allowed on this site."] = "Póstþjónninn er ekki í lista yfir leyfða póstþjóna á þessum vef."; -$a->strings["Not a valid email address."] = "Ekki gildt póstfang."; -$a->strings["Cannot use that email."] = "Ekki hægt að nota þetta póstfang."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\" and \"_\"."] = "Gælunafnið má bara innihalda \"a-z\", \"0-9, \"-\", \"_\"."; -$a->strings["Nickname is already registered. Please choose another."] = "Gælunafn þegar skráð. Veldu annað."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Gælunafn hefur áður skráð hér og er ekki hægt að endurnýta. Veldu eitthvað annað."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "VERULEGA ALVARLEG VILLA: Stofnun á öryggislyklum tókst ekki."; -$a->strings["An error occurred during registration. Please try again."] = "Villa kom upp við nýskráningu. Reyndu aftur."; -$a->strings["default"] = "sjálfgefið"; -$a->strings["An error occurred creating your default profile. Please try again."] = "Villa kom upp við að stofna sjálfgefna forsíðu. Vinnsamlegast reyndu aftur."; -$a->strings["Profile Photos"] = "Forsíðumyndir"; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t"] = ""; -$a->strings["Registration at %s"] = ""; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = ""; -$a->strings["\n\t\tThe login details are as follows:\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t%1\$s\n\t\t\tPassword:\t%5\$s\n\n\t\tYou may change your password from your account \"Settings\" page after logging\n\t\tin.\n\n\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\tYou may also wish to add some basic information to your default profile\n\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\tWe recommend setting your full name, adding a profile photo,\n\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\tthan that.\n\n\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\tIf you are new and do not know anybody here, they may help\n\t\tyou to make some new and interesting friends.\n\n\n\t\tThank you and welcome to %2\$s."] = ""; -$a->strings["Registration details for %s"] = "Nýskráningar upplýsingar fyrir %s"; -$a->strings["Post successful."] = "Melding tókst."; -$a->strings["Access denied."] = "Aðgangi hafnað."; -$a->strings["Welcome to %s"] = "Velkomin í %s"; -$a->strings["No more system notifications."] = "Ekki fleiri kerfistilkynningar."; -$a->strings["System Notifications"] = "Kerfistilkynningar"; -$a->strings["Remove term"] = "Fjarlæga gildi"; -$a->strings["Public access denied."] = "Alemennings aðgangur ekki veittur."; -$a->strings["Only logged in users are permitted to perform a search."] = "Aðeins innskráðir notendur geta framkvæmt leit."; -$a->strings["Too Many Requests"] = "Of margar beiðnir"; -$a->strings["Only one search per minute is permitted for not logged in users."] = "Notendur sem ekki eru innskráðir geta aðeins framkvæmt eina leit á mínútu."; -$a->strings["No results."] = "Engar leitarniðurstöður."; -$a->strings["Items tagged with: %s"] = "Atriði merkt með: %s"; -$a->strings["Results for: %s"] = "Niðurstöður fyrir: %s"; -$a->strings["This is Friendica, version"] = "Þetta er Friendica útgáfa"; -$a->strings["running at web location"] = "Keyrir á slóð"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Á Friendica.com er hægt að fræðast nánar um Friendica verkefnið."; -$a->strings["Bug reports and issues: please visit"] = "Villu tilkynningar og vandamál: endilega skoða"; -$a->strings["the bugtracker at github"] = "villuskráningu á GitHub"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Uppástungur, lof, framlög og svo framvegis - sendið tölvupóst á \"Info\" hjá Friendica - punktur com"; -$a->strings["Installed plugins/addons/apps:"] = "Uppsettar kerfiseiningar/viðbætur/forrit:"; -$a->strings["No installed plugins/addons/apps"] = "Engin uppsett kerfiseining/viðbót/forrit"; -$a->strings["No valid account found."] = "Engin gildur aðgangur fannst."; -$a->strings["Password reset request issued. Check your email."] = "Gefin var beiðni um breytingu á lykilorði. Opnaðu tölvupóstinn þinn."; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = ""; -$a->strings["\n\t\tFollow this link to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = ""; -$a->strings["Password reset requested at %s"] = "Beðið var um endurstillingu lykilorðs %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Ekki var hægt að sannreyna beiðni. (Það getur verið að þú hafir þegar verið búin/n að senda hana.) Endurstilling á lykilorði tókst ekki."; -$a->strings["Password Reset"] = "Endurstilling aðgangsorðs"; -$a->strings["Your password has been reset as requested."] = "Aðgangsorðið þitt hefur verið endurstilt."; -$a->strings["Your new password is"] = "Nýja aðgangsorð þitt er "; -$a->strings["Save or copy your new password - and then"] = "Vistaðu eða afritaðu nýja aðgangsorðið - og"; -$a->strings["click here to login"] = "smelltu síðan hér til að skrá þig inn"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Þú getur breytt aðgangsorðinu þínu á Stillingar síðunni eftir að þú hefur skráð þig inn."; -$a->strings["\n\t\t\t\tDear %1\$s,\n\t\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\t\tinformation for your records (or change your password immediately to\n\t\t\t\tsomething that you will remember).\n\t\t\t"] = ""; -$a->strings["\n\t\t\t\tYour login details are as follows:\n\n\t\t\t\tSite Location:\t%1\$s\n\t\t\t\tLogin Name:\t%2\$s\n\t\t\t\tPassword:\t%3\$s\n\n\t\t\t\tYou may change that password from your account settings page after logging in.\n\t\t\t"] = ""; -$a->strings["Your password has been changed at %s"] = "Aðgangsorðinu þínu var breytt í %s"; -$a->strings["Forgot your Password?"] = "Gleymdir þú lykilorði þínu?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Sláðu inn tölvupóstfangið þitt til að endurstilla aðgangsorðið og fá leiðbeiningar sendar með tölvupósti."; -$a->strings["Nickname or Email: "] = "Gælunafn eða póstfang: "; -$a->strings["Reset"] = "Endursetja"; -$a->strings["No profile"] = "Engin forsíða"; -$a->strings["Help:"] = "Hjálp:"; -$a->strings["Not Found"] = "Fannst ekki"; -$a->strings["Page not found."] = "Síða fannst ekki."; -$a->strings["Remote privacy information not available."] = "Persónuverndar upplýsingar ekki fyrir hendi á fjarlægum vefþjón."; -$a->strings["Visible to:"] = "Sýnilegt eftirfarandi:"; -$a->strings["OpenID protocol error. No ID returned."] = "Samskiptavilla í OpenID. Ekkert auðkenni barst."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = ""; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Þessi vefur hefur náð hámarks fjölda daglegra nýskráninga. Reyndu aftur á morgun."; -$a->strings["Import"] = "Flytja inn"; -$a->strings["Move account"] = "Flytja aðgang"; -$a->strings["You can import an account from another Friendica server."] = ""; -$a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = ""; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = ""; -$a->strings["Account file"] = ""; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = ""; -$a->strings["Visit %s's profile [%s]"] = "Heimsækja forsíðu %s [%s]"; -$a->strings["Edit contact"] = "Breyta tengilið"; -$a->strings["Contacts who are not members of a group"] = ""; -$a->strings["Export account"] = ""; -$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = ""; -$a->strings["Export all"] = ""; -$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = ""; -$a->strings["Export personal data"] = "Sækja persónuleg gögn"; -$a->strings["Total invitation limit exceeded."] = ""; -$a->strings["%s : Not a valid email address."] = "%s : Ekki gilt póstfang"; -$a->strings["Please join us on Friendica"] = ""; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = ""; -$a->strings["%s : Message delivery failed."] = "%s : Skilaboð komust ekki til skila."; -$a->strings["%d message sent."] = [ - 0 => "%d skilaboð send.", - 1 => "%d skilaboð send", -]; -$a->strings["You have no more invitations available"] = "Þú hefur ekki fleiri boðskort."; -$a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = ""; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = ""; -$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = ""; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = ""; -$a->strings["Send invitations"] = "Senda kynningar"; -$a->strings["Enter email addresses, one per line:"] = "Póstföng, eitt í hverja línu:"; -$a->strings["Your message:"] = "Skilaboðin:"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = ""; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Þú þarft að nota eftirfarandi boðskorta auðkenni: \$invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Þegar þú hefur nýskráð þig, hafðu samband við mig gegnum síðuna mína á:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = ""; -$a->strings["Submit"] = "Senda inn"; -$a->strings["Files"] = "Skrár"; -$a->strings["Permission denied"] = "Bannaður aðgangur"; -$a->strings["Invalid profile identifier."] = "Ógilt tengiliða auðkenni"; -$a->strings["Profile Visibility Editor"] = "Sýsla með sjáanleika forsíðu"; -$a->strings["Click on a contact to add or remove."] = "Ýttu á tengilið til að bæta við hóp eða taka úr hóp."; -$a->strings["Visible To"] = "Sjáanlegur hverjum"; -$a->strings["All Contacts (with secure profile access)"] = "Allir tengiliðir (með öruggann aðgang að forsíðu)"; -$a->strings["Tag removed"] = "Merki fjarlægt"; -$a->strings["Remove Item Tag"] = "Fjarlægja merki "; -$a->strings["Select a tag to remove: "] = "Veldu merki til að fjarlægja:"; -$a->strings["Remove"] = "Fjarlægja"; -$a->strings["Resubscribing to OStatus contacts"] = ""; -$a->strings["Error"] = ""; -$a->strings["Done"] = "Lokið"; -$a->strings["Keep this window open until done."] = ""; -$a->strings["No potential page delegates located."] = "Engir mögulegir viðtakendur síðunnar fundust."; -$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = ""; -$a->strings["Existing Page Managers"] = ""; -$a->strings["Existing Page Delegates"] = ""; -$a->strings["Potential Delegates"] = ""; -$a->strings["Add"] = "Bæta við"; -$a->strings["No entries."] = "Engar færslur."; -$a->strings["Credits"] = ""; -$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = ""; -$a->strings["- select -"] = "- veldu -"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = ""; -$a->strings["Item not available."] = "Atriði ekki í boði."; -$a->strings["Item was not found."] = "Atriði fannst ekki"; -$a->strings["You must be logged in to use addons. "] = "Þú verður að vera skráður inn til að geta notað viðbætur. "; -$a->strings["Applications"] = "Forrit"; -$a->strings["No installed applications."] = "Engin uppsett forrit"; -$a->strings["Not Extended"] = ""; -$a->strings["Welcome to Friendica"] = "Velkomin(n) á Friendica"; -$a->strings["New Member Checklist"] = "Nýr notandi verklisti"; -$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = ""; -$a->strings["Getting Started"] = ""; -$a->strings["Friendica Walk-Through"] = ""; -$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = ""; -$a->strings["Go to Your Settings"] = ""; -$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = ""; -$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Yfirfarðu aðrar stillingar, sérstaklega gagnaleyndarstillingar. Óútgefin forsíða er einsog óskráð símanúmer. Sem þýðir að líklega viltu gefa út forsíðuna þína - nema að allir vinir þínir og tilvonandi vinir viti nákvæmlega hvernig á að finna þig."; -$a->strings["Upload Profile Photo"] = "Hlaða upp forsíðu mynd"; -$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Að hlaða upp forsíðu mynd ef þú hefur ekki þegar gert það. Rannsóknir sýna að fólk sem hefur alvöru mynd af sér er tíu sinnum líklegra til að eignast vini en fólk sem ekki hefur mynd."; -$a->strings["Edit Your Profile"] = ""; -$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Breyttu sjálfgefnu forsíðunni einsog þú villt. Yfirfarðu stillingu til að fela vinalista á forsíðu og stillingu til að fela forsíðu fyrir ókunnum."; -$a->strings["Profile Keywords"] = ""; -$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Bættu við leitarorðum í sjálfgefnu forsíðuna þína sem lýsa áhugamálum þínum. Þá er hægt að fólk með svipuð áhugamál og stinga uppá vinskap."; -$a->strings["Connecting"] = "Tengist"; -$a->strings["Importing Emails"] = ""; -$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = "Fylltu út aðgangsupplýsingar póstfangsins þíns á Tengistillingasíðunni ef þú vilt sækja tölvupóst og eiga samskipti við vini eða póstlista úr innhólfi tölvupóstsins þíns"; -$a->strings["Go to Your Contacts Page"] = ""; -$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Tengiliðasíðan er gáttin þín til að sýsla með vinasambönd og tengjast við vini á öðrum netum. Oftast setur þú vistfang eða slóð þeirra í Bæta við tengilið glugganum."; -$a->strings["Go to Your Site's Directory"] = ""; -$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "Tengiliðalistinn er góð leit til að finna fólk á samfélagsnetinu eða öðrum sambandsnetum. Leitaðu að Tengjast/Connect eða Fylgja/Follow tenglum á forsíðunni þeirra. Mögulega þarftu að gefa upp auðkennisslóðina þína."; -$a->strings["Finding New People"] = ""; -$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = ""; -$a->strings["Group Your Contacts"] = ""; -$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = "Eftir að þú hefur eignast nokkra vini, þá er best að flokka þá niður í hópa á hliðar slánni á Tengiliðasíðunni. Eftir það getur þú haft samskipti við hvern hóp fyrir sig á Samfélagssíðunni."; -$a->strings["Why Aren't My Posts Public?"] = ""; -$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = ""; -$a->strings["Getting Help"] = ""; -$a->strings["Go to the Help Section"] = ""; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Hægt er að styðjast við Hjálp síðuna til að fá leiðbeiningar um aðra eiginleika."; -$a->strings["Remove My Account"] = "Eyða þessum notanda"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Þetta mun algjörlega eyða notandanum. Þegar þetta hefur verið gert er þetta ekki afturkræft."; -$a->strings["Please enter your password for verification:"] = "Sláðu inn aðgangsorð yðar:"; -$a->strings["Item not found"] = "Atriði fannst ekki"; -$a->strings["Edit post"] = "Breyta skilaboðum"; -$a->strings["Time Conversion"] = "Tíma leiðréttir"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica veitir þessa þjónustu til að deila atburðum milli neta og vina í óþekktum tímabeltum."; -$a->strings["UTC time: %s"] = "Máltími: %s"; -$a->strings["Current timezone: %s"] = "Núverandi tímabelti: %s"; -$a->strings["Converted localtime: %s"] = "Umbreyttur staðartími: %s"; -$a->strings["Please select your timezone:"] = "Veldu tímabeltið þitt:"; -$a->strings["The post was created"] = ""; -$a->strings["Group created."] = "Hópur stofnaður"; -$a->strings["Could not create group."] = "Gat ekki stofnað hóp."; -$a->strings["Group not found."] = "Hópur fannst ekki."; -$a->strings["Group name changed."] = "Hópur endurskýrður."; -$a->strings["Save Group"] = ""; -$a->strings["Create a group of contacts/friends."] = "Stofna hóp af tengiliðum/vinum"; -$a->strings["Group removed."] = "Hópi eytt."; -$a->strings["Unable to remove group."] = "Ekki tókst að eyða hóp."; -$a->strings["Group Editor"] = "Hópa sýslari"; -$a->strings["Members"] = "Aðilar"; -$a->strings["All Contacts"] = "Allir tengiliðir"; -$a->strings["Group is empty"] = "Hópur er tómur"; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = ""; -$a->strings["No recipient selected."] = "Engir viðtakendur valdir."; -$a->strings["Unable to check your home location."] = ""; -$a->strings["Message could not be sent."] = "Ekki tókst að senda skilaboð."; -$a->strings["Message collection failure."] = "Ekki tókst að sækja skilaboð."; -$a->strings["Message sent."] = "Skilaboð send."; -$a->strings["No recipient."] = ""; -$a->strings["Send Private Message"] = "Senda einkaskilaboð"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = ""; -$a->strings["To:"] = "Til:"; -$a->strings["Subject:"] = "Efni:"; -$a->strings["link"] = "tengill"; +$a->strings["post"] = "senda"; +$a->strings["Item filed"] = "Atriði skráð"; +$a->strings["No friends to display."] = "Engir vinir til að birta."; +$a->strings["Connect"] = "Tengjast"; $a->strings["Authorize application connection"] = "Leyfa forriti að tengjast"; $a->strings["Return to your app and insert this Securty Code:"] = "Farðu aftur í forritið þitt og settu þennan öryggiskóða þar"; $a->strings["Please login to continue."] = "Skráðu þig inn til að halda áfram."; $a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Vilt þú leyfa þessu forriti að hafa aðgang að færslum og tengiliðum, og/eða stofna nýjar færslur fyrir þig?"; $a->strings["No"] = "Nei"; -$a->strings["Source (bbcode) text:"] = ""; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = ""; -$a->strings["Source input: "] = ""; -$a->strings["bb2html (raw HTML): "] = "bb2html (hrátt HTML): "; -$a->strings["bb2html: "] = "bb2html: "; -$a->strings["bb2html2bb: "] = "bb2html2bb: "; -$a->strings["bb2md: "] = "bb2md: "; -$a->strings["bb2md2html: "] = "bb2md2html: "; -$a->strings["bb2dia2bb: "] = "bb2dia2bb: "; -$a->strings["bb2md2html2bb: "] = "bb2md2html2bb: "; -$a->strings["Source input (Diaspora format): "] = ""; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Subscribing to OStatus contacts"] = ""; -$a->strings["No contact provided."] = ""; -$a->strings["Couldn't fetch information for contact."] = ""; -$a->strings["Couldn't fetch friends for contact."] = ""; -$a->strings["success"] = "tókst"; -$a->strings["failed"] = "mistókst"; -$a->strings["ignored"] = "hunsað"; -$a->strings["%1\$s welcomes %2\$s"] = ""; -$a->strings["Unable to locate contact information."] = "Ekki tókst að staðsetja tengiliðs upplýsingar."; -$a->strings["Do you really want to delete this message?"] = ""; -$a->strings["Message deleted."] = "Skilaboðum eytt."; -$a->strings["Conversation removed."] = "Samtali eytt."; -$a->strings["No messages."] = "Engin skilaboð."; -$a->strings["Message not available."] = "Ekki næst í skilaboð."; -$a->strings["Delete message"] = "Eyða skilaboðum"; -$a->strings["Delete conversation"] = "Eyða samtali"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = ""; -$a->strings["Send Reply"] = "Senda svar"; -$a->strings["Unknown sender - %s"] = ""; -$a->strings["You and %s"] = ""; -$a->strings["%s and You"] = ""; -$a->strings["D, d M Y - g:i A"] = ""; -$a->strings["%d message"] = [ - 0 => "", - 1 => "", -]; -$a->strings["Manage Identities and/or Pages"] = "Sýsla með notendur og/eða síður"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Skipta á milli auðkenna eða hópa- / stjörnunotanda sem deila þínum aðgangs upplýsingum eða þér verið úthlutað \"umsýslu\" réttindum."; -$a->strings["Select an identity to manage: "] = "Veldu notanda til að sýsla með:"; +$a->strings["You must be logged in to use addons. "] = "Þú verður að vera skráður inn til að geta notað viðbætur. "; +$a->strings["Applications"] = "Forrit"; +$a->strings["No installed applications."] = "Engin uppsett forrit"; +$a->strings["Item not available."] = "Atriði ekki í boði."; +$a->strings["Item was not found."] = "Atriði fannst ekki"; +$a->strings["No contacts in common."] = "Engir sameiginlegir tengiliðir."; +$a->strings["Common Friends"] = "Sameiginlegir vinir"; +$a->strings["Credits"] = "Þakkir"; +$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = ""; $a->strings["Contact settings applied."] = "Stillingar tengiliðs uppfærðar."; $a->strings["Contact update failed."] = "Uppfærsla tengiliðs mistókst."; $a->strings["Contact not found."] = "Tengiliður fannst ekki."; @@ -966,6 +305,7 @@ $a->strings["Mirror as forwarded posting"] = ""; $a->strings["Mirror as my own posting"] = ""; $a->strings["Return to contact editor"] = "Fara til baka í tengiliðasýsl"; $a->strings["Refetch contact data"] = ""; +$a->strings["Submit"] = "Senda inn"; $a->strings["Remote Self"] = ""; $a->strings["Mirror postings from this contact"] = ""; $a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = ""; @@ -978,80 +318,85 @@ $a->strings["Friend Confirm URL"] = "Slóð vina staðfestingar "; $a->strings["Notification Endpoint URL"] = "Slóð loka tilkynningar"; $a->strings["Poll/Feed URL"] = "Slóð á könnun/fréttastraum"; $a->strings["New photo from this URL"] = "Ný mynd frá slóð"; -$a->strings["No such group"] = "Hópur ekki til"; -$a->strings["Group: %s"] = ""; -$a->strings["This entry was edited"] = ""; -$a->strings["%d comment"] = [ - 0 => "%d ummæli", - 1 => "%d ummæli", -]; -$a->strings["Private Message"] = "Einkaskilaboð"; -$a->strings["I like this (toggle)"] = "Mér líkar þetta (kveikja/slökkva)"; -$a->strings["like"] = "líkar"; -$a->strings["I don't like this (toggle)"] = "Mér líkar þetta ekki (kveikja/slökkva)"; -$a->strings["dislike"] = "mislíkar"; -$a->strings["Share this"] = "Deila þessu"; -$a->strings["share"] = "deila"; -$a->strings["This is you"] = "Þetta ert þú"; -$a->strings["Comment"] = "Athugasemd"; -$a->strings["Bold"] = "Feitletrað"; -$a->strings["Italic"] = "Skáletrað"; -$a->strings["Underline"] = "Undirstrikað"; -$a->strings["Quote"] = "Gæsalappir"; -$a->strings["Code"] = "Kóði"; -$a->strings["Image"] = "Mynd"; -$a->strings["Link"] = "Tengill"; -$a->strings["Video"] = "Myndband"; -$a->strings["Edit"] = "Breyta"; -$a->strings["add star"] = "bæta við stjörnu"; -$a->strings["remove star"] = "eyða stjörnu"; -$a->strings["toggle star status"] = "Kveikja/slökkva á stjörnu"; -$a->strings["starred"] = "stjörnumerkt"; -$a->strings["add tag"] = "bæta við merki"; -$a->strings["ignore thread"] = ""; -$a->strings["unignore thread"] = ""; -$a->strings["toggle ignore status"] = ""; -$a->strings["save to folder"] = "vista í möppu"; -$a->strings["I will attend"] = ""; -$a->strings["I will not attend"] = ""; -$a->strings["I might attend"] = ""; -$a->strings["to"] = "við"; -$a->strings["Wall-to-Wall"] = "vegg við vegg"; -$a->strings["via Wall-To-Wall:"] = "gegnum vegg við vegg"; -$a->strings["Friend suggestion sent."] = "Vina tillaga send"; -$a->strings["Suggest Friends"] = "Stinga uppá vinum"; -$a->strings["Suggest a friend for %s"] = "Stinga uppá vin fyrir %s"; -$a->strings["Mood"] = ""; -$a->strings["Set your current mood and tell your friends"] = ""; -$a->strings["Poke/Prod"] = ""; -$a->strings["poke, prod or do other things to somebody"] = ""; -$a->strings["Recipient"] = ""; -$a->strings["Choose what you wish to do to recipient"] = ""; -$a->strings["Make this post private"] = ""; -$a->strings["Image uploaded but image cropping failed."] = "Tókst að hala upp mynd en afskurður tókst ekki."; -$a->strings["Image size reduction [%s] failed."] = "Myndar minnkun [%s] tókst ekki."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ýta þarf á "; -$a->strings["Unable to process image"] = "Ekki tókst að vinna mynd"; -$a->strings["Image exceeds size limit of %s"] = ""; -$a->strings["Unable to process image."] = "Ekki mögulegt afgreiða mynd"; -$a->strings["Upload File:"] = "Hlaða upp skrá:"; -$a->strings["Select a profile:"] = ""; -$a->strings["Upload"] = "Hlaða upp"; -$a->strings["or"] = "eða"; -$a->strings["skip this step"] = "sleppa þessu skrefi"; -$a->strings["select a photo from your photo albums"] = "velja mynd í myndabókum"; -$a->strings["Crop Image"] = "Skera af mynd"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Stilltu afskurð fyrir besta birtingu."; -$a->strings["Done Editing"] = "Breyting kláruð"; -$a->strings["Image uploaded successfully."] = "Upphölun á mynd tóks."; -$a->strings["Image upload failed."] = "Ekki hægt að hlaða upp mynd."; -$a->strings["Account approved."] = "Notandi samþykktur."; -$a->strings["Registration revoked for %s"] = "Skráning afturköllurð vegna %s"; -$a->strings["Please login."] = "Skráðu yður inn."; +$a->strings["Photos"] = "Myndir"; +$a->strings["Contact Photos"] = "Myndir tengiliðs"; +$a->strings["Upload"] = "Senda inn"; +$a->strings["Files"] = "Skrár"; +$a->strings["Not Found"] = "Fannst ekki"; +$a->strings["No profile"] = "Engin forsíða"; +$a->strings["Help:"] = "Hjálp:"; +$a->strings["Help"] = "Hjálp"; +$a->strings["Page not found."] = "Síða fannst ekki."; +$a->strings["Welcome to %s"] = "Velkomin í %s"; +$a->strings["Remote privacy information not available."] = "Persónuverndar upplýsingar ekki fyrir hendi á fjarlægum vefþjón."; +$a->strings["Visible to:"] = "Sýnilegt eftirfarandi:"; +$a->strings["System down for maintenance"] = "Kerfið er óvirkt vegna viðhalds"; +$a->strings["Welcome to Friendica"] = "Velkomin(n) á Friendica"; +$a->strings["New Member Checklist"] = "Gátlisti nýs notanda"; +$a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = ""; +$a->strings["Getting Started"] = "Til að komast í gang"; +$a->strings["Friendica Walk-Through"] = "Leiðarvísir Friendica"; +$a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = ""; +$a->strings["Settings"] = "Stillingar"; +$a->strings["Go to Your Settings"] = "Farðu í stillingarnar þínar"; +$a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = ""; +$a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Yfirfarðu aðrar stillingar, sérstaklega gagnaleyndarstillingar. Óútgefin forsíða er einsog óskráð símanúmer. Sem þýðir að líklega viltu gefa út forsíðuna þína - nema að allir vinir þínir og tilvonandi vinir viti nákvæmlega hvernig á að finna þig."; +$a->strings["Profile"] = "Forsíða"; +$a->strings["Upload Profile Photo"] = "Hlaða upp forsíðu mynd"; +$a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Að hlaða upp forsíðu mynd ef þú hefur ekki þegar gert það. Rannsóknir sýna að fólk sem hefur alvöru mynd af sér er tíu sinnum líklegra til að eignast vini en fólk sem ekki hefur mynd."; +$a->strings["Edit Your Profile"] = ""; +$a->strings["Edit your default profile to your liking. Review the settings for hiding your list of friends and hiding the profile from unknown visitors."] = "Breyttu sjálfgefnu forsíðunni einsog þú villt. Yfirfarðu stillingu til að fela vinalista á forsíðu og stillingu til að fela forsíðu fyrir ókunnum."; +$a->strings["Profile Keywords"] = ""; +$a->strings["Set some public keywords for your default profile which describe your interests. We may be able to find other people with similar interests and suggest friendships."] = "Bættu við leitarorðum í sjálfgefnu forsíðuna þína sem lýsa áhugamálum þínum. Þá er hægt að fólk með svipuð áhugamál og stinga uppá vinskap."; +$a->strings["Connecting"] = "Tengist"; +$a->strings["Importing Emails"] = "Flyt inn pósta"; +$a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = "Fylltu út aðgangsupplýsingar póstfangsins þíns á Tengistillingasíðunni ef þú vilt sækja tölvupóst og eiga samskipti við vini eða póstlista úr innhólfi tölvupóstsins þíns"; +$a->strings["Go to Your Contacts Page"] = ""; +$a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Tengiliðasíðan er gáttin þín til að sýsla með vinasambönd og tengjast við vini á öðrum netum. Oftast setur þú vistfang eða slóð þeirra í Bæta við tengilið glugganum."; +$a->strings["Go to Your Site's Directory"] = ""; +$a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "Tengiliðalistinn er góð leit til að finna fólk á samfélagsnetinu eða öðrum sambandsnetum. Leitaðu að Tengjast/Connect eða Fylgja/Follow tenglum á forsíðunni þeirra. Mögulega þarftu að gefa upp auðkennisslóðina þína."; +$a->strings["Finding New People"] = ""; +$a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = ""; +$a->strings["Groups"] = "Hópar"; +$a->strings["Group Your Contacts"] = ""; +$a->strings["Once you have made some friends, organize them into private conversation groups from the sidebar of your Contacts page and then you can interact with each group privately on your Network page."] = "Eftir að þú hefur eignast nokkra vini, þá er best að flokka þá niður í hópa á hliðar slánni á Tengiliðasíðunni. Eftir það getur þú haft samskipti við hvern hóp fyrir sig á Samfélagssíðunni."; +$a->strings["Why Aren't My Posts Public?"] = ""; +$a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = ""; +$a->strings["Getting Help"] = "Til að fá hjálp"; +$a->strings["Go to the Help Section"] = ""; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Hægt er að styðjast við Hjálp síðuna til að fá leiðbeiningar um aðra eiginleika."; +$a->strings["Visit %s's profile [%s]"] = "Heimsækja forsíðu %s [%s]"; +$a->strings["Edit contact"] = "Breyta tengilið"; +$a->strings["Contacts who are not members of a group"] = ""; +$a->strings["Not Extended"] = ""; +$a->strings["Resubscribing to OStatus contacts"] = ""; +$a->strings["Error"] = "Villa"; +$a->strings["Done"] = "Lokið"; +$a->strings["Keep this window open until done."] = ""; +$a->strings["Do you really want to delete this suggestion?"] = ""; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Engar uppástungur tiltækar. Ef þetta er nýr vefur, reyndu þá aftur eftir um 24 klukkustundir."; +$a->strings["Ignore/Hide"] = "Hunsa/Fela"; +$a->strings["Friend Suggestions"] = "Vina uppástungur"; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Þessi vefur hefur náð hámarks fjölda daglegra nýskráninga. Reyndu aftur á morgun."; +$a->strings["Import"] = "Flytja inn"; +$a->strings["Move account"] = "Flytja aðgang"; +$a->strings["You can import an account from another Friendica server."] = ""; +$a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = ""; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = ""; +$a->strings["Account file"] = ""; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = ""; +$a->strings["[Embedded content - reload page to view]"] = "[Innfelt efni - endurhlaða síðu til að sjá]"; +$a->strings["%1\$s welcomes %2\$s"] = ""; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Engin leitarorð. Bættu við leitarorðum í sjálfgefnu forsíðuna."; +$a->strings["is interested in:"] = "hefur áhuga á:"; +$a->strings["Profile Match"] = "Forsíða fannst"; +$a->strings["No matches"] = "Engar leitarniðurstöður"; $a->strings["Invalid request identifier."] = "Ógilt auðkenni beiðnar."; $a->strings["Discard"] = "Henda"; $a->strings["Ignore"] = "Hunsa"; +$a->strings["Notifications"] = "Tilkynningar"; $a->strings["Network Notifications"] = "Tilkynningar á neti"; +$a->strings["System Notifications"] = "Kerfistilkynningar"; $a->strings["Personal Notifications"] = "Einkatilkynningar."; $a->strings["Home Notifications"] = "Tilkynningar frá heimasvæði"; $a->strings["Show Ignored Requests"] = "Sýna hunsaðar beiðnir"; @@ -1065,134 +410,270 @@ $a->strings["Approve"] = "Samþykkja"; $a->strings["Claims to be known to you: "] = "Þykist þekkja þig:"; $a->strings["yes"] = "já"; $a->strings["no"] = "nei"; -$a->strings["Shall your connection be bidirectional or not? \"Friend\" implies that you allow to read and you subscribe to their posts. \"Fan/Admirer\" means that you allow to read but you do not want to read theirs. Approve as: "] = ""; -$a->strings["Shall your connection be bidirectional or not? \"Friend\" implies that you allow to read and you subscribe to their posts. \"Sharer\" means that you allow to read but you do not want to read theirs. Approve as: "] = ""; +$a->strings["Shall your connection be bidirectional or not?"] = ""; +$a->strings["Accepting %s as a friend allows %s to subscribe to your posts, and you will also receive updates from them in your news feed."] = ""; +$a->strings["Accepting %s as a subscriber allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = ""; +$a->strings["Accepting %s as a sharer allows them to subscribe to your posts, but you will not receive updates from them in your news feed."] = ""; $a->strings["Friend"] = "Vin"; $a->strings["Sharer"] = "Deilir"; -$a->strings["Fan/Admirer"] = "Fylgjandi/Aðdáandi"; +$a->strings["Subscriber"] = "Áskrifandi"; +$a->strings["Location:"] = "Staðsetning:"; +$a->strings["About:"] = "Um:"; +$a->strings["Tags:"] = "Merki:"; +$a->strings["Gender:"] = "Kyn:"; $a->strings["Profile URL"] = "Slóð á forsíðu"; +$a->strings["Network:"] = "Netkerfi:"; $a->strings["No introductions."] = "Engar kynningar."; -$a->strings["Show unread"] = ""; -$a->strings["Show all"] = ""; -$a->strings["No more %s notifications."] = ""; +$a->strings["Show unread"] = "Birta ólesið"; +$a->strings["Show all"] = "Birta allt"; +$a->strings["No more %s notifications."] = "Ekki fleiri %s tilkynningar."; +$a->strings["OpenID protocol error. No ID returned."] = "Samskiptavilla í OpenID. Ekkert auðkenni barst."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = ""; +$a->strings["Login failed."] = "Innskráning mistókst."; $a->strings["Profile not found."] = "Forsíða fannst ekki."; -$a->strings["Profile deleted."] = "Forsíðu eytt."; -$a->strings["Profile-"] = "Forsíða-"; -$a->strings["New profile created."] = "Ný forsíða búinn til."; -$a->strings["Profile unavailable to clone."] = "Ekki tókst að klóna forsíðu"; -$a->strings["Profile Name is required."] = "Nafn á forsíðu er skilyrði"; -$a->strings["Marital Status"] = ""; -$a->strings["Romantic Partner"] = ""; -$a->strings["Work/Employment"] = ""; -$a->strings["Religion"] = ""; -$a->strings["Political Views"] = ""; -$a->strings["Gender"] = ""; -$a->strings["Sexual Preference"] = ""; -$a->strings["XMPP"] = ""; -$a->strings["Homepage"] = ""; -$a->strings["Interests"] = ""; -$a->strings["Address"] = ""; -$a->strings["Location"] = ""; -$a->strings["Profile updated."] = "Forsíða uppfærð."; -$a->strings[" and "] = "og"; -$a->strings["public profile"] = "Opinber forsíða"; -$a->strings["%1\$s changed %2\$s to “%3\$s”"] = ""; -$a->strings[" - Visit %1\$s's %2\$s"] = ""; -$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s hefur uppfært %2\$s, með því að breyta %3\$s."; -$a->strings["Hide contacts and friends:"] = ""; -$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Fela tengiliða-/vinalista á þessari forsíðu?"; -$a->strings["Show more profile fields:"] = ""; -$a->strings["Profile Actions"] = ""; -$a->strings["Edit Profile Details"] = "Breyta forsíðu upplýsingum"; -$a->strings["Change Profile Photo"] = ""; -$a->strings["View this profile"] = "Skoða þessa forsíðu"; -$a->strings["Create a new profile using these settings"] = "Búa til nýja forsíðu með þessum stillingum"; -$a->strings["Clone this profile"] = "Klóna þessa forsíðu"; -$a->strings["Delete this profile"] = "Eyða þessari forsíðu"; -$a->strings["Basic information"] = ""; -$a->strings["Profile picture"] = ""; -$a->strings["Preferences"] = ""; -$a->strings["Status information"] = ""; -$a->strings["Additional information"] = ""; -$a->strings["Relation"] = ""; -$a->strings["Your Gender:"] = "Kyn:"; -$a->strings[" Marital Status:"] = " Hjúskaparstaða:"; -$a->strings["Example: fishing photography software"] = "Til dæmis: fishing photography software"; -$a->strings["Profile Name:"] = "Forsíðu nafn:"; -$a->strings["Required"] = "Nauðsynlegt"; -$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Þetta er opinber forsíða.
Hún verður sjáanleg öðrum sem nota alnetið."; -$a->strings["Your Full Name:"] = "Fullt nafn:"; -$a->strings["Title/Description:"] = "Starfsheiti/Lýsing:"; -$a->strings["Street Address:"] = "Gata:"; -$a->strings["Locality/City:"] = "Bær/Borg:"; -$a->strings["Region/State:"] = "Svæði/Sýsla"; -$a->strings["Postal/Zip Code:"] = "Póstnúmer:"; -$a->strings["Country:"] = "Land:"; -$a->strings["Who: (if applicable)"] = "Hver: (ef við á)"; -$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Dæmi: cathy123, Cathy Williams, cathy@example.com"; -$a->strings["Since [date]:"] = ""; -$a->strings["Tell us about yourself..."] = "Segðu okkur frá sjálfum þér..."; -$a->strings["XMPP (Jabber) address:"] = ""; -$a->strings["The XMPP address will be propagated to your contacts so that they can follow you."] = ""; -$a->strings["Homepage URL:"] = "Slóð heimasíðu:"; -$a->strings["Religious Views:"] = "Trúarskoðanir"; -$a->strings["Public Keywords:"] = "Opinber leitarorð:"; -$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Notað til að stinga uppá mögulegum vinum, aðrir geta séð)"; -$a->strings["Private Keywords:"] = "Einka leitarorð:"; -$a->strings["(Used for searching profiles, never shown to others)"] = "(Notað við leit að öðrum notendum, aldrei sýnt öðrum)"; -$a->strings["Musical interests"] = "Tónlistarsmekkur"; -$a->strings["Books, literature"] = "Bækur, bókmenntir"; -$a->strings["Television"] = "Sjónvarp"; -$a->strings["Film/dance/culture/entertainment"] = "Kvikmyndir/dans/menning/afþreying"; -$a->strings["Hobbies/Interests"] = "Áhugamál"; -$a->strings["Love/romance"] = "Ást/rómantík"; -$a->strings["Work/employment"] = "Atvinna:"; -$a->strings["School/education"] = "Skóli/menntun"; -$a->strings["Contact information and Social Networks"] = "Tengiliðaupplýsingar og samfélagsnet"; -$a->strings["Edit/Manage Profiles"] = "Sýsla með forsíður"; -$a->strings["No friends to display."] = "Engir vinir til að birta."; -$a->strings["Access to this profile has been restricted."] = "Aðgangur að þessari forsíðu hefur verið heftur."; -$a->strings["View"] = "Skoða"; -$a->strings["Previous"] = "Fyrra"; -$a->strings["Next"] = "Næsta"; -$a->strings["list"] = ""; -$a->strings["User not found"] = ""; -$a->strings["This calendar format is not supported"] = ""; -$a->strings["No exportable data found"] = ""; -$a->strings["calendar"] = ""; -$a->strings["No contacts in common."] = ""; -$a->strings["Common Friends"] = "Sameiginlegir vinir"; -$a->strings["Not available."] = "Ekki í boði."; -$a->strings["Global Directory"] = "Alheimstengiliðaskrá"; -$a->strings["Find on this site"] = "Leita á þessum vef"; -$a->strings["Results for:"] = "Niðurstöður fyrir:"; -$a->strings["Site Directory"] = "Skrá yfir tengiliði á þessum vef"; -$a->strings["No entries (some entries may be hidden)."] = "Engar færslur (sumar geta verið faldar)."; -$a->strings["People Search - %s"] = "Leita að fólki - %s"; -$a->strings["Forum Search - %s"] = "Leita á spjallsvæði - %s"; -$a->strings["No matches"] = "Engar leitarniðurstöður"; -$a->strings["Item has been removed."] = "Atriði hefur verið fjarlægt."; -$a->strings["Event can not end before it has started."] = ""; -$a->strings["Event title and start time are required."] = ""; -$a->strings["Create New Event"] = "Stofna nýjan atburð"; -$a->strings["Event details"] = "Nánar um atburð"; -$a->strings["Starting date and Title are required."] = ""; -$a->strings["Event Starts:"] = "Atburður hefst:"; -$a->strings["Finish date/time is not known or not relevant"] = "Loka dagsetning/tímasetning ekki vituð eða skiptir ekki máli"; -$a->strings["Event Finishes:"] = "Atburður klárar:"; -$a->strings["Adjust for viewer timezone"] = "Heimfæra á tímabelti áhorfanda"; -$a->strings["Description:"] = "Lýsing:"; -$a->strings["Title:"] = "Titill:"; -$a->strings["Share this event"] = "Deila þessum atburði"; -$a->strings["System down for maintenance"] = "Kerfið er óvirkt vegna viðhalds"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Engin leitarorð. Bættu við leitarorðum í sjálfgefnu forsíðuna."; -$a->strings["is interested in:"] = "hefur áhuga á:"; -$a->strings["Profile Match"] = "Forsíða fannst"; -$a->strings["Tips for New Members"] = "Ábendingar fyrir nýja notendur"; -$a->strings["Do you really want to delete this suggestion?"] = ""; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Engar uppástungur tiltækar. Ef þetta er nýr vefur, reyndu þá aftur eftir um 24 klukkustundir."; -$a->strings["Ignore/Hide"] = "Hunsa/Fela"; -$a->strings["[Embedded content - reload page to view]"] = "[Innfelt efni - endurhlaða síðu til að sjá]"; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = ""; +$a->strings["Response from remote site was not understood."] = "Ekki tókst að skilja svar frá ytri vef."; +$a->strings["Unexpected response from remote site: "] = "Óskiljanlegt svar frá ytri vef:"; +$a->strings["Confirmation completed successfully."] = "Staðfesting kláraði eðlilega."; +$a->strings["Temporary failure. Please wait and try again."] = "Tímabundin villa. Bíddu aðeins og reyndu svo aftur."; +$a->strings["Introduction failed or was revoked."] = "Kynning mistókst eða var afturkölluð."; +$a->strings["Remote site reported: "] = "Ytri vefur svaraði:"; +$a->strings["Unable to set contact photo."] = "Ekki tókst að setja tengiliðamynd."; +$a->strings["No user record found for '%s' "] = "Engin notandafærsla fannst fyrir '%s'"; +$a->strings["Our site encryption key is apparently messed up."] = "Dulkóðunnar lykill síðunnar okker er í döðlu."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Tómt slóð var uppgefin eða ekki okkur tókst ekki að afkóða slóð."; +$a->strings["Contact record was not found for you on our site."] = "Tengiliðafærslan þín fannst ekki á þjóninum okkar."; +$a->strings["Site public key not available in contact record for URL %s."] = "Opinber lykill er ekki til í tengiliðafærslu fyrir slóð %s."; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Skilríkið sem þjónninn þinn gaf upp er þegar afritað á okkar þjón. Þetta ætti að virka ef þú bara reynir aftur."; +$a->strings["Unable to set your contact credentials on our system."] = "Ekki tókst að setja tengiliða skilríkið þitt upp á þjóninum okkar."; +$a->strings["Unable to update your contact profile details on our system"] = "Ekki tókst að uppfæra tengiliða skilríkis upplýsingarnar á okkar þjón"; +$a->strings["[Name Withheld]"] = "[Nafn ekki sýnt]"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s hefur gengið til liðs við %2\$s"; +$a->strings["Total invitation limit exceeded."] = ""; +$a->strings["%s : Not a valid email address."] = "%s : Ekki gilt póstfang"; +$a->strings["Please join us on Friendica"] = "Komdu í hópinn á Friendica"; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = ""; +$a->strings["%s : Message delivery failed."] = "%s : Skilaboð komust ekki til skila."; +$a->strings["%d message sent."] = [ + 0 => "%d skilaboð send.", + 1 => "%d skilaboð send", +]; +$a->strings["You have no more invitations available"] = "Þú hefur ekki fleiri boðskort."; +$a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = ""; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = ""; +$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = ""; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = ""; +$a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks."] = ""; +$a->strings["To accept this invitation, please visit and register at %s."] = ""; +$a->strings["Send invitations"] = "Senda kynningar"; +$a->strings["Enter email addresses, one per line:"] = "Póstföng, eitt í hverja línu:"; +$a->strings["Your message:"] = "Skilaboðin:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = ""; +$a->strings["You will need to supply this invitation code: \$invite_code"] = "Þú þarft að nota eftirfarandi boðskorta auðkenni: \$invite_code"; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Þegar þú hefur nýskráð þig, hafðu samband við mig gegnum síðuna mína á:"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendi.ca"] = ""; +$a->strings["Invalid request."] = "Ógild fyrirspurn."; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = ""; +$a->strings["Or - did you try to upload an empty file?"] = ""; +$a->strings["File exceeds size limit of %s"] = ""; +$a->strings["File upload failed."] = "Skráar upphlöðun mistókst."; +$a->strings["Manage Identities and/or Pages"] = "Sýsla með notendur og/eða síður"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Skipta á milli auðkenna eða hópa- / stjörnunotanda sem deila þínum aðgangs upplýsingum eða þér verið úthlutað \"umsýslu\" réttindum."; +$a->strings["Select an identity to manage: "] = "Veldu notanda til að sýsla með:"; +$a->strings["This introduction has already been accepted."] = "Þessi kynning hefur þegar verið samþykkt."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Forsíðu slóð er ekki í lagi eða inniheldur ekki forsíðu upplýsingum."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Aðvörun: forsíðu staðsetning hefur ekki aðgreinanlegt eigendanafn."; +$a->strings["Warning: profile location has no profile photo."] = "Aðvörun: forsíðu slóð hefur ekki forsíðu mynd."; +$a->strings["%d required parameter was not found at the given location"] = [ + 0 => "%d skilyrt breyta fannst ekki á uppgefinni staðsetningu", + 1 => "%d skilyrtar breytur fundust ekki á uppgefninni staðsetningu", +]; +$a->strings["Introduction complete."] = "Kynning tilbúinn."; +$a->strings["Unrecoverable protocol error."] = "Alvarleg samskipta villa."; +$a->strings["Profile unavailable."] = "Ekki hægt að sækja forsíðu"; +$a->strings["%s has received too many connection requests today."] = "%s hefur fengið of margar tengibeiðnir í dag."; +$a->strings["Spam protection measures have been invoked."] = "Kveikt hefur verið á ruslsíu"; +$a->strings["Friends are advised to please try again in 24 hours."] = "Vinir eru beðnir um að reyna aftur eftir 24 klukkustundir."; +$a->strings["Invalid locator"] = "Ógild staðsetning"; +$a->strings["You have already introduced yourself here."] = "Kynning hefur þegar átt sér stað hér."; +$a->strings["Apparently you are already friends with %s."] = "Þú ert þegar vinur %s."; +$a->strings["Invalid profile URL."] = "Ógild forsíðu slóð."; +$a->strings["Disallowed profile URL."] = "Óleyfileg forsíðu slóð."; +$a->strings["Blocked domain"] = "Útilokað lén"; +$a->strings["Failed to update contact record."] = "Ekki tókst að uppfæra tengiliðs skrá."; +$a->strings["Your introduction has been sent."] = "Kynningin þín hefur verið send."; +$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = ""; +$a->strings["Please login to confirm introduction."] = "Skráðu þig inn til að staðfesta kynningu."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Ekki réttur notandi skráður inn. Skráðu þig inn sem þessi notandi."; +$a->strings["Confirm"] = "Staðfesta"; +$a->strings["Hide this contact"] = "Fela þennan tengilið"; +$a->strings["Welcome home %s."] = "Velkomin(n) heim %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Staðfestu kynninguna/tengibeiðnina við %s."; +$a->strings["Public access denied."] = "Alemennings aðgangur ekki veittur."; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Settu inn 'Auðkennisnetfang' þitt úr einhverjum af eftirfarandi samskiptanetum:"; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = ""; +$a->strings["Friend/Connection Request"] = "Vinabeiðni/Tengibeiðni"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = ""; +$a->strings["Please answer the following:"] = "Vinnsamlegast svaraðu eftirfarandi:"; +$a->strings["Does %s know you?"] = "Þekkir %s þig?"; +$a->strings["Add a personal note:"] = "Bæta við persónulegri athugasemd"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["GNU Social (Pleroma, Mastodon)"] = "GNU Social (Pleroma, Mastodon)"; +$a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla)"; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = ""; +$a->strings["Your Identity Address:"] = "Auðkennisnetfang þitt:"; +$a->strings["Submit Request"] = "Senda beiðni"; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["Time Conversion"] = "Tíma leiðréttir"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica veitir þessa þjónustu til að deila atburðum milli neta og vina í óþekktum tímabeltum."; +$a->strings["UTC time: %s"] = "Máltími: %s"; +$a->strings["Current timezone: %s"] = "Núverandi tímabelti: %s"; +$a->strings["Converted localtime: %s"] = "Umbreyttur staðartími: %s"; +$a->strings["Please select your timezone:"] = "Veldu tímabeltið þitt:"; +$a->strings["Only logged in users are permitted to perform a probing."] = ""; +$a->strings["Permission denied"] = "Bannaður aðgangur"; +$a->strings["Invalid profile identifier."] = "Ógilt tengiliða auðkenni"; +$a->strings["Profile Visibility Editor"] = "Sýsla með sjáanleika forsíðu"; +$a->strings["Click on a contact to add or remove."] = "Ýttu á tengilið til að bæta við hóp eða taka úr hóp."; +$a->strings["Visible To"] = "Sjáanlegur hverjum"; +$a->strings["All Contacts (with secure profile access)"] = "Allir tengiliðir (með öruggann aðgang að forsíðu)"; +$a->strings["Account approved."] = "Notandi samþykktur."; +$a->strings["Registration revoked for %s"] = "Skráning afturköllurð vegna %s"; +$a->strings["Please login."] = "Skráðu yður inn."; +$a->strings["Remove My Account"] = "Eyða þessum notanda"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Þetta mun algjörlega eyða notandanum. Þegar þetta hefur verið gert er þetta ekki afturkræft."; +$a->strings["Please enter your password for verification:"] = "Sláðu inn aðgangsorð yðar:"; +$a->strings["No contacts."] = "Enginn tengiliður"; +$a->strings["Access denied."] = "Aðgangi hafnað."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = ""; +$a->strings["No recipient selected."] = "Engir viðtakendur valdir."; +$a->strings["Unable to check your home location."] = ""; +$a->strings["Message could not be sent."] = "Ekki tókst að senda skilaboð."; +$a->strings["Message collection failure."] = "Ekki tókst að sækja skilaboð."; +$a->strings["Message sent."] = "Skilaboð send."; +$a->strings["No recipient."] = "Enginn viðtakandi"; +$a->strings["Send Private Message"] = "Senda einkaskilaboð"; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = ""; +$a->strings["To:"] = "Til:"; +$a->strings["Subject:"] = "Efni:"; +$a->strings["Export account"] = "Flytja út notandaaðgang"; +$a->strings["Export your account info and contacts. Use this to make a backup of your account and/or to move it to another server."] = ""; +$a->strings["Export all"] = "Flytja út allt"; +$a->strings["Export your accout info, contacts and all your items as json. Could be a very big file, and could take a lot of time. Use this to make a full backup of your account (photos are not exported)"] = ""; +$a->strings["Export personal data"] = "Sækja persónuleg gögn"; +$a->strings["- select -"] = "- veldu -"; +$a->strings["No more system notifications."] = "Ekki fleiri kerfistilkynningar."; +$a->strings["{0} wants to be your friend"] = "{0} vill vera vinur þinn"; +$a->strings["{0} sent you a message"] = "{0} sendi þér skilboð"; +$a->strings["{0} requested registration"] = "{0} óskaði eftir skráningu"; +$a->strings["Poke/Prod"] = ""; +$a->strings["poke, prod or do other things to somebody"] = ""; +$a->strings["Recipient"] = "Viðtakandi"; +$a->strings["Choose what you wish to do to recipient"] = ""; +$a->strings["Make this post private"] = "Gera þennan póst einka"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = ""; +$a->strings["Tag removed"] = "Merki fjarlægt"; +$a->strings["Remove Item Tag"] = "Fjarlægja merki "; +$a->strings["Select a tag to remove: "] = "Veldu merki til að fjarlægja:"; +$a->strings["Remove"] = "Fjarlægja"; +$a->strings["Image exceeds size limit of %s"] = ""; +$a->strings["Unable to process image."] = "Ekki mögulegt afgreiða mynd"; +$a->strings["Wall Photos"] = "Veggmyndir"; +$a->strings["Image upload failed."] = "Ekki hægt að hlaða upp mynd."; +$a->strings["Remove term"] = "Fjarlæga gildi"; +$a->strings["Saved Searches"] = "Vistaðar leitir"; +$a->strings["Only logged in users are permitted to perform a search."] = "Aðeins innskráðir notendur geta framkvæmt leit."; +$a->strings["Too Many Requests"] = "Of margar beiðnir"; +$a->strings["Only one search per minute is permitted for not logged in users."] = "Notendur sem ekki eru innskráðir geta aðeins framkvæmt eina leit á mínútu."; +$a->strings["No results."] = "Engar leitarniðurstöður."; +$a->strings["Items tagged with: %s"] = "Atriði merkt með: %s"; +$a->strings["Results for: %s"] = "Niðurstöður fyrir: %s"; +$a->strings["Login"] = "Innskráning"; +$a->strings["The post was created"] = ""; +$a->strings["Community option not available."] = ""; +$a->strings["Not available."] = "Ekki tiltækt."; +$a->strings["Local Community"] = ""; +$a->strings["Posts from local users on this server"] = ""; +$a->strings["Global Community"] = ""; +$a->strings["Posts from users of the whole federated network"] = ""; +$a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = ""; +$a->strings["Item not found"] = "Atriði fannst ekki"; +$a->strings["Edit post"] = "Breyta skilaboðum"; +$a->strings["CC: email addresses"] = "CC: tölvupóstfang"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Dæmi: bibbi@vefur.is, mgga@vefur.is"; +$a->strings["You must be logged in to use this module"] = ""; +$a->strings["Source URL"] = "Upprunaslóð"; +$a->strings["Friend suggestion sent."] = "Vina tillaga send"; +$a->strings["Suggest Friends"] = "Stinga uppá vinum"; +$a->strings["Suggest a friend for %s"] = "Stinga uppá vin fyrir %s"; +$a->strings["Group created."] = "Hópur stofnaður"; +$a->strings["Could not create group."] = "Gat ekki stofnað hóp."; +$a->strings["Group not found."] = "Hópur fannst ekki."; +$a->strings["Group name changed."] = "Hópur endurskýrður."; +$a->strings["Save Group"] = "Vista hóp"; +$a->strings["Create a group of contacts/friends."] = "Stofna hóp af tengiliðum/vinum"; +$a->strings["Group Name: "] = "Nafn hóps: "; +$a->strings["Group removed."] = "Hópi eytt."; +$a->strings["Unable to remove group."] = "Ekki tókst að eyða hóp."; +$a->strings["Delete Group"] = "Eyða hópi"; +$a->strings["Group Editor"] = "Hópa sýslari"; +$a->strings["Edit Group Name"] = "Breyta nafni hóps"; +$a->strings["Members"] = "Meðlimir"; +$a->strings["All Contacts"] = "Allir tengiliðir"; +$a->strings["Group is empty"] = "Hópur er tómur"; +$a->strings["Remove Contact"] = "Fjarlægja tengilið"; +$a->strings["Add Contact"] = "Bæta við tengilið"; +$a->strings["Unable to locate original post."] = "Ekki tókst að finna upphaflega færslu."; +$a->strings["Empty post discarded."] = "Tóm færsla eytt."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Skilaboðið sendi %s, notandi á Friendica samfélagsnetinu."; +$a->strings["You may visit them online at %s"] = "Þú getur heimsótt þau á netinu á %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Hafðu samband við sendanda með því að svara á þessari færslu ef þú villt ekki fá þessi skilaboð."; +$a->strings["%s posted an update."] = "%s hefur sent uppfærslu."; +$a->strings["New Message"] = "Ný skilaboð"; +$a->strings["Unable to locate contact information."] = "Ekki tókst að staðsetja tengiliðs upplýsingar."; +$a->strings["Messages"] = "Skilaboð"; +$a->strings["Do you really want to delete this message?"] = "Viltu virkilega eyða þessum skilaboðum?"; +$a->strings["Message deleted."] = "Skilaboðum eytt."; +$a->strings["Conversation removed."] = "Samtali eytt."; +$a->strings["No messages."] = "Engin skilaboð."; +$a->strings["Message not available."] = "Ekki næst í skilaboð."; +$a->strings["Delete message"] = "Eyða skilaboðum"; +$a->strings["D, d M Y - g:i A"] = "D, d. M Y - g:i A"; +$a->strings["Delete conversation"] = "Eyða samtali"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = ""; +$a->strings["Send Reply"] = "Senda svar"; +$a->strings["Unknown sender - %s"] = "Óþekktur sendandi - %s"; +$a->strings["You and %s"] = "Þú og %s"; +$a->strings["%s and You"] = "%s og þú"; +$a->strings["%d message"] = [ + 0 => "%d skilaboð", + 1 => "%d skilaboð", +]; +$a->strings["add"] = "bæta við"; +$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ + 0 => "", + 1 => "", +]; +$a->strings["Messages in this group won't be send to these receivers."] = ""; +$a->strings["No such group"] = "Enginn slíkur hópur"; +$a->strings["Group: %s"] = "Hópur: %s"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Einka skilaboð send á þennan notanda eiga á hættu að verða opinber."; +$a->strings["Invalid contact."] = "Ógildur tengiliður."; +$a->strings["Commented Order"] = "Athugasemdar röð"; +$a->strings["Sort by Comment Date"] = "Raða eftir umræðu dagsetningu"; +$a->strings["Posted Order"] = "Færlsu röð"; +$a->strings["Sort by Post Date"] = "Raða eftir færslu dagsetningu"; +$a->strings["Personal"] = "Einka"; +$a->strings["Posts that mention or involve you"] = "Færslur sem tengjast þér"; +$a->strings["New"] = "Nýtt"; +$a->strings["Activity Stream - by date"] = "Færslu straumur - raðað eftir dagsetningu"; +$a->strings["Shared Links"] = "Sameignartenglar"; +$a->strings["Interesting Links"] = "Áhugaverðir tenglar"; +$a->strings["Starred"] = "Stjörnumerkt"; +$a->strings["Favourite Posts"] = "Uppáhalds færslur"; +$a->strings["Personal Notes"] = "Persónulegar glósur"; +$a->strings["Post successful."] = "Melding tókst."; +$a->strings["Photo Albums"] = "Myndabækur"; $a->strings["Recent Photos"] = "Nýlegar myndir"; $a->strings["Upload New Photos"] = "Hlaða upp nýjum myndum"; $a->strings["everybody"] = "allir"; @@ -1202,20 +683,21 @@ $a->strings["Delete Album"] = "Fjarlægja myndabók"; $a->strings["Do you really want to delete this photo album and all its photos?"] = ""; $a->strings["Delete Photo"] = "Fjarlægja mynd"; $a->strings["Do you really want to delete this photo?"] = ""; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = ""; $a->strings["a photo"] = "mynd"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = ""; +$a->strings["Image upload didn't complete, please try again"] = ""; +$a->strings["Image file is missing"] = "Myndskrá vantar"; +$a->strings["Server can't accept new file upload at this time, please contact your administrator"] = ""; $a->strings["Image file is empty."] = "Mynda skrá er tóm."; $a->strings["No photos selected"] = "Engar myndir valdar"; $a->strings["Access to this item is restricted."] = "Aðgangur að þessum hlut hefur verið heftur"; -$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = ""; $a->strings["Upload Photos"] = "Hlaða upp myndum"; $a->strings["New album name: "] = "Nýtt nafn myndbókar:"; $a->strings["or existing album name: "] = "eða fyrra nafn myndbókar:"; $a->strings["Do not show a status post for this upload"] = "Ekki sýna færslu fyrir þessari upphölun"; +$a->strings["Permissions"] = "Aðgangsheimildir"; $a->strings["Show to Groups"] = "Birta hópum"; $a->strings["Show to Contacts"] = "Birta tengiliðum"; -$a->strings["Private Photo"] = "Einkamynd"; -$a->strings["Public Photo"] = "Opinber mynd"; $a->strings["Edit Album"] = "Breyta myndbók"; $a->strings["Show Newest First"] = "Birta nýjast fyrst"; $a->strings["Show Oldest First"] = "Birta elsta fyrst"; @@ -1225,6 +707,7 @@ $a->strings["Photo not available"] = "Mynd ekki til"; $a->strings["View photo"] = "Birta mynd"; $a->strings["Edit photo"] = "Breyta mynd"; $a->strings["Use as profile photo"] = "Nota sem forsíðu mynd"; +$a->strings["Private Message"] = "Einkaskilaboð"; $a->strings["View Full Size"] = "Skoða í fullri stærð"; $a->strings["Tags: "] = "Merki:"; $a->strings["[Remove any tag]"] = "[Fjarlægja öll merki]"; @@ -1232,16 +715,418 @@ $a->strings["New album name"] = "Nýtt nafn myndbókar"; $a->strings["Caption"] = "Yfirskrift"; $a->strings["Add a Tag"] = "Bæta við merki"; $a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Til dæmis: @bob, @Barbara_Jensen, @jim@example.com, #Reykjavík #tjalda"; -$a->strings["Do not rotate"] = ""; -$a->strings["Rotate CW (right)"] = ""; -$a->strings["Rotate CCW (left)"] = ""; -$a->strings["Private photo"] = "Einkamynd"; -$a->strings["Public photo"] = "Opinber mynd"; -$a->strings["Map"] = ""; +$a->strings["Do not rotate"] = "Ekki snúa"; +$a->strings["Rotate CW (right)"] = "Snúa réttsælis (hægri)"; +$a->strings["Rotate CCW (left)"] = "Snúa rangsælis (vinstri)"; +$a->strings["I like this (toggle)"] = "Mér líkar þetta (kveikja/slökkva)"; +$a->strings["I don't like this (toggle)"] = "Mér líkar þetta ekki (kveikja/slökkva)"; +$a->strings["This is you"] = "Þetta ert þú"; +$a->strings["Comment"] = "Athugasemd"; +$a->strings["Map"] = "Landakort"; $a->strings["View Album"] = "Skoða myndabók"; +$a->strings["Requested profile is not available."] = "Umbeðin forsíða ekki til."; +$a->strings["%s's posts"] = "Færslur frá %s"; +$a->strings["%s's comments"] = "Athugasemdir frá %s"; +$a->strings["%s's timeline"] = "Tímalína fyrir %s"; +$a->strings["Access to this profile has been restricted."] = "Aðgangur að þessari forsíðu hefur verið heftur."; +$a->strings["Tips for New Members"] = "Ábendingar fyrir nýja notendur"; +$a->strings["Do you really want to delete this video?"] = ""; +$a->strings["Delete Video"] = "Eyða myndskeiði"; +$a->strings["No videos selected"] = "Engin myndskeið valin"; +$a->strings["Recent Videos"] = "Nýleg myndskeið"; +$a->strings["Upload New Videos"] = "Senda inn ný myndskeið"; +$a->strings["Parent user not found."] = ""; +$a->strings["No parent user"] = ""; +$a->strings["Parent Password:"] = ""; +$a->strings["Please enter the password of the parent account to legitimize your request."] = ""; +$a->strings["Parent User"] = ""; +$a->strings["Parent users have total control about this account, including the account settings. Please double check whom you give this access."] = ""; +$a->strings["Save Settings"] = "Vista stillingar"; +$a->strings["Delegate Page Management"] = ""; +$a->strings["Delegates"] = ""; +$a->strings["Delegates are able to manage all aspects of this account/page except for basic account settings. Please do not delegate your personal account to anybody that you do not trust completely."] = ""; +$a->strings["Existing Page Delegates"] = ""; +$a->strings["Potential Delegates"] = ""; +$a->strings["Add"] = "Bæta við"; +$a->strings["No entries."] = "Engar færslur."; +$a->strings["People Search - %s"] = "Leita að fólki - %s"; +$a->strings["Forum Search - %s"] = "Leita á spjallsvæði - %s"; +$a->strings["Friendica Communications Server - Setup"] = ""; +$a->strings["Could not connect to database."] = "Gat ekki tengst gagnagrunn."; +$a->strings["Could not create table."] = "Gat ekki búið til töflu."; +$a->strings["Your Friendica site database has been installed."] = "Friendica gagnagrunnurinn þinn hefur verið uppsettur."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Þú þarft mögulega að keyra inn skránna \"database.sql\" handvirkt með phpmyadmin eða mysql."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Lestu skrána \"INSTALL.txt\"."; +$a->strings["Database already in use."] = "Gagnagrunnur er þegar í notkun."; +$a->strings["System check"] = "Kerfis prófun"; +$a->strings["Next"] = "Næsta"; +$a->strings["Check again"] = "Prófa aftur"; +$a->strings["Database connection"] = "Gangagrunns tenging"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Til að setja upp Friendica þurfum við að vita hvernig á að tengjast gagnagrunninum þínum."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Hafðu samband við hýsingaraðilann þinn eða kerfisstjóra ef þú hefur spurningar varðandi þessar stillingar."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Gagnagrunnurinn sem þú bendir á þarf þegar að vera til. Ef ekki þá þarf að stofna hann áður en haldið er áfram."; +$a->strings["Database Server Name"] = "Vélanafn gagangrunns"; +$a->strings["Database Login Name"] = "Notendanafn í gagnagrunn"; +$a->strings["Database Login Password"] = "Aðgangsorð í gagnagrunns"; +$a->strings["For security reasons the password must not be empty"] = ""; +$a->strings["Database Name"] = "Nafn gagnagrunns"; +$a->strings["Site administrator email address"] = "Póstfang kerfisstjóra vefsvæðis"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Póstfang aðgangsins þíns verður að passa við þetta til að hægt sé að nota umsýsluvefviðmótið."; +$a->strings["Please select a default timezone for your website"] = "Veldu sjálfgefið tímabelti fyrir vefsíðuna"; +$a->strings["Site settings"] = "Stillingar vefsvæðis"; +$a->strings["System Language:"] = "Tungumál kerfis:"; +$a->strings["Set the default language for your Friendica installation interface and to send emails."] = ""; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Gat ekki fundið skipanalínu útgáfu af PHP í vefþjóns PATH."; +$a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = ""; +$a->strings["PHP executable path"] = "PHP keyrslu slóð"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = ""; +$a->strings["Command line PHP"] = "Skipanalínu PHP"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = ""; +$a->strings["Found PHP version: "] = "Fann PHP útgáfu: "; +$a->strings["PHP cli binary"] = ""; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Skipanalínu útgáfa af PHP á vefþjóninum hefur ekki kveikt á \"register_argc_argv\"."; +$a->strings["This is required for message delivery to work."] = "Þetta er skilyrt fyrir því að skilaboð komist til skila."; +$a->strings["PHP register_argc_argv"] = ""; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Villa: Stefjan \"openssl_pkey_new\" á vefþjóninum getur ekki stofnað dulkóðunar lykla"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Ef keyrt er á Window, skoðaðu þá \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Búa til dulkóðunar lykla"; +$a->strings["libCurl PHP module"] = "libCurl PHP eining"; +$a->strings["GD graphics PHP module"] = "GD graphics PHP eining"; +$a->strings["OpenSSL PHP module"] = "OpenSSL PHP eining"; +$a->strings["PDO or MySQLi PHP module"] = ""; +$a->strings["mb_string PHP module"] = "mb_string PHP eining"; +$a->strings["XML PHP module"] = ""; +$a->strings["iconv PHP module"] = ""; +$a->strings["POSIX PHP module"] = ""; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite eining"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Villa: Apache vefþjóns eining mod-rewrite er skilyrði og er ekki uppsett. "; +$a->strings["Error: libCURL PHP module required but not installed."] = "Villa: libCurl PHP eining er skilyrði og er ekki uppsett."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Villa: GD graphics PHP eining með JPEG stuðningi er skilyrði og er ekki uppsett."; +$a->strings["Error: openssl PHP module required but not installed."] = "Villa: openssl PHP eining skilyrði og er ekki uppsett."; +$a->strings["Error: PDO or MySQLi PHP module required but not installed."] = ""; +$a->strings["Error: The MySQL driver for PDO is not installed."] = ""; +$a->strings["Error: mb_string PHP module required but not installed."] = "Villa: mb_string PHP eining skilyrði en ekki uppsett."; +$a->strings["Error: iconv PHP module required but not installed."] = ""; +$a->strings["Error: POSIX PHP module required but not installed."] = ""; +$a->strings["Error, XML PHP module required but not installed."] = ""; +$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Vef uppsetningar forrit þarf að geta stofnað skránna \".htconfig.php\" in efsta skráarsafninu á vefþjóninum og það getur ekki gert það."; +$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Þetta er oftast aðgangsstýringa stilling, þar sem vefþjónninn getur ekki skrifað út skrár í skráarsafnið - þó þú getir það."; +$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = ""; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = ""; +$a->strings[".htconfig.php is writable"] = ".htconfig.php er skrifanleg"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = ""; +$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = ""; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = ""; +$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = ""; +$a->strings["view/smarty3 is writable"] = ""; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = ""; +$a->strings["Url rewrite is working"] = ""; +$a->strings["ImageMagick PHP extension is not installed"] = ""; +$a->strings["ImageMagick PHP extension is installed"] = ""; +$a->strings["ImageMagick supports GIF"] = ""; +$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Ekki tókst að skrifa stillingaskrá gagnagrunns \".htconfig.php\". Notað meðfylgjandi texta til að búa til stillingarskrá í rót vefþjónsins."; +$a->strings["

What next

"] = ""; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the worker."] = ""; +$a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = ""; +$a->strings["Subscribing to OStatus contacts"] = ""; +$a->strings["No contact provided."] = "Enginn tengiliður uppgefinn."; +$a->strings["Couldn't fetch information for contact."] = ""; +$a->strings["Couldn't fetch friends for contact."] = ""; +$a->strings["success"] = "tókst"; +$a->strings["failed"] = "mistókst"; +$a->strings["ignored"] = "hunsað"; +$a->strings["Contact wasn't found or can't be unfollowed."] = ""; +$a->strings["Contact unfollowed"] = ""; +$a->strings["You aren't a friend of this contact."] = ""; +$a->strings["Unfollowing is currently not supported by your network."] = ""; +$a->strings["Disconnect/Unfollow"] = ""; +$a->strings["Status Messages and Posts"] = "Stöðu skilaboð og færslur"; +$a->strings["Events"] = "Atburðir"; +$a->strings["View"] = "Skoða"; +$a->strings["Previous"] = "Fyrra"; +$a->strings["today"] = "í dag"; +$a->strings["month"] = "mánuður"; +$a->strings["week"] = "vika"; +$a->strings["day"] = "dagur"; +$a->strings["list"] = "listi"; +$a->strings["User not found"] = "Notandi fannst ekki"; +$a->strings["This calendar format is not supported"] = ""; +$a->strings["No exportable data found"] = ""; +$a->strings["calendar"] = "dagatal"; +$a->strings["Event can not end before it has started."] = ""; +$a->strings["Event title and start time are required."] = ""; +$a->strings["Create New Event"] = "Stofna nýjan atburð"; +$a->strings["Event details"] = "Nánar um atburð"; +$a->strings["Starting date and Title are required."] = ""; +$a->strings["Event Starts:"] = "Atburður hefst:"; +$a->strings["Required"] = "Nauðsynlegt"; +$a->strings["Finish date/time is not known or not relevant"] = "Loka dagsetning/tímasetning ekki vituð eða skiptir ekki máli"; +$a->strings["Event Finishes:"] = "Atburður klárar:"; +$a->strings["Adjust for viewer timezone"] = "Heimfæra á tímabelti áhorfanda"; +$a->strings["Description:"] = "Lýsing:"; +$a->strings["Title:"] = "Titill:"; +$a->strings["Share this event"] = "Deila þessum atburði"; +$a->strings["Basic"] = "Einfalt"; +$a->strings["Advanced"] = "Flóknari"; +$a->strings["Failed to remove event"] = ""; +$a->strings["Event removed"] = ""; +$a->strings["Image uploaded but image cropping failed."] = "Tókst að hala upp mynd en afskurður tókst ekki."; +$a->strings["Image size reduction [%s] failed."] = "Myndar minnkun [%s] tókst ekki."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ýta þarf á "; +$a->strings["Unable to process image"] = "Ekki tókst að vinna mynd"; +$a->strings["Upload File:"] = "Hlaða upp skrá:"; +$a->strings["Select a profile:"] = ""; +$a->strings["or"] = "eða"; +$a->strings["skip this step"] = "sleppa þessu skrefi"; +$a->strings["select a photo from your photo albums"] = "velja mynd í myndabókum"; +$a->strings["Crop Image"] = "Skera af mynd"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Stilltu afskurð fyrir besta birtingu."; +$a->strings["Done Editing"] = "Breyting kláruð"; +$a->strings["Image uploaded successfully."] = "Upphölun á mynd tóks."; +$a->strings["Status:"] = "Staða:"; +$a->strings["Homepage:"] = "Heimasíða:"; +$a->strings["Global Directory"] = "Alheimstengiliðaskrá"; +$a->strings["Find on this site"] = "Leita á þessum vef"; +$a->strings["Results for:"] = "Niðurstöður fyrir:"; +$a->strings["Site Directory"] = "Skrá yfir tengiliði á þessum vef"; +$a->strings["Find"] = "Finna"; +$a->strings["No entries (some entries may be hidden)."] = "Engar færslur (sumar geta verið faldar)."; +$a->strings["Source input"] = ""; +$a->strings["BBCode::convert (raw HTML)"] = ""; +$a->strings["BBCode::convert"] = ""; +$a->strings["BBCode::convert => HTML::toBBCode"] = ""; +$a->strings["BBCode::toMarkdown"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::convert"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::toBBCode"] = ""; +$a->strings["BBCode::toMarkdown => Markdown::convert => HTML::toBBCode"] = ""; +$a->strings["Source input \\x28Diaspora format\\x29"] = ""; +$a->strings["Markdown::toBBCode"] = "Markdown::toBBCode"; +$a->strings["Raw HTML input"] = "Hrátt HTML-ílag"; +$a->strings["HTML Input"] = "HTML Input"; +$a->strings["HTML::toBBCode"] = "HTML::toBBCode"; +$a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; +$a->strings["Source text"] = "Frumtexti"; +$a->strings["BBCode"] = "BBCode"; +$a->strings["Markdown"] = "Markdown"; +$a->strings["HTML"] = "HTML"; +$a->strings["The contact could not be added."] = ""; +$a->strings["You already added this contact."] = ""; +$a->strings["Diaspora support isn't enabled. Contact can't be added."] = ""; +$a->strings["OStatus support is disabled. Contact can't be added."] = ""; +$a->strings["The network type couldn't be detected. Contact can't be added."] = ""; +$a->strings["Profile deleted."] = "Forsíðu eytt."; +$a->strings["Profile-"] = "Forsíða-"; +$a->strings["New profile created."] = "Ný forsíða búinn til."; +$a->strings["Profile unavailable to clone."] = "Ekki tókst að klóna forsíðu"; +$a->strings["Profile Name is required."] = "Nafn á forsíðu er skilyrði"; +$a->strings["Marital Status"] = "Hjúskaparstaða"; +$a->strings["Romantic Partner"] = ""; +$a->strings["Work/Employment"] = "Atvinna/Starf"; +$a->strings["Religion"] = "Trúarbrögð"; +$a->strings["Political Views"] = "Stórnmálaskoðanir"; +$a->strings["Gender"] = "Kyn"; +$a->strings["Sexual Preference"] = "Kynhneigð"; +$a->strings["XMPP"] = "XMPP"; +$a->strings["Homepage"] = "Heimasíða"; +$a->strings["Interests"] = "Áhugamál"; +$a->strings["Address"] = "Heimilisfang"; +$a->strings["Location"] = "Staðsetning"; +$a->strings["Profile updated."] = "Forsíða uppfærð."; +$a->strings[" and "] = "og"; +$a->strings["public profile"] = "Opinber forsíða"; +$a->strings["%1\$s changed %2\$s to “%3\$s”"] = ""; +$a->strings[" - Visit %1\$s's %2\$s"] = " - Heimsæktu %1\$s's %2\$s"; +$a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$s hefur uppfært %2\$s, með því að breyta %3\$s."; +$a->strings["Hide contacts and friends:"] = "Fela tengiliði og vini"; +$a->strings["Hide your contact/friend list from viewers of this profile?"] = "Fela tengiliða-/vinalista á þessari forsíðu?"; +$a->strings["Show more profile fields:"] = ""; +$a->strings["Profile Actions"] = ""; +$a->strings["Edit Profile Details"] = "Breyta forsíðu upplýsingum"; +$a->strings["Change Profile Photo"] = ""; +$a->strings["View this profile"] = "Skoða þessa forsíðu"; +$a->strings["Edit visibility"] = "Sýsla með sýnileika"; +$a->strings["Create a new profile using these settings"] = "Búa til nýja forsíðu með þessum stillingum"; +$a->strings["Clone this profile"] = "Klóna þessa forsíðu"; +$a->strings["Delete this profile"] = "Eyða þessari forsíðu"; +$a->strings["Basic information"] = ""; +$a->strings["Profile picture"] = "Notandamynd"; +$a->strings["Preferences"] = "Kjörstillingar"; +$a->strings["Status information"] = ""; +$a->strings["Additional information"] = "Viðbótarupplýsingar"; +$a->strings["Relation"] = "Vensl"; +$a->strings["Miscellaneous"] = "Ýmislegt"; +$a->strings["Your Gender:"] = "Kyn:"; +$a->strings[" Marital Status:"] = " Hjúskaparstaða:"; +$a->strings["Sexual Preference:"] = "Kynhneigð:"; +$a->strings["Example: fishing photography software"] = "Til dæmis: fishing photography software"; +$a->strings["Profile Name:"] = "Forsíðu nafn:"; +$a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Þetta er opinber forsíða.
Hún verður sjáanleg öðrum sem nota alnetið."; +$a->strings["Your Full Name:"] = "Fullt nafn:"; +$a->strings["Title/Description:"] = "Starfsheiti/Lýsing:"; +$a->strings["Street Address:"] = "Gata:"; +$a->strings["Locality/City:"] = "Bær/Borg:"; +$a->strings["Region/State:"] = "Svæði/Sýsla"; +$a->strings["Postal/Zip Code:"] = "Póstnúmer:"; +$a->strings["Country:"] = "Land:"; +$a->strings["Age: "] = "Aldur: "; +$a->strings["Who: (if applicable)"] = "Hver: (ef við á)"; +$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Dæmi: cathy123, Cathy Williams, cathy@example.com"; +$a->strings["Since [date]:"] = "Síðan [date]:"; +$a->strings["Tell us about yourself..."] = "Segðu okkur frá sjálfum þér..."; +$a->strings["XMPP (Jabber) address:"] = "XMPP (Jabber) vistfang:"; +$a->strings["The XMPP address will be propagated to your contacts so that they can follow you."] = ""; +$a->strings["Homepage URL:"] = "Slóð heimasíðu:"; +$a->strings["Hometown:"] = "Heimabær:"; +$a->strings["Political Views:"] = "Stórnmálaskoðanir:"; +$a->strings["Religious Views:"] = "Trúarskoðanir"; +$a->strings["Public Keywords:"] = "Opinber leitarorð:"; +$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Notað til að stinga uppá mögulegum vinum, aðrir geta séð)"; +$a->strings["Private Keywords:"] = "Einka leitarorð:"; +$a->strings["(Used for searching profiles, never shown to others)"] = "(Notað við leit að öðrum notendum, aldrei sýnt öðrum)"; +$a->strings["Likes:"] = "Líkar:"; +$a->strings["Dislikes:"] = "Mislíkar:"; +$a->strings["Musical interests"] = "Tónlistarsmekkur"; +$a->strings["Books, literature"] = "Bækur, bókmenntir"; +$a->strings["Television"] = "Sjónvarp"; +$a->strings["Film/dance/culture/entertainment"] = "Kvikmyndir/dans/menning/afþreying"; +$a->strings["Hobbies/Interests"] = "Áhugamál"; +$a->strings["Love/romance"] = "Ást/rómantík"; +$a->strings["Work/employment"] = "Atvinna:"; +$a->strings["School/education"] = "Skóli/menntun"; +$a->strings["Contact information and Social Networks"] = "Tengiliðaupplýsingar og samfélagsnet"; +$a->strings["Profile Image"] = "Forsíðumynd"; +$a->strings["visible to everybody"] = "sýnilegt öllum"; +$a->strings["Edit/Manage Profiles"] = "Sýsla með forsíður"; +$a->strings["Change profile photo"] = "Breyta forsíðumynd"; +$a->strings["Create New Profile"] = "Stofna nýja forsíðu"; +$a->strings["%d contact edited."] = [ + 0 => "", + 1 => "", +]; +$a->strings["Could not access contact record."] = "Tókst ekki að ná í uppl. um tengilið"; +$a->strings["Could not locate selected profile."] = "Tókst ekki að staðsetja valinn forsíðu"; +$a->strings["Contact updated."] = "Tengiliður uppfærður"; +$a->strings["Contact has been blocked"] = "Lokað á tengilið"; +$a->strings["Contact has been unblocked"] = "Opnað á tengilið"; +$a->strings["Contact has been ignored"] = "Tengiliður hunsaður"; +$a->strings["Contact has been unignored"] = "Tengiliður afhunsaður"; +$a->strings["Contact has been archived"] = "Tengiliður settur í geymslu"; +$a->strings["Contact has been unarchived"] = "Tengiliður tekinn úr geymslu"; +$a->strings["Drop contact"] = "Henda tengilið"; +$a->strings["Do you really want to delete this contact?"] = "Viltu í alvörunni eyða þessum tengilið?"; +$a->strings["Contact has been removed."] = "Tengiliður fjarlægður"; +$a->strings["You are mutual friends with %s"] = "Þú ert gagnkvæmur vinur %s"; +$a->strings["You are sharing with %s"] = "Þú ert að deila með %s"; +$a->strings["%s is sharing with you"] = "%s er að deila með þér"; +$a->strings["Private communications are not available for this contact."] = "Einkasamtal ekki í boði fyrir þennan"; +$a->strings["Never"] = "Aldrei"; +$a->strings["(Update was successful)"] = "(uppfærsla tókst)"; +$a->strings["(Update was not successful)"] = "(uppfærsla tókst ekki)"; +$a->strings["Suggest friends"] = "Stinga uppá vinum"; +$a->strings["Network type: %s"] = "Net tegund: %s"; +$a->strings["Communications lost with this contact!"] = ""; +$a->strings["Fetch further information for feeds"] = "Ná í ítarlegri upplýsingar um fréttaveitur"; +$a->strings["Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags."] = ""; +$a->strings["Disabled"] = "Óvirkt"; +$a->strings["Fetch information"] = "Ná í upplýsingar"; +$a->strings["Fetch keywords"] = "Ná í stikkorð"; +$a->strings["Fetch information and keywords"] = "Ná í upplýsingar og stikkorð"; +$a->strings["Contact"] = "Tengiliður"; +$a->strings["Profile Visibility"] = "Forsíðu sjáanleiki"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Veldu forsíðu sem á að birtast %s þegar hann skoðaður með öruggum hætti"; +$a->strings["Contact Information / Notes"] = "Uppl. um tengilið / minnisatriði"; +$a->strings["Their personal note"] = ""; +$a->strings["Edit contact notes"] = "Breyta minnispunktum tengiliðs "; +$a->strings["Block/Unblock contact"] = "útiloka/opna á tengilið"; +$a->strings["Ignore contact"] = "Hunsa tengilið"; +$a->strings["Repair URL settings"] = "Gera við stillingar á slóðum"; +$a->strings["View conversations"] = "Skoða samtöl"; +$a->strings["Last update:"] = "Síðasta uppfærsla:"; +$a->strings["Update public posts"] = "Uppfæra opinberar færslur"; +$a->strings["Update now"] = "Uppfæra núna"; +$a->strings["Unblock"] = "Afbanna"; +$a->strings["Block"] = "Útiloka"; +$a->strings["Unignore"] = "Byrja að fylgjast með á ný"; +$a->strings["Currently blocked"] = "Útilokaður sem stendur"; +$a->strings["Currently ignored"] = "Hunsaður sem stendur"; +$a->strings["Currently archived"] = "Í geymslu"; +$a->strings["Awaiting connection acknowledge"] = ""; +$a->strings["Replies/likes to your public posts may still be visible"] = "Svör eða \"líkar við\" á opinberar færslur þínar geta mögulega verið sýnileg öðrum"; +$a->strings["Notification for new posts"] = ""; +$a->strings["Send a notification of every new post of this contact"] = ""; +$a->strings["Blacklisted keywords"] = ""; +$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = ""; +$a->strings["XMPP:"] = "XMPP:"; +$a->strings["Actions"] = "Aðgerðir"; +$a->strings["Status"] = "Staða"; +$a->strings["Contact Settings"] = "Stillingar tengiliðar"; +$a->strings["Suggestions"] = "Uppástungur"; +$a->strings["Suggest potential friends"] = "Stinga uppá mögulegum vinum"; +$a->strings["Show all contacts"] = "Sýna alla tengiliði"; +$a->strings["Unblocked"] = "Afhunsað"; +$a->strings["Only show unblocked contacts"] = ""; +$a->strings["Blocked"] = "Útilokað"; +$a->strings["Only show blocked contacts"] = ""; +$a->strings["Ignored"] = "Hunsa"; +$a->strings["Only show ignored contacts"] = ""; +$a->strings["Archived"] = "Í geymslu"; +$a->strings["Only show archived contacts"] = "Aðeins sýna geymda tengiliði"; +$a->strings["Hidden"] = "Falinn"; +$a->strings["Only show hidden contacts"] = "Aðeins sýna falda tengiliði"; +$a->strings["Search your contacts"] = "Leita í þínum vinum"; +$a->strings["Update"] = "Uppfæra"; +$a->strings["Archive"] = "Setja í geymslu"; +$a->strings["Unarchive"] = "Taka úr geymslu"; +$a->strings["Batch Actions"] = ""; +$a->strings["Profile Details"] = "Forsíðu upplýsingar"; +$a->strings["View all contacts"] = "Skoða alla tengiliði"; +$a->strings["View all common friends"] = ""; +$a->strings["Advanced Contact Settings"] = ""; +$a->strings["Mutual Friendship"] = "Sameiginlegur vinskapur"; +$a->strings["is a fan of yours"] = "er fylgjandi þinn"; +$a->strings["you are a fan of"] = "þú er fylgjandi"; +$a->strings["Toggle Blocked status"] = ""; +$a->strings["Toggle Ignored status"] = ""; +$a->strings["Toggle Archive status"] = ""; +$a->strings["Delete contact"] = "Eyða tengilið"; +$a->strings["Terms of Service"] = "Þjónustuskilmálar"; +$a->strings["Privacy Statement"] = "Yfirlýsing um gagnaleynd"; +$a->strings["At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node's user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication."] = ""; +$a->strings["At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1\$s/removeme. The deletion of the account will be permanent."] = ""; +$a->strings["This is Friendica, version"] = "Þetta er Friendica útgáfa"; +$a->strings["running at web location"] = "Keyrir á slóð"; +$a->strings["Please visit Friendi.ca to learn more about the Friendica project."] = ""; +$a->strings["Bug reports and issues: please visit"] = "Villu tilkynningar og vandamál: endilega skoða"; +$a->strings["the bugtracker at github"] = "villuskráningu á GitHub"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Uppástungur, lof, framlög og svo framvegis - sendið tölvupóst á \"Info\" hjá Friendica - punktur com"; +$a->strings["Installed addons/apps:"] = ""; +$a->strings["No installed addons/apps"] = ""; +$a->strings["Read about the Terms of Service of this node."] = ""; +$a->strings["On this server the following remote servers are blocked."] = ""; +$a->strings["Reason for the block"] = ""; +$a->strings["No valid account found."] = "Engin gildur aðgangur fannst."; +$a->strings["Password reset request issued. Check your email."] = "Gefin var beiðni um breytingu á lykilorði. Opnaðu tölvupóstinn þinn."; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = ""; +$a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = ""; +$a->strings["Password reset requested at %s"] = "Beðið var um endurstillingu lykilorðs %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Ekki var hægt að sannreyna beiðni. (Það getur verið að þú hafir þegar verið búin/n að senda hana.) Endurstilling á lykilorði tókst ekki."; +$a->strings["Request has expired, please make a new one."] = ""; +$a->strings["Forgot your Password?"] = "Gleymdir þú lykilorði þínu?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Sláðu inn tölvupóstfangið þitt til að endurstilla aðgangsorðið og fá leiðbeiningar sendar með tölvupósti."; +$a->strings["Nickname or Email: "] = "Gælunafn eða póstfang: "; +$a->strings["Reset"] = "Endurstilla"; +$a->strings["Password Reset"] = "Endurstilling aðgangsorðs"; +$a->strings["Your password has been reset as requested."] = "Aðgangsorðið þitt hefur verið endurstilt."; +$a->strings["Your new password is"] = "Nýja aðgangsorð þitt er "; +$a->strings["Save or copy your new password - and then"] = "Vistaðu eða afritaðu nýja aðgangsorðið - og"; +$a->strings["click here to login"] = "smelltu síðan hér til að skrá þig inn"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Þú getur breytt aðgangsorðinu þínu á Stillingar síðunni eftir að þú hefur skráð þig inn."; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = ""; +$a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = ""; +$a->strings["Your password has been changed at %s"] = "Aðgangsorðinu þínu var breytt í %s"; $a->strings["Registration successful. Please check your email for further instructions."] = "Nýskráning tóks. Frekari fyrirmæli voru send í tölvupósti."; $a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = ""; -$a->strings["Registration successful."] = ""; +$a->strings["Registration successful."] = "Nýskráning tókst."; $a->strings["Your registration can not be processed."] = "Skráninguna þína er ekki hægt að vinna."; $a->strings["Your registration is pending approval by the site owner."] = "Skráningin þín bíður samþykkis af eiganda síðunnar."; $a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Þú mátt (valfrjálst) fylla í þetta svæði gegnum OpenID með því gefa upp þitt OpenID og ýta á 'Skrá'."; @@ -1251,58 +1136,433 @@ $a->strings["Include your profile in member directory?"] = "Á forsíðan þín $a->strings["Note for the admin"] = ""; $a->strings["Leave a message for the admin, why you want to join this node"] = ""; $a->strings["Membership on this site is by invitation only."] = "Aðild að þessum vef er "; -$a->strings["Your invitation ID: "] = "Boðskorta auðkenni:"; +$a->strings["Your invitation code: "] = ""; $a->strings["Registration"] = "Nýskráning"; $a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = ""; -$a->strings["Your Email Address: "] = "Tölvupóstur:"; +$a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = ""; $a->strings["New Password:"] = "Nýtt aðgangsorð:"; $a->strings["Leave empty for an auto generated password."] = ""; $a->strings["Confirm:"] = "Staðfesta:"; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Veldu gælunafn. Verður að byrja á staf. Slóðin þín á þessum vef verður síðan 'gælunafn@\$sitename'."; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@%s'."] = ""; $a->strings["Choose a nickname: "] = "Veldu gælunafn:"; +$a->strings["Register"] = "Nýskrá"; $a->strings["Import your profile to this friendica instance"] = ""; -$a->strings["Account"] = "Notandi"; +$a->strings["Theme settings updated."] = "Þemastillingar uppfærðar."; +$a->strings["Information"] = "Upplýsingar"; +$a->strings["Overview"] = "Yfirlit"; +$a->strings["Federation Statistics"] = "Tölfræði þjónasambands"; +$a->strings["Configuration"] = "Uppsetning"; +$a->strings["Site"] = "Vefur"; +$a->strings["Users"] = "Notendur"; +$a->strings["Addons"] = "Forritsviðbætur"; +$a->strings["Themes"] = "Þemu"; $a->strings["Additional features"] = "Viðbótareiginleikar"; -$a->strings["Display"] = ""; -$a->strings["Social Networks"] = ""; -$a->strings["Plugins"] = "Kerfiseiningar"; +$a->strings["Database"] = "Gagnagrunnur"; +$a->strings["DB updates"] = "Gagnagrunnsuppfærslur"; +$a->strings["Inspect Queue"] = ""; +$a->strings["Tools"] = "Verkfæri"; +$a->strings["Contact Blocklist"] = "Svartur listi tengiliðar"; +$a->strings["Server Blocklist"] = "Svartur listi vefþjóns"; +$a->strings["Delete Item"] = "Eyða atriði"; +$a->strings["Logs"] = "Atburðaskrá"; +$a->strings["View Logs"] = "Skoða atburðaskrár"; +$a->strings["Diagnostics"] = "Bilanagreining"; +$a->strings["PHP Info"] = "PHP-upplýsingar"; +$a->strings["probe address"] = "finna vistfang"; +$a->strings["check webfinger"] = ""; +$a->strings["Admin"] = "Stjórnandi"; +$a->strings["Addon Features"] = "Eiginleikar forritsviðbótar"; +$a->strings["User registrations waiting for confirmation"] = "Notenda nýskráningar bíða samþykkis"; +$a->strings["Administration"] = "Stjórnun"; +$a->strings["Display Terms of Service"] = ""; +$a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = ""; +$a->strings["Display Privacy Statement"] = ""; +$a->strings["Show some informations regarding the needed information to operate the node according e.g. to EU-GDPR."] = ""; +$a->strings["The Terms of Service"] = ""; +$a->strings["Enter the Terms of Service for your node here. You can use BBCode. Headers of sections should be [h2] and below."] = ""; +$a->strings["The blocked domain"] = ""; +$a->strings["The reason why you blocked this domain."] = ""; +$a->strings["Delete domain"] = "Eyða léni"; +$a->strings["Check to delete this entry from the blocklist"] = ""; +$a->strings["This page can be used to define a black list of servers from the federated network that are not allowed to interact with your node. For all entered domains you should also give a reason why you have blocked the remote server."] = ""; +$a->strings["The list of blocked servers will be made publically available on the /friendica page so that your users and people investigating communication problems can find the reason easily."] = ""; +$a->strings["Add new entry to block list"] = ""; +$a->strings["Server Domain"] = ""; +$a->strings["The domain of the new server to add to the block list. Do not include the protocol."] = ""; +$a->strings["Block reason"] = "Ástæða fyrir útilokun"; +$a->strings["Add Entry"] = "Bæta við færslu"; +$a->strings["Save changes to the blocklist"] = ""; +$a->strings["Current Entries in the Blocklist"] = ""; +$a->strings["Delete entry from blocklist"] = ""; +$a->strings["Delete entry from blocklist?"] = ""; +$a->strings["Server added to blocklist."] = ""; +$a->strings["Site blocklist updated."] = ""; +$a->strings["The contact has been blocked from the node"] = ""; +$a->strings["Could not find any contact entry for this URL (%s)"] = ""; +$a->strings["%s contact unblocked"] = [ + 0 => "", + 1 => "", +]; +$a->strings["Remote Contact Blocklist"] = ""; +$a->strings["This page allows you to prevent any message from a remote contact to reach your node."] = ""; +$a->strings["Block Remote Contact"] = ""; +$a->strings["select all"] = "velja alla"; +$a->strings["select none"] = "velja ekkert"; +$a->strings["No remote contact is blocked from this node."] = ""; +$a->strings["Blocked Remote Contacts"] = ""; +$a->strings["Block New Remote Contact"] = ""; +$a->strings["Photo"] = "Ljósmynd"; +$a->strings["%s total blocked contact"] = [ + 0 => "", + 1 => "", +]; +$a->strings["URL of the remote contact to block."] = ""; +$a->strings["Delete this Item"] = "Eyða þessu atriði"; +$a->strings["On this page you can delete an item from your node. If the item is a top level posting, the entire thread will be deleted."] = ""; +$a->strings["You need to know the GUID of the item. You can find it e.g. by looking at the display URL. The last part of http://example.com/display/123456 is the GUID, here 123456."] = ""; +$a->strings["GUID"] = ""; +$a->strings["The GUID of the item you want to delete."] = ""; +$a->strings["Item marked for deletion."] = "Atriði merkt til eyðingar."; +$a->strings["unknown"] = "óþekkt"; +$a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = ""; +$a->strings["The Auto Discovered Contact Directory feature is not enabled, it will improve the data displayed here."] = ""; +$a->strings["Currently this node is aware of %d nodes with %d registered users from the following platforms:"] = ""; +$a->strings["ID"] = "Auðkenni (ID)"; +$a->strings["Recipient Name"] = "Nafn viðtakanda"; +$a->strings["Recipient Profile"] = "Forsíða viðtakanda"; +$a->strings["Network"] = "Samfélag"; +$a->strings["Created"] = "Búið til"; +$a->strings["Last Tried"] = "Síðast prófað"; +$a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = ""; +$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the command php bin/console.php dbstructure toinnodb of your Friendica installation for an automatic conversion.
"] = ""; +$a->strings["There is a new version of Friendica available for download. Your current version is %1\$s, upstream version is %2\$s"] = ""; +$a->strings["The database update failed. Please run \"php bin/console.php dbstructure update\" from the command line and have a look at the errors that might appear."] = ""; +$a->strings["The worker was never executed. Please check your database structure!"] = ""; +$a->strings["The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings."] = ""; +$a->strings["Normal Account"] = "Venjulegur notandi"; +$a->strings["Automatic Follower Account"] = ""; +$a->strings["Public Forum Account"] = ""; +$a->strings["Automatic Friend Account"] = "Verður sjálfkrafa vinur notandi"; +$a->strings["Blog Account"] = ""; +$a->strings["Private Forum Account"] = ""; +$a->strings["Message queues"] = ""; +$a->strings["Summary"] = "Samantekt"; +$a->strings["Registered users"] = "Skráðir notendur"; +$a->strings["Pending registrations"] = "Nýskráningar í bið"; +$a->strings["Version"] = "Útgáfunúmer"; +$a->strings["Active addons"] = ""; +$a->strings["Can not parse base url. Must have at least ://"] = ""; +$a->strings["Site settings updated."] = "Stillingar vefsvæðis uppfærðar."; +$a->strings["No special theme for mobile devices"] = ""; +$a->strings["No community page"] = ""; +$a->strings["Public postings from users of this site"] = ""; +$a->strings["Public postings from the federated network"] = ""; +$a->strings["Public postings from local users and the federated network"] = ""; +$a->strings["Users, Global Contacts"] = ""; +$a->strings["Users, Global Contacts/fallback"] = ""; +$a->strings["One month"] = "Einn mánuður"; +$a->strings["Three months"] = "Þrír mánuðir"; +$a->strings["Half a year"] = "Hálft ár"; +$a->strings["One year"] = "Eitt ár"; +$a->strings["Multi user instance"] = ""; +$a->strings["Closed"] = "Lokað"; +$a->strings["Requires approval"] = "Þarf samþykki"; +$a->strings["Open"] = "Opið"; +$a->strings["No SSL policy, links will track page SSL state"] = ""; +$a->strings["Force all links to use SSL"] = ""; +$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = ""; +$a->strings["Don't check"] = ""; +$a->strings["check the stable version"] = ""; +$a->strings["check the development version"] = ""; +$a->strings["Republish users to directory"] = ""; +$a->strings["File upload"] = "Hlaða upp skrá"; +$a->strings["Policies"] = "Stefna"; +$a->strings["Auto Discovered Contact Directory"] = ""; +$a->strings["Performance"] = "Afköst"; +$a->strings["Worker"] = ""; +$a->strings["Message Relay"] = ""; +$a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = ""; +$a->strings["Site name"] = "Nafn vefsvæðis"; +$a->strings["Host name"] = "Vélarheiti"; +$a->strings["Sender Email"] = "Tölvupóstfang sendanda"; +$a->strings["The email address your server shall use to send notification emails from."] = ""; +$a->strings["Banner/Logo"] = "Borði/Merki"; +$a->strings["Shortcut icon"] = "Táknmynd flýtivísunar"; +$a->strings["Link to an icon that will be used for browsers."] = ""; +$a->strings["Touch icon"] = ""; +$a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; +$a->strings["Additional Info"] = "Viðbótarupplýsingar"; +$a->strings["For public servers: you can add additional information here that will be listed at %s/servers."] = ""; +$a->strings["System language"] = "Tungumál kerfis"; +$a->strings["System theme"] = "Þema kerfis"; +$a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = ""; +$a->strings["Mobile system theme"] = ""; +$a->strings["Theme for mobile devices"] = ""; +$a->strings["SSL link policy"] = ""; +$a->strings["Determines whether generated links should be forced to use SSL"] = ""; +$a->strings["Force SSL"] = "Þvinga SSL"; +$a->strings["Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops."] = ""; +$a->strings["Hide help entry from navigation menu"] = ""; +$a->strings["Hides the menu entry for the Help pages from the navigation menu. You can still access it calling /help directly."] = ""; +$a->strings["Single user instance"] = ""; +$a->strings["Make this instance multi-user or single-user for the named user"] = ""; +$a->strings["Maximum image size"] = "Mesta stærð mynda"; +$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = ""; +$a->strings["Maximum image length"] = ""; +$a->strings["Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits."] = ""; +$a->strings["JPEG image quality"] = "JPEG myndgæði"; +$a->strings["Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is full quality."] = ""; +$a->strings["Register policy"] = "Stefna varðandi nýskráningar"; +$a->strings["Maximum Daily Registrations"] = ""; +$a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = ""; +$a->strings["Register text"] = "Texti við nýskráningu"; +$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = ""; +$a->strings["Accounts abandoned after x days"] = "Yfirgefnir notendur eftir x daga"; +$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Hættir að eyða afli í að sækja færslur á ytri vefi fyrir yfirgefna notendur. 0 þýðir notendur merkjast ekki yfirgefnir."; +$a->strings["Allowed friend domains"] = "Leyfð lén vina"; +$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = ""; +$a->strings["Allowed email domains"] = "Leyfð lén póstfangs"; +$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = ""; +$a->strings["No OEmbed rich content"] = ""; +$a->strings["Don't show the rich content (e.g. embedded PDF), except from the domains listed below."] = ""; +$a->strings["Allowed OEmbed domains"] = ""; +$a->strings["Comma separated list of domains which oembed content is allowed to be displayed. Wildcards are accepted."] = ""; +$a->strings["Block public"] = "Loka á opinberar færslur"; +$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = ""; +$a->strings["Force publish"] = "Skylda að vera í tengiliðalista"; +$a->strings["Check to force all profiles on this site to be listed in the site directory."] = ""; +$a->strings["Global directory URL"] = ""; +$a->strings["URL to the global directory. If this is not set, the global directory is completely unavailable to the application."] = ""; +$a->strings["Private posts by default for new users"] = ""; +$a->strings["Set default post permissions for all new members to the default privacy group rather than public."] = ""; +$a->strings["Don't include post content in email notifications"] = ""; +$a->strings["Don't include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure."] = ""; +$a->strings["Disallow public access to addons listed in the apps menu."] = "Hindra opið aðgengi að viðbótum í forritavalmyndinni."; +$a->strings["Checking this box will restrict addons listed in the apps menu to members only."] = "Ef hakað er í þetta verður aðgengi að viðbótum í forritavalmyndinni takmarkað við meðlimi."; +$a->strings["Don't embed private images in posts"] = ""; +$a->strings["Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while."] = ""; +$a->strings["Allow Users to set remote_self"] = ""; +$a->strings["With checking this, every user is allowed to mark every contact as a remote_self in the repair contact dialog. Setting this flag on a contact causes mirroring every posting of that contact in the users stream."] = ""; +$a->strings["Block multiple registrations"] = "Banna margar skráningar"; +$a->strings["Disallow users to register additional accounts for use as pages."] = ""; +$a->strings["OpenID support"] = "Leyfa OpenID auðkenningu"; +$a->strings["OpenID support for registration and logins."] = ""; +$a->strings["Fullname check"] = "Fullt nafn skilyrði"; +$a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = ""; +$a->strings["Community pages for visitors"] = ""; +$a->strings["Which community pages should be available for visitors. Local users always see both pages."] = ""; +$a->strings["Posts per user on community page"] = ""; +$a->strings["The maximum number of posts per user on the community page. (Not valid for 'Global Community')"] = ""; +$a->strings["Enable OStatus support"] = "Leyfa OStatus stuðning"; +$a->strings["Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = ""; +$a->strings["Only import OStatus threads from our contacts"] = ""; +$a->strings["Normally we import every content from our OStatus contacts. With this option we only store threads that are started by a contact that is known on our system."] = ""; +$a->strings["OStatus support can only be enabled if threading is enabled."] = ""; +$a->strings["Diaspora support can't be enabled because Friendica was installed into a sub directory."] = ""; +$a->strings["Enable Diaspora support"] = "Leyfa Diaspora tengingar"; +$a->strings["Provide built-in Diaspora network compatibility."] = ""; +$a->strings["Only allow Friendica contacts"] = "Aðeins leyfa Friendica notendur"; +$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = ""; +$a->strings["Verify SSL"] = "Sannreyna SSL"; +$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = ""; +$a->strings["Proxy user"] = "Proxy notandi"; +$a->strings["Proxy URL"] = "Proxy slóð"; +$a->strings["Network timeout"] = "Net tími útrunninn"; +$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = ""; +$a->strings["Maximum Load Average"] = "Mesta meðaltals álag"; +$a->strings["Maximum system load before delivery and poll processes are deferred - default 50."] = ""; +$a->strings["Maximum Load Average (Frontend)"] = ""; +$a->strings["Maximum system load before the frontend quits service - default 50."] = ""; +$a->strings["Minimal Memory"] = ""; +$a->strings["Minimal free memory in MB for the worker. Needs access to /proc/meminfo - default 0 (deactivated)."] = ""; +$a->strings["Maximum table size for optimization"] = ""; +$a->strings["Maximum table size (in MB) for the automatic optimization - default 100 MB. Enter -1 to disable it."] = ""; +$a->strings["Minimum level of fragmentation"] = ""; +$a->strings["Minimum fragmenation level to start the automatic optimization - default value is 30%."] = ""; +$a->strings["Periodical check of global contacts"] = ""; +$a->strings["If enabled, the global contacts are checked periodically for missing or outdated data and the vitality of the contacts and servers."] = ""; +$a->strings["Days between requery"] = ""; +$a->strings["Number of days after which a server is requeried for his contacts."] = ""; +$a->strings["Discover contacts from other servers"] = ""; +$a->strings["Periodically query other servers for contacts. You can choose between 'users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommened setting is 'Users, Global Contacts'."] = ""; +$a->strings["Timeframe for fetching global contacts"] = ""; +$a->strings["When the discovery is activated, this value defines the timeframe for the activity of the global contacts that are fetched from other servers."] = ""; +$a->strings["Search the local directory"] = ""; +$a->strings["Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated."] = ""; +$a->strings["Publish server information"] = ""; +$a->strings["If enabled, general server and usage data will be published. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details."] = ""; +$a->strings["Check upstream version"] = ""; +$a->strings["Enables checking for new Friendica versions at github. If there is a new version, you will be informed in the admin panel overview."] = ""; +$a->strings["Suppress Tags"] = ""; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; +$a->strings["Path to item cache"] = ""; +$a->strings["The item caches buffers generated bbcode and external images."] = ""; +$a->strings["Cache duration in seconds"] = ""; +$a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = ""; +$a->strings["Maximum numbers of comments per post"] = ""; +$a->strings["How much comments should be shown for each post? Default value is 100."] = ""; +$a->strings["Temp path"] = ""; +$a->strings["If you have a restricted system where the webserver can't access the system temp path, enter another path here."] = ""; +$a->strings["Base path to installation"] = ""; +$a->strings["If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot."] = ""; +$a->strings["Disable picture proxy"] = ""; +$a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = ""; +$a->strings["Only search in tags"] = ""; +$a->strings["On large systems the text search can slow down the system extremely."] = ""; +$a->strings["New base url"] = ""; +$a->strings["Change base url for this server. Sends relocate message to all Friendica and Diaspora* contacts of all users."] = ""; +$a->strings["RINO Encryption"] = ""; +$a->strings["Encryption layer between nodes."] = ""; +$a->strings["Enabled"] = "Virkt"; +$a->strings["Maximum number of parallel workers"] = ""; +$a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = ""; +$a->strings["Don't use 'proc_open' with the worker"] = ""; +$a->strings["Enable this if your system doesn't allow the use of 'proc_open'. This can happen on shared hosters. If this is enabled you should increase the frequency of worker calls in your crontab."] = ""; +$a->strings["Enable fastlane"] = ""; +$a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = ""; +$a->strings["Enable frontend worker"] = ""; +$a->strings["When enabled the Worker process is triggered when backend access is performed \\x28e.g. messages being delivered\\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server."] = ""; +$a->strings["Subscribe to relay"] = ""; +$a->strings["Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page."] = ""; +$a->strings["Relay server"] = ""; +$a->strings["Address of the relay server where public posts should be send to. For example https://relay.diasp.org"] = ""; +$a->strings["Direct relay transfer"] = ""; +$a->strings["Enables the direct transfer to other servers without using the relay servers"] = ""; +$a->strings["Relay scope"] = ""; +$a->strings["Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."] = ""; +$a->strings["all"] = "allt"; +$a->strings["tags"] = "merki"; +$a->strings["Server tags"] = ""; +$a->strings["Comma separated list of tags for the 'tags' subscription."] = ""; +$a->strings["Allow user tags"] = ""; +$a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = ""; +$a->strings["Update has been marked successful"] = "Uppfærsla merkt sem tókst"; +$a->strings["Database structure update %s was successfully applied."] = ""; +$a->strings["Executing of database structure update %s failed with error: %s"] = ""; +$a->strings["Executing %s failed with error: %s"] = ""; +$a->strings["Update %s was successfully applied."] = "Uppfærsla %s framkvæmd."; +$a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Uppfærsla %s skilaði ekki gildi. Óvíst hvort tókst."; +$a->strings["There was no additional update function %s that needed to be called."] = ""; +$a->strings["No failed updates."] = "Engar uppfærslur mistókust."; +$a->strings["Check database structure"] = ""; +$a->strings["Failed Updates"] = "Uppfærslur sem mistókust"; +$a->strings["This does not include updates prior to 1139, which did not return a status."] = "Þetta á ekki við uppfærslur fyrir 1139, þær skiluðu ekki lokastöðu."; +$a->strings["Mark success (if update was manually applied)"] = "Merkja sem tókst (ef uppfærsla var framkvæmd handvirkt)"; +$a->strings["Attempt to execute this update step automatically"] = "Framkvæma þessa uppfærslu sjálfkrafa"; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = ""; +$a->strings["Registration details for %s"] = "Nýskráningar upplýsingar fyrir %s"; +$a->strings["%s user blocked/unblocked"] = [ + 0 => "", + 1 => "", +]; +$a->strings["%s user deleted"] = [ + 0 => "%s notanda eytt", + 1 => "%s notendum eytt", +]; +$a->strings["User '%s' deleted"] = "Notanda '%s' eytt"; +$a->strings["User '%s' unblocked"] = "Notanda '%s' gefið frelsi"; +$a->strings["User '%s' blocked"] = "Notandi '%s' settur í bann"; +$a->strings["Email"] = "Tölvupóstur"; +$a->strings["Register date"] = "Skráningardagur"; +$a->strings["Last login"] = "Síðast innskráður"; +$a->strings["Last item"] = "Síðasta atriði"; +$a->strings["Account"] = "Notandi"; +$a->strings["Add User"] = "Bæta við notanda"; +$a->strings["User registrations waiting for confirm"] = "Skráning notanda býður samþykkis"; +$a->strings["User waiting for permanent deletion"] = ""; +$a->strings["Request date"] = "Dagsetning beiðnar"; +$a->strings["No registrations."] = "Engin skráning"; +$a->strings["Note from the user"] = ""; +$a->strings["Deny"] = "Hafnað"; +$a->strings["Site admin"] = "Vefstjóri"; +$a->strings["Account expired"] = "Notandaaðgangur útrunninn"; +$a->strings["New User"] = "Nýr notandi"; +$a->strings["Deleted since"] = "Eytt síðan"; +$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Valdir notendur verður eytt!\\n\\nAllt sem þessir notendur hafa deilt á þessum vef verður varanlega eytt!\\n\\nErtu alveg viss?"; +$a->strings["The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Notandinn {0} verður eytt!\\n\\nAllt sem þessi notandi hefur deilt á þessum vef veður varanlega eytt!\\n\\nErtu alveg viss?"; +$a->strings["Name of the new user."] = ""; +$a->strings["Nickname"] = "Stuttnefni"; +$a->strings["Nickname of the new user."] = ""; +$a->strings["Email address of the new user."] = ""; +$a->strings["Addon %s disabled."] = ""; +$a->strings["Addon %s enabled."] = ""; +$a->strings["Disable"] = "Gera óvirkt"; +$a->strings["Enable"] = "Virkja"; +$a->strings["Toggle"] = "Skipta"; +$a->strings["Author: "] = "Höfundur:"; +$a->strings["Maintainer: "] = "Umsjónarmaður: "; +$a->strings["Reload active addons"] = ""; +$a->strings["There are currently no addons available on your node. You can find the official addon repository at %1\$s and might find other interesting addons in the open addon registry at %2\$s"] = ""; +$a->strings["No themes found."] = "Engin þemu fundust"; +$a->strings["Screenshot"] = "Skjámynd"; +$a->strings["Reload active themes"] = ""; +$a->strings["No themes found on the system. They should be placed in %1\$s"] = ""; +$a->strings["[Experimental]"] = "[Á tilraunastigi]"; +$a->strings["[Unsupported]"] = "[Óstutt]"; +$a->strings["Log settings updated."] = "Stillingar atburðaskrár uppfærðar. "; +$a->strings["PHP log currently enabled."] = ""; +$a->strings["PHP log currently disabled."] = ""; +$a->strings["Clear"] = "Hreinsa"; +$a->strings["Enable Debugging"] = ""; +$a->strings["Log file"] = "Atburðaskrá"; +$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Vefþjónn verður að hafa skrifréttindi. Afstætt við Friendica rótar skráarsafn."; +$a->strings["Log level"] = "Stig atburðaskráningar"; +$a->strings["PHP logging"] = ""; +$a->strings["To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = ""; +$a->strings["Error trying to open %1\$s log file.\\r\\n
Check to see if file %1\$s exist and is readable."] = ""; +$a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = ""; +$a->strings["Off"] = "Slökkt"; +$a->strings["On"] = "Kveikt"; +$a->strings["Lock feature %s"] = ""; +$a->strings["Manage Additional Features"] = ""; +$a->strings["Display"] = "Birting"; +$a->strings["Social Networks"] = "Samfélagsnet"; +$a->strings["Delegations"] = ""; $a->strings["Connected apps"] = "Tengd forrit"; $a->strings["Remove account"] = "Henda tengilið"; $a->strings["Missing some important data!"] = "Vantar mikilvæg gögn!"; -$a->strings["Update"] = "Uppfæra"; $a->strings["Failed to connect with email account using the settings provided."] = "Ekki tókst að tengjast við pósthólf með stillingum sem uppgefnar eru."; $a->strings["Email settings updated."] = "Stillingar póstfangs uppfærðar."; $a->strings["Features updated"] = ""; $a->strings["Relocate message has been send to your contacts"] = ""; +$a->strings["Passwords do not match. Password unchanged."] = "Aðgangsorð ber ekki saman. Aðgangsorð óbreytt."; $a->strings["Empty passwords are not allowed. Password unchanged."] = "Tóm aðgangsorð eru ekki leyfileg. Aðgangsorð óbreytt."; -$a->strings["Wrong password."] = ""; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; +$a->strings["Wrong password."] = "Rangt lykilorð."; $a->strings["Password changed."] = "Aðgangsorði breytt."; $a->strings["Password update failed. Please try again."] = "Uppfærsla á aðgangsorði tókst ekki. Reyndu aftur."; $a->strings[" Please use a shorter name."] = " Notaðu styttra nafn."; $a->strings[" Name too short."] = "Nafn of stutt."; -$a->strings["Wrong Password"] = ""; -$a->strings[" Not valid email."] = "Póstfang ógilt"; -$a->strings[" Cannot change to that email."] = "Ekki hægt að breyta yfir í þetta póstfang."; +$a->strings["Wrong Password"] = "Rangt lykilorð"; +$a->strings["Invalid email."] = "Ógilt tölvupóstfang."; +$a->strings["Cannot change to that email."] = ""; $a->strings["Private forum has no privacy permissions. Using default privacy group."] = ""; $a->strings["Private forum has no privacy permissions and no default privacy group."] = ""; $a->strings["Settings updated."] = "Stillingar uppfærðar."; $a->strings["Add application"] = "Bæta við forriti"; -$a->strings["Save Settings"] = "Vista stillingar"; $a->strings["Consumer Key"] = "Notenda lykill"; $a->strings["Consumer Secret"] = "Notenda leyndarmál"; $a->strings["Redirect"] = "Áframsenda"; $a->strings["Icon url"] = "Táknmyndar slóð"; $a->strings["You can't edit this application."] = "Þú getur ekki breytt þessu forriti."; $a->strings["Connected Apps"] = "Tengd forrit"; +$a->strings["Edit"] = "Breyta"; $a->strings["Client key starts with"] = "Lykill viðskiptavinar byrjar á"; $a->strings["No name"] = "Ekkert nafn"; $a->strings["Remove authorization"] = "Fjarlæga auðkenningu"; -$a->strings["No Plugin settings configured"] = "Engar stillingar í kerfiseiningu uppsettar"; -$a->strings["Plugin Settings"] = "Stillingar kerfiseiningar"; -$a->strings["Off"] = ""; -$a->strings["On"] = ""; +$a->strings["No Addon settings configured"] = ""; +$a->strings["Addon Settings"] = ""; $a->strings["Additional Features"] = ""; -$a->strings["General Social Media Settings"] = ""; +$a->strings["Diaspora"] = "Diaspora"; +$a->strings["enabled"] = "kveikt"; +$a->strings["disabled"] = "slökkt"; +$a->strings["Built-in support for %s connectivity is %s"] = "Innbyggður stuðningur fyrir %s tenging er%s"; +$a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; +$a->strings["Email access is disabled on this site."] = "Slökkt hefur verið á tölvupóst aðgang á þessum þjón."; +$a->strings["General Social Media Settings"] = "Almennar stillingar samfélagsmiðla"; +$a->strings["Disable Content Warning"] = ""; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = ""; $a->strings["Disable intelligent shortening"] = ""; $a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = ""; $a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = ""; @@ -1311,11 +1571,6 @@ $a->strings["Default group for OStatus contacts"] = ""; $a->strings["Your legacy GNU Social account"] = ""; $a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = ""; $a->strings["Repair OStatus subscriptions"] = ""; -$a->strings["Built-in support for %s connectivity is %s"] = "Innbyggður stuðningur fyrir %s tenging er%s"; -$a->strings["enabled"] = "kveikt"; -$a->strings["disabled"] = "slökkt"; -$a->strings["GNU Social (OStatus)"] = ""; -$a->strings["Email access is disabled on this site."] = "Slökkt hefur verið á tölvupóst aðgang á þessum þjón."; $a->strings["Email/Mailbox Setup"] = "Tölvupóstur stilling"; $a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Ef þú villt hafa samskipti við tölvupósts tengiliði með þessari þjónustu (valfrjálst), skilgreindu þá hvernig á að tengjast póstfanginu þínu."; $a->strings["Last successful email check:"] = "Póstfang sannreynt síðast:"; @@ -1328,12 +1583,14 @@ $a->strings["Email password:"] = "Lykilorð tölvupóstfangs:"; $a->strings["Reply-to address:"] = "Svarpóstfang:"; $a->strings["Send public posts to all email contacts:"] = "Senda opinberar færslur á alla tölvupóst viðtakendur:"; $a->strings["Action after import:"] = ""; +$a->strings["Mark as seen"] = "Merka sem séð"; $a->strings["Move to folder"] = "Flytja yfir í skrásafn"; $a->strings["Move to folder:"] = "Flytja yfir í skrásafn:"; -$a->strings["No special theme for mobile devices"] = ""; -$a->strings["Display Settings"] = ""; +$a->strings["%s - (Unsupported)"] = "%s - (ekki stutt)"; +$a->strings["%s - (Experimental)"] = "%s - (á tilraunastigi)"; +$a->strings["Display Settings"] = "Birtingarstillingar"; $a->strings["Display Theme:"] = "Útlits þema:"; -$a->strings["Mobile Theme:"] = ""; +$a->strings["Mobile Theme:"] = "Farsímaþema"; $a->strings["Suppress warning of insecure networks"] = ""; $a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = ""; $a->strings["Update browser every xx seconds"] = "Endurhlaða vefsíðu á xx sekúndu fresti"; @@ -1342,48 +1599,60 @@ $a->strings["Number of items to display per page:"] = ""; $a->strings["Maximum of 100 items"] = ""; $a->strings["Number of items to display per page when viewed from mobile device:"] = ""; $a->strings["Don't show emoticons"] = ""; -$a->strings["Calendar"] = ""; -$a->strings["Beginning of week:"] = ""; +$a->strings["Calendar"] = "Dagatal"; +$a->strings["Beginning of week:"] = "Upphaf viku:"; $a->strings["Don't show notices"] = ""; $a->strings["Infinite scroll"] = ""; $a->strings["Automatic updates only at the top of the network page"] = ""; +$a->strings["When disabled, the network page is updated all the time, which could be confusing while reading."] = ""; $a->strings["Bandwith Saver Mode"] = ""; $a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = ""; +$a->strings["Smart Threading"] = ""; +$a->strings["When enabled, suppress extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled."] = ""; $a->strings["General Theme Settings"] = ""; $a->strings["Custom Theme Settings"] = ""; -$a->strings["Content Settings"] = ""; -$a->strings["Theme settings"] = ""; -$a->strings["Account Types"] = ""; +$a->strings["Content Settings"] = "Stillingar efnis"; +$a->strings["Theme settings"] = "Þemastillingar"; +$a->strings["Unable to find your profile. Please contact your admin."] = ""; +$a->strings["Account Types"] = "Gerðir notendaaðganga"; $a->strings["Personal Page Subtypes"] = ""; $a->strings["Community Forum Subtypes"] = ""; $a->strings["Personal Page"] = ""; -$a->strings["This account is a regular personal profile"] = ""; +$a->strings["Account for a personal profile."] = ""; $a->strings["Organisation Page"] = ""; -$a->strings["This account is a profile for an organisation"] = ""; +$a->strings["Account for an organisation that automatically approves contact requests as \"Followers\"."] = ""; $a->strings["News Page"] = ""; -$a->strings["This account is a news account/reflector"] = ""; +$a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; $a->strings["Community Forum"] = ""; -$a->strings["This account is a community forum where people can discuss with each other"] = ""; +$a->strings["Account for community discussions."] = ""; $a->strings["Normal Account Page"] = ""; -$a->strings["This account is a normal personal profile"] = "Þessi notandi er með venjulega persónulega forsíðu"; +$a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; $a->strings["Soapbox Page"] = ""; -$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Sjálfkrafa samþykkja allar tengibeiðnir/vinabeiðnir einungis sem les-fylgjendur"; +$a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; $a->strings["Public Forum"] = ""; -$a->strings["Automatically approve all contact requests"] = ""; +$a->strings["Automatically approves all contact requests."] = ""; $a->strings["Automatic Friend Page"] = ""; -$a->strings["Automatically approve all connection/friend requests as friends"] = "Sjálfkrafa samþykkja allar tengibeiðnir/vinabeiðnir sem vini"; +$a->strings["Account for a popular profile that automatically approves contact requests as \"Friends\"."] = ""; $a->strings["Private Forum [Experimental]"] = "Einkaspjallsvæði [á tilraunastigi]"; -$a->strings["Private forum - approved members only"] = "Einkaspjallsvæði - einungis skráðir meðlimir"; +$a->strings["Requires manual approval of contact requests."] = ""; $a->strings["OpenID:"] = "OpenID:"; $a->strings["(Optional) Allow this OpenID to login to this account."] = "(Valfrjálst) Leyfa þessu OpenID til að auðkennast sem þessi notandi."; $a->strings["Publish your default profile in your local site directory?"] = "Gefa út sjálfgefna forsíðu í tengiliðalista á þessum þjón?"; +$a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; $a->strings["Publish your default profile in the global social directory?"] = "Gefa sjálfgefna forsíðu út í alheimstengiliðalista?"; +$a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; $a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Fela tengiliða-/vinalistann þinn fyrir áhorfendum á sjálfgefinni forsíðu?"; -$a->strings["If enabled, posting public messages to Diaspora and other networks isn't possible."] = ""; +$a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; +$a->strings["Hide your profile details from anonymous viewers?"] = ""; +$a->strings["Anonymous visitors will only see your profile picture, your display name and the nickname you are using on your profile page. Disables posting public messages to Diaspora and other networks."] = ""; $a->strings["Allow friends to post to your profile page?"] = "Leyfa vinum að deila á forsíðuna þína?"; +$a->strings["Your contacts may write posts on your profile wall. These posts will be distributed to your contacts"] = ""; $a->strings["Allow friends to tag your posts?"] = "Leyfa vinum að merkja færslurnar þínar?"; +$a->strings["Your contacts can add additional tags to your posts."] = ""; $a->strings["Allow us to suggest you as a potential friend to new members?"] = "Leyfa að stungið verði uppá þér sem hugsamlegum vinur fyrir aðra notendur? "; +$a->strings["If you like, Friendica may suggest new members to add you as a contact."] = ""; $a->strings["Permit unknown people to send you private mail?"] = ""; +$a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; $a->strings["Profile is not published."] = "Forsíðu hefur ekki verið gefinn út."; $a->strings["Your Identity Address is '%s' or '%s'."] = ""; $a->strings["Automatically expire posts after this many days:"] = "Sjálfkrafa fyrna færslu eftir hvað marga daga:"; @@ -1398,13 +1667,14 @@ $a->strings["Only expire posts by others:"] = ""; $a->strings["Account Settings"] = "Stillingar aðgangs"; $a->strings["Password Settings"] = "Stillingar aðgangsorða"; $a->strings["Leave password fields blank unless changing"] = "Hafðu aðgangsorða svæði tóm nema þegar verið er að breyta"; -$a->strings["Current Password:"] = ""; +$a->strings["Current Password:"] = "Núverandi lykilorð:"; $a->strings["Your current password to confirm the changes"] = ""; -$a->strings["Password:"] = ""; +$a->strings["Password:"] = "Lykilorð:"; $a->strings["Basic Settings"] = "Grunnstillingar"; +$a->strings["Full Name:"] = "Fullt nafn:"; $a->strings["Email Address:"] = "Póstfang:"; $a->strings["Your Timezone:"] = "Þitt tímabelti:"; -$a->strings["Your Language:"] = ""; +$a->strings["Your Language:"] = "Tungumálið þitt:"; $a->strings["Set the language we use to show you friendica interface and to send you emails"] = ""; $a->strings["Default Post Location:"] = "Sjálfgefin staðsetning færslu:"; $a->strings["Use Browser Location:"] = "Nota vafra staðsetningu:"; @@ -1435,611 +1705,414 @@ $a->strings["Activate desktop notifications"] = ""; $a->strings["Show desktop popup on new notifications"] = ""; $a->strings["Text-only notification emails"] = ""; $a->strings["Send text only notification emails, without the html part"] = ""; +$a->strings["Show detailled notifications"] = ""; +$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; $a->strings["Advanced Account/Page Type Settings"] = ""; $a->strings["Change the behaviour of this account for special situations"] = ""; $a->strings["Relocate"] = ""; $a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = ""; $a->strings["Resend relocate message to contacts"] = ""; -$a->strings["Do you really want to delete this video?"] = ""; -$a->strings["Delete Video"] = ""; -$a->strings["No videos selected"] = ""; -$a->strings["Recent Videos"] = ""; -$a->strings["Upload New Videos"] = ""; -$a->strings["Invalid request."] = "Ógild fyrirspurn."; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = ""; -$a->strings["Or - did you try to upload an empty file?"] = ""; -$a->strings["File exceeds size limit of %s"] = ""; -$a->strings["File upload failed."] = "Skráar upphlöðun mistókst."; -$a->strings["Theme settings updated."] = "Þemastillingar uppfærðar."; -$a->strings["Site"] = "Vefur"; -$a->strings["Users"] = "Notendur"; -$a->strings["Themes"] = "Þemu"; -$a->strings["DB updates"] = "Gagnagrunnsuppfærslur"; -$a->strings["Inspect Queue"] = ""; -$a->strings["Federation Statistics"] = ""; -$a->strings["Logs"] = "Atburðaskrá"; -$a->strings["View Logs"] = "Skoða atburðaskrár"; -$a->strings["probe address"] = ""; -$a->strings["check webfinger"] = ""; -$a->strings["Plugin Features"] = "Eiginleikar kerfiseiningar"; -$a->strings["diagnostics"] = "greining"; -$a->strings["User registrations waiting for confirmation"] = "Notenda nýskráningar bíða samþykkis"; -$a->strings["unknown"] = ""; -$a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = ""; -$a->strings["The Auto Discovered Contact Directory feature is not enabled, it will improve the data displayed here."] = ""; -$a->strings["Administration"] = "Stjórnun"; -$a->strings["Currently this node is aware of %d nodes from the following platforms:"] = ""; -$a->strings["ID"] = ""; -$a->strings["Recipient Name"] = "Nafn viðtakanda"; -$a->strings["Recipient Profile"] = "Forsíða viðtakanda"; -$a->strings["Created"] = "Búið til"; -$a->strings["Last Tried"] = "Síðast prófað"; -$a->strings["This page lists the content of the queue for outgoing postings. These are postings the initial delivery failed for. They will be resend later and eventually deleted if the delivery fails permanently."] = ""; -$a->strings["Your DB still runs with MyISAM tables. You should change the engine type to InnoDB. As Friendica will use InnoDB only features in the future, you should change this! See here for a guide that may be helpful converting the table engines. You may also use the convert_innodb.sql in the /util directory of your Friendica installation.
"] = ""; -$a->strings["You are using a MySQL version which does not support all features that Friendica uses. You should consider switching to MariaDB."] = ""; -$a->strings["Normal Account"] = "Venjulegur notandi"; -$a->strings["Soapbox Account"] = "Sápukassa notandi"; -$a->strings["Community/Celebrity Account"] = "Hópa-/Stjörnusíða"; -$a->strings["Automatic Friend Account"] = "Verður sjálfkrafa vinur notandi"; -$a->strings["Blog Account"] = ""; -$a->strings["Private Forum"] = "Einkaspjallsvæði"; -$a->strings["Message queues"] = ""; -$a->strings["Summary"] = "Samantekt"; -$a->strings["Registered users"] = "Skráðir notendur"; -$a->strings["Pending registrations"] = "Nýskráningar í bið"; -$a->strings["Version"] = "Útgáfa"; -$a->strings["Active plugins"] = "Virkar kerfiseiningar"; -$a->strings["Can not parse base url. Must have at least ://"] = ""; -$a->strings["RINO2 needs mcrypt php extension to work."] = ""; -$a->strings["Site settings updated."] = "Stillingar vefsvæðis uppfærðar."; -$a->strings["No community page"] = ""; -$a->strings["Public postings from users of this site"] = ""; -$a->strings["Global community page"] = ""; -$a->strings["Never"] = "aldrei"; -$a->strings["At post arrival"] = ""; -$a->strings["Disabled"] = "Slökkt"; -$a->strings["Users, Global Contacts"] = ""; -$a->strings["Users, Global Contacts/fallback"] = ""; -$a->strings["One month"] = "Einn mánuður"; -$a->strings["Three months"] = "Þrír mánuðir"; -$a->strings["Half a year"] = "Hálft ár"; -$a->strings["One year"] = "Eitt ár"; -$a->strings["Multi user instance"] = ""; -$a->strings["Closed"] = "Lokað"; -$a->strings["Requires approval"] = "Þarf samþykki"; -$a->strings["Open"] = "Opið"; -$a->strings["No SSL policy, links will track page SSL state"] = ""; -$a->strings["Force all links to use SSL"] = ""; -$a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = ""; -$a->strings["File upload"] = "Hlaða upp skrá"; -$a->strings["Policies"] = "Stefna"; -$a->strings["Auto Discovered Contact Directory"] = ""; -$a->strings["Performance"] = "Afköst"; -$a->strings["Worker"] = ""; -$a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = ""; -$a->strings["Site name"] = "Nafn síðu"; -$a->strings["Host name"] = "Vélarheiti"; -$a->strings["Sender Email"] = "Tölvupóstfang sendanda"; -$a->strings["The email address your server shall use to send notification emails from."] = ""; -$a->strings["Banner/Logo"] = "Borði/Merki"; -$a->strings["Shortcut icon"] = "Táknmynd flýtivísunar"; -$a->strings["Link to an icon that will be used for browsers."] = ""; -$a->strings["Touch icon"] = ""; -$a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; -$a->strings["Additional Info"] = ""; -$a->strings["For public servers: you can add additional information here that will be listed at %s/siteinfo."] = ""; -$a->strings["System language"] = "Tungumál kerfis"; -$a->strings["System theme"] = "Þema kerfis"; -$a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = ""; -$a->strings["Mobile system theme"] = ""; -$a->strings["Theme for mobile devices"] = ""; -$a->strings["SSL link policy"] = ""; -$a->strings["Determines whether generated links should be forced to use SSL"] = ""; -$a->strings["Force SSL"] = "Þvinga SSL"; -$a->strings["Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops."] = ""; -$a->strings["Old style 'Share'"] = ""; -$a->strings["Deactivates the bbcode element 'share' for repeating items."] = ""; -$a->strings["Hide help entry from navigation menu"] = ""; -$a->strings["Hides the menu entry for the Help pages from the navigation menu. You can still access it calling /help directly."] = ""; -$a->strings["Single user instance"] = ""; -$a->strings["Make this instance multi-user or single-user for the named user"] = ""; -$a->strings["Maximum image size"] = "Mesta stærð mynda"; -$a->strings["Maximum size in bytes of uploaded images. Default is 0, which means no limits."] = ""; -$a->strings["Maximum image length"] = ""; -$a->strings["Maximum length in pixels of the longest side of uploaded images. Default is -1, which means no limits."] = ""; -$a->strings["JPEG image quality"] = "JPEG myndgæði"; -$a->strings["Uploaded JPEGS will be saved at this quality setting [0-100]. Default is 100, which is full quality."] = ""; -$a->strings["Register policy"] = "Stefna varðandi nýskráningar"; -$a->strings["Maximum Daily Registrations"] = ""; -$a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = ""; -$a->strings["Register text"] = "Texti við nýskráningu"; -$a->strings["Will be displayed prominently on the registration page."] = ""; -$a->strings["Accounts abandoned after x days"] = "Yfirgefnir notendur eftir x daga"; -$a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = "Hættir að eyða afli í að sækja færslur á ytri vefi fyrir yfirgefna notendur. 0 þýðir notendur merkjast ekki yfirgefnir."; -$a->strings["Allowed friend domains"] = "Leyfð lén vina"; -$a->strings["Comma separated list of domains which are allowed to establish friendships with this site. Wildcards are accepted. Empty to allow any domains"] = ""; -$a->strings["Allowed email domains"] = "Leyfð lén póstfangs"; -$a->strings["Comma separated list of domains which are allowed in email addresses for registrations to this site. Wildcards are accepted. Empty to allow any domains"] = ""; -$a->strings["Block public"] = "Loka á opinberar færslur"; -$a->strings["Check to block public access to all otherwise public personal pages on this site unless you are currently logged in."] = ""; -$a->strings["Force publish"] = "Skylda að vera í tengiliðalista"; -$a->strings["Check to force all profiles on this site to be listed in the site directory."] = ""; -$a->strings["Global directory URL"] = ""; -$a->strings["URL to the global directory. If this is not set, the global directory is completely unavailable to the application."] = ""; -$a->strings["Allow threaded items"] = ""; -$a->strings["Allow infinite level threading for items on this site."] = ""; -$a->strings["Private posts by default for new users"] = ""; -$a->strings["Set default post permissions for all new members to the default privacy group rather than public."] = ""; -$a->strings["Don't include post content in email notifications"] = ""; -$a->strings["Don't include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure."] = ""; -$a->strings["Disallow public access to addons listed in the apps menu."] = "Hindra opið aðgengi að viðbótum í forritavalmyndinni."; -$a->strings["Checking this box will restrict addons listed in the apps menu to members only."] = "Ef hakað er í þetta verður aðgengi að viðbótum í forritavalmyndinni takmarkað við meðlimi."; -$a->strings["Don't embed private images in posts"] = ""; -$a->strings["Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while."] = ""; -$a->strings["Allow Users to set remote_self"] = ""; -$a->strings["With checking this, every user is allowed to mark every contact as a remote_self in the repair contact dialog. Setting this flag on a contact causes mirroring every posting of that contact in the users stream."] = ""; -$a->strings["Block multiple registrations"] = "Banna margar skráningar"; -$a->strings["Disallow users to register additional accounts for use as pages."] = ""; -$a->strings["OpenID support"] = "Leyfa OpenID auðkenningu"; -$a->strings["OpenID support for registration and logins."] = ""; -$a->strings["Fullname check"] = "Fullt nafn skilyrði"; -$a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = ""; -$a->strings["UTF-8 Regular expressions"] = "UTF-8 hefðbundin stöfun"; -$a->strings["Use PHP UTF8 regular expressions"] = ""; -$a->strings["Community Page Style"] = ""; -$a->strings["Type of community page to show. 'Global community' shows every public posting from an open distributed network that arrived on this server."] = ""; -$a->strings["Posts per user on community page"] = ""; -$a->strings["The maximum number of posts per user on the community page. (Not valid for 'Global Community')"] = ""; -$a->strings["Enable OStatus support"] = "Leyfa OStatus stuðning"; -$a->strings["Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = ""; -$a->strings["OStatus conversation completion interval"] = ""; -$a->strings["How often shall the poller check for new entries in OStatus conversations? This can be a very ressource task."] = ""; -$a->strings["Only import OStatus threads from our contacts"] = ""; -$a->strings["Normally we import every content from our OStatus contacts. With this option we only store threads that are started by a contact that is known on our system."] = ""; -$a->strings["OStatus support can only be enabled if threading is enabled."] = ""; -$a->strings["Diaspora support can't be enabled because Friendica was installed into a sub directory."] = ""; -$a->strings["Enable Diaspora support"] = "Leyfa Diaspora tengingar"; -$a->strings["Provide built-in Diaspora network compatibility."] = ""; -$a->strings["Only allow Friendica contacts"] = "Aðeins leyfa Friendica notendur"; -$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = ""; -$a->strings["Verify SSL"] = "Sannreyna SSL"; -$a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = ""; -$a->strings["Proxy user"] = "Proxy notandi"; -$a->strings["Proxy URL"] = "Proxy slóð"; -$a->strings["Network timeout"] = "Net tími útrunninn"; -$a->strings["Value is in seconds. Set to 0 for unlimited (not recommended)."] = ""; -$a->strings["Delivery interval"] = ""; -$a->strings["Delay background delivery processes by this many seconds to reduce system load. Recommend: 4-5 for shared hosts, 2-3 for virtual private servers. 0-1 for large dedicated servers."] = ""; -$a->strings["Poll interval"] = ""; -$a->strings["Delay background polling processes by this many seconds to reduce system load. If 0, use delivery interval."] = ""; -$a->strings["Maximum Load Average"] = "Mesta meðaltals álag"; -$a->strings["Maximum system load before delivery and poll processes are deferred - default 50."] = ""; -$a->strings["Maximum Load Average (Frontend)"] = ""; -$a->strings["Maximum system load before the frontend quits service - default 50."] = ""; -$a->strings["Maximum table size for optimization"] = ""; -$a->strings["Maximum table size (in MB) for the automatic optimization - default 100 MB. Enter -1 to disable it."] = ""; -$a->strings["Minimum level of fragmentation"] = ""; -$a->strings["Minimum fragmenation level to start the automatic optimization - default value is 30%."] = ""; -$a->strings["Periodical check of global contacts"] = ""; -$a->strings["If enabled, the global contacts are checked periodically for missing or outdated data and the vitality of the contacts and servers."] = ""; -$a->strings["Days between requery"] = ""; -$a->strings["Number of days after which a server is requeried for his contacts."] = ""; -$a->strings["Discover contacts from other servers"] = ""; -$a->strings["Periodically query other servers for contacts. You can choose between 'users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommened setting is 'Users, Global Contacts'."] = ""; -$a->strings["Timeframe for fetching global contacts"] = ""; -$a->strings["When the discovery is activated, this value defines the timeframe for the activity of the global contacts that are fetched from other servers."] = ""; -$a->strings["Search the local directory"] = ""; -$a->strings["Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated."] = ""; -$a->strings["Publish server information"] = ""; -$a->strings["If enabled, general server and usage data will be published. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details."] = ""; -$a->strings["Use MySQL full text engine"] = ""; -$a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = ""; -$a->strings["Suppress Language"] = ""; -$a->strings["Suppress language information in meta information about a posting."] = ""; -$a->strings["Suppress Tags"] = ""; -$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; -$a->strings["Path to item cache"] = ""; -$a->strings["The item caches buffers generated bbcode and external images."] = ""; -$a->strings["Cache duration in seconds"] = ""; -$a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = ""; -$a->strings["Maximum numbers of comments per post"] = ""; -$a->strings["How much comments should be shown for each post? Default value is 100."] = ""; -$a->strings["Path for lock file"] = ""; -$a->strings["The lock file is used to avoid multiple pollers at one time. Only define a folder here."] = ""; -$a->strings["Temp path"] = ""; -$a->strings["If you have a restricted system where the webserver can't access the system temp path, enter another path here."] = ""; -$a->strings["Base path to installation"] = ""; -$a->strings["If the system cannot detect the correct path to your installation, enter the correct path here. This setting should only be set if you are using a restricted system and symbolic links to your webroot."] = ""; -$a->strings["Disable picture proxy"] = ""; -$a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = ""; -$a->strings["Enable old style pager"] = ""; -$a->strings["The old style pager has page numbers but slows down massively the page speed."] = ""; -$a->strings["Only search in tags"] = ""; -$a->strings["On large systems the text search can slow down the system extremely."] = ""; -$a->strings["New base url"] = ""; -$a->strings["Change base url for this server. Sends relocate message to all DFRN contacts of all users."] = ""; -$a->strings["RINO Encryption"] = ""; -$a->strings["Encryption layer between nodes."] = ""; -$a->strings["Embedly API key"] = ""; -$a->strings["Embedly is used to fetch additional data for web pages. This is an optional parameter."] = ""; -$a->strings["Enable 'worker' background processing"] = ""; -$a->strings["The worker background processing limits the number of parallel background jobs to a maximum number and respects the system load."] = ""; -$a->strings["Maximum number of parallel workers"] = ""; -$a->strings["On shared hosters set this to 2. On larger systems, values of 10 are great. Default value is 4."] = ""; -$a->strings["Don't use 'proc_open' with the worker"] = ""; -$a->strings["Enable this if your system doesn't allow the use of 'proc_open'. This can happen on shared hosters. If this is enabled you should increase the frequency of poller calls in your crontab."] = ""; -$a->strings["Enable fastlane"] = ""; -$a->strings["When enabed, the fastlane mechanism starts an additional worker if processes with higher priority are blocked by processes of lower priority."] = ""; -$a->strings["Enable frontend worker"] = ""; -$a->strings["When enabled the Worker process is triggered when backend access is performed (e.g. messages being delivered). On smaller sites you might want to call yourdomain.tld/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server. The worker background process needs to be activated for this."] = ""; -$a->strings["Update has been marked successful"] = "Uppfærsla merkt sem tókst"; -$a->strings["Database structure update %s was successfully applied."] = ""; -$a->strings["Executing of database structure update %s failed with error: %s"] = ""; -$a->strings["Executing %s failed with error: %s"] = ""; -$a->strings["Update %s was successfully applied."] = "Uppfærsla %s framkvæmd."; -$a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Uppfærsla %s skilaði ekki gildi. Óvíst hvort tókst."; -$a->strings["There was no additional update function %s that needed to be called."] = ""; -$a->strings["No failed updates."] = "Engar uppfærslur mistókust."; -$a->strings["Check database structure"] = ""; -$a->strings["Failed Updates"] = "Uppfærslur sem mistókust"; -$a->strings["This does not include updates prior to 1139, which did not return a status."] = "Þetta á ekki við uppfærslur fyrir 1139, þær skiluðu ekki lokastöðu."; -$a->strings["Mark success (if update was manually applied)"] = "Merkja sem tókst (ef uppfærsla var framkvæmd handvirkt)"; -$a->strings["Attempt to execute this update step automatically"] = "Framkvæma þessa uppfærslu sjálfkrafa"; -$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up an account for you."] = ""; -$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tThank you and welcome to %4\$s."] = ""; -$a->strings["%s user blocked/unblocked"] = [ +$a->strings["Error decoding account file"] = ""; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = ""; +$a->strings["User '%s' already exists on this server!"] = ""; +$a->strings["User creation error"] = ""; +$a->strings["User profile creation error"] = ""; +$a->strings["%d contact not imported"] = [ 0 => "", 1 => "", ]; -$a->strings["%s user deleted"] = [ - 0 => "%s notenda eytt", - 1 => "%s notendum eytt", +$a->strings["Done. You can now login with your username and password"] = ""; +$a->strings["System"] = "Kerfi"; +$a->strings["Home"] = "Heim"; +$a->strings["Introductions"] = "Kynningar"; +$a->strings["%s commented on %s's post"] = "%s athugasemd við %s's færslu"; +$a->strings["%s created a new post"] = "%s bjó til færslu"; +$a->strings["%s liked %s's post"] = "%s líkaði færsla hjá %s"; +$a->strings["%s disliked %s's post"] = "%s mislíkaði færsla hjá %s"; +$a->strings["%s is attending %s's event"] = ""; +$a->strings["%s is not attending %s's event"] = ""; +$a->strings["%s may attend %s's event"] = ""; +$a->strings["%s is now friends with %s"] = "%s er nú vinur %s"; +$a->strings["Friend Suggestion"] = "Vina tillaga"; +$a->strings["Friend/Connect Request"] = "Vinabeiðni/Tengibeiðni"; +$a->strings["New Follower"] = "Nýr fylgjandi"; +$a->strings["Post to Email"] = "Senda skilaboð á tölvupóst"; +$a->strings["Hide your profile details from unknown viewers?"] = "Fela forsíðuupplýsingar fyrir óþekktum?"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; +$a->strings["Visible to everybody"] = "Sjáanlegt öllum"; +$a->strings["show"] = "sýna"; +$a->strings["don't show"] = "fela"; +$a->strings["Close"] = "Loka"; +$a->strings["Birthday:"] = "Afmælisdagur:"; +$a->strings["YYYY-MM-DD or MM-DD"] = "ÁÁÁÁ-MM-DD eða MM-DD"; +$a->strings["never"] = "aldrei"; +$a->strings["less than a second ago"] = "fyrir minna en sekúndu"; +$a->strings["year"] = "ár"; +$a->strings["years"] = "ár"; +$a->strings["months"] = "mánuðir"; +$a->strings["weeks"] = "vikur"; +$a->strings["days"] = "dagar"; +$a->strings["hour"] = "klukkustund"; +$a->strings["hours"] = "klukkustundir"; +$a->strings["minute"] = "mínúta"; +$a->strings["minutes"] = "mínútur"; +$a->strings["second"] = "sekúnda"; +$a->strings["seconds"] = "sekúndur"; +$a->strings["%1\$d %2\$s ago"] = "Fyrir %1\$d %2\$s síðan"; +$a->strings["view full size"] = "Skoða í fullri stærð"; +$a->strings["Image/photo"] = "Mynd"; +$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; +$a->strings["$1 wrote:"] = "$1 skrifaði:"; +$a->strings["Encrypted content"] = "Dulritað efni"; +$a->strings["Invalid source protocol"] = ""; +$a->strings["Invalid link protocol"] = ""; +$a->strings["External link to forum"] = "Ytri tengill á spjallsvæði"; +$a->strings["Nothing new here"] = "Ekkert nýtt hér"; +$a->strings["Clear notifications"] = "Hreinsa tilkynningar"; +$a->strings["Logout"] = "Útskráning"; +$a->strings["End this session"] = "Loka þessu innliti"; +$a->strings["Your posts and conversations"] = "Samtölin þín"; +$a->strings["Your profile page"] = "Forsíðan þín"; +$a->strings["Your photos"] = "Myndirnar þínar"; +$a->strings["Videos"] = "Myndskeið"; +$a->strings["Your videos"] = "Myndskeiðin þín"; +$a->strings["Your events"] = "Atburðirnir þínir"; +$a->strings["Personal notes"] = "Einkaglósur"; +$a->strings["Your personal notes"] = "Einkaglósurnar þínar"; +$a->strings["Sign in"] = "Innskrá"; +$a->strings["Home Page"] = "Heimasíða"; +$a->strings["Create an account"] = "Stofna notanda"; +$a->strings["Help and documentation"] = "Hjálp og leiðbeiningar"; +$a->strings["Apps"] = "Forrit"; +$a->strings["Addon applications, utilities, games"] = "Viðbótarforrit, nytjatól, leikir"; +$a->strings["Search site content"] = "Leita í efni á vef"; +$a->strings["Community"] = "Samfélag"; +$a->strings["Conversations on this and other servers"] = ""; +$a->strings["Events and Calendar"] = "Atburðir og dagskrá"; +$a->strings["Directory"] = "Mappa"; +$a->strings["People directory"] = "Nafnaskrá"; +$a->strings["Information about this friendica instance"] = "Upplýsingar um þetta tilvik Friendica"; +$a->strings["Conversations from your friends"] = "Samtöl frá vinum"; +$a->strings["Network Reset"] = "Núllstilling netkerfis"; +$a->strings["Load Network page with no filters"] = ""; +$a->strings["Friend Requests"] = "Vinabeiðnir"; +$a->strings["See all notifications"] = "Sjá allar tilkynningar"; +$a->strings["Mark all system notifications seen"] = "Merkja allar tilkynningar sem séðar"; +$a->strings["Private mail"] = "Einka skilaboð"; +$a->strings["Inbox"] = "Innhólf"; +$a->strings["Outbox"] = "Úthólf"; +$a->strings["Manage"] = "Umsýsla"; +$a->strings["Manage other pages"] = "Sýsla með aðrar síður"; +$a->strings["Account settings"] = "Stillingar aðgangsreiknings"; +$a->strings["Profiles"] = "Forsíður"; +$a->strings["Manage/Edit Profiles"] = "Sýsla með forsíður"; +$a->strings["Manage/edit friends and contacts"] = "Sýsla með vini og tengiliði"; +$a->strings["Site setup and configuration"] = "Uppsetning og stillingar vefsvæðis"; +$a->strings["Navigation"] = "Yfirsýn"; +$a->strings["Site map"] = "Yfirlit um vefsvæði"; +$a->strings["Embedding disabled"] = "Innfelling ekki leyfð"; +$a->strings["Embedded content"] = "Innbyggt efni"; +$a->strings["Export"] = "Flytja út"; +$a->strings["Export calendar as ical"] = "Flytja dagatal út sem ICAL"; +$a->strings["Export calendar as csv"] = "Flytja dagatal út sem CSV"; +$a->strings["General Features"] = "Almennir eiginleikar"; +$a->strings["Multiple Profiles"] = ""; +$a->strings["Ability to create multiple profiles"] = ""; +$a->strings["Photo Location"] = "Staðsetning ljósmyndar"; +$a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = ""; +$a->strings["Export Public Calendar"] = "Flytja út opinbert dagatal"; +$a->strings["Ability for visitors to download the public calendar"] = ""; +$a->strings["Post Composition Features"] = ""; +$a->strings["Post Preview"] = ""; +$a->strings["Allow previewing posts and comments before publishing them"] = ""; +$a->strings["Auto-mention Forums"] = ""; +$a->strings["Add/remove mention when a forum page is selected/deselected in ACL window."] = ""; +$a->strings["Network Sidebar Widgets"] = ""; +$a->strings["Search by Date"] = "Leita eftir dagsetningu"; +$a->strings["Ability to select posts by date ranges"] = ""; +$a->strings["List Forums"] = "Spjallsvæðalistar"; +$a->strings["Enable widget to display the forums your are connected with"] = ""; +$a->strings["Group Filter"] = ""; +$a->strings["Enable widget to display Network posts only from selected group"] = ""; +$a->strings["Network Filter"] = ""; +$a->strings["Enable widget to display Network posts only from selected network"] = ""; +$a->strings["Save search terms for re-use"] = ""; +$a->strings["Network Tabs"] = ""; +$a->strings["Network Personal Tab"] = ""; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = ""; +$a->strings["Network New Tab"] = ""; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = ""; +$a->strings["Network Shared Links Tab"] = ""; +$a->strings["Enable tab to display only Network posts with links in them"] = ""; +$a->strings["Post/Comment Tools"] = ""; +$a->strings["Multiple Deletion"] = ""; +$a->strings["Select and delete multiple posts/comments at once"] = ""; +$a->strings["Edit Sent Posts"] = ""; +$a->strings["Edit and correct posts and comments after sending"] = ""; +$a->strings["Tagging"] = ""; +$a->strings["Ability to tag existing posts"] = ""; +$a->strings["Post Categories"] = ""; +$a->strings["Add categories to your posts"] = ""; +$a->strings["Saved Folders"] = "Vistaðar möppur"; +$a->strings["Ability to file posts under folders"] = ""; +$a->strings["Dislike Posts"] = ""; +$a->strings["Ability to dislike posts/comments"] = ""; +$a->strings["Star Posts"] = ""; +$a->strings["Ability to mark special posts with a star indicator"] = ""; +$a->strings["Mute Post Notifications"] = ""; +$a->strings["Ability to mute notifications for a thread"] = ""; +$a->strings["Advanced Profile Settings"] = ""; +$a->strings["Show visitors public community forums at the Advanced Profile Page"] = ""; +$a->strings["Tag Cloud"] = ""; +$a->strings["Provide a personal tag cloud on your profile page"] = ""; +$a->strings["Display Membership Date"] = ""; +$a->strings["Display membership date in profile"] = ""; +$a->strings["Add New Contact"] = "Bæta við tengilið"; +$a->strings["Enter address or web location"] = "Settu inn slóð"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Dæmi: gudmundur@simnet.is, http://simnet.is/gudmundur"; +$a->strings["%d invitation available"] = [ + 0 => "%d boðskort í boði", + 1 => "%d boðskort í boði", ]; -$a->strings["User '%s' deleted"] = "Notanda '%s' eytt"; -$a->strings["User '%s' unblocked"] = "Notanda '%s' gefið frelsi"; -$a->strings["User '%s' blocked"] = "Notanda '%s' settur í bann"; -$a->strings["Register date"] = "Skráningar dagsetning"; -$a->strings["Last login"] = "Síðast innskráður"; -$a->strings["Last item"] = "Síðasta"; -$a->strings["Add User"] = ""; -$a->strings["select all"] = "velja alla"; -$a->strings["User registrations waiting for confirm"] = "Skráning notanda býður samþykkis"; -$a->strings["User waiting for permanent deletion"] = ""; -$a->strings["Request date"] = "Dagsetning beiðnar"; -$a->strings["No registrations."] = "Engin skráning"; -$a->strings["Note from the user"] = ""; -$a->strings["Deny"] = "Hafnað"; -$a->strings["Block"] = "Banna"; -$a->strings["Unblock"] = "Afbanna"; -$a->strings["Site admin"] = "Vefstjóri"; -$a->strings["Account expired"] = ""; -$a->strings["New User"] = ""; -$a->strings["Deleted since"] = ""; -$a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Valdir notendur verður eytt!\\n\\nAllt sem þessir notendur hafa deilt á þessum vef verður varanlega eytt!\\n\\nErtu alveg viss?"; -$a->strings["The user {0} will be deleted!\\n\\nEverything this user has posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Notandinn {0} verður eytt!\\n\\nAllt sem þessi notandi hefur deilt á þessum vef veður varanlega eytt!\\n\\nErtu alveg viss?"; -$a->strings["Name of the new user."] = ""; -$a->strings["Nickname"] = ""; -$a->strings["Nickname of the new user."] = ""; -$a->strings["Email address of the new user."] = ""; -$a->strings["Plugin %s disabled."] = "Kerfiseining %s óvirk."; -$a->strings["Plugin %s enabled."] = "Kveikt á kerfiseiningu %s"; -$a->strings["Disable"] = "Slökkva"; -$a->strings["Enable"] = "Kveikja"; -$a->strings["Toggle"] = "Skipta"; -$a->strings["Author: "] = "Höfundur:"; -$a->strings["Maintainer: "] = ""; -$a->strings["Reload active plugins"] = "Endurhlaða virkar kerfiseiningar"; -$a->strings["There are currently no plugins available on your node. You can find the official plugin repository at %1\$s and might find other interesting plugins in the open plugin registry at %2\$s"] = ""; -$a->strings["No themes found."] = "Engin þemu fundust"; -$a->strings["Screenshot"] = "Skjámynd"; -$a->strings["Reload active themes"] = ""; -$a->strings["No themes found on the system. They should be paced in %1\$s"] = ""; -$a->strings["[Experimental]"] = "[Tilraun]"; -$a->strings["[Unsupported]"] = "[Óstudd]"; -$a->strings["Log settings updated."] = "Stillingar atburðaskrár uppfærðar. "; -$a->strings["PHP log currently enabled."] = ""; -$a->strings["PHP log currently disabled."] = ""; -$a->strings["Clear"] = "Hreinsa"; -$a->strings["Enable Debugging"] = ""; -$a->strings["Log file"] = "Atburðaskrá"; -$a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Vefþjónn verður að hafa skrifréttindi. Afstætt við Friendica rótar skráarsafn."; -$a->strings["Log level"] = "Stig atburðaskráningar"; -$a->strings["PHP logging"] = ""; -$a->strings["To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = ""; -$a->strings["Lock feature %s"] = ""; -$a->strings["Manage Additional Features"] = ""; -$a->strings["%d contact edited."] = [ - 0 => "", - 1 => "", +$a->strings["Find People"] = "Finna fólk"; +$a->strings["Enter name or interest"] = "Settu inn nafn eða áhugamál"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Dæmi: Jón Jónsson, Veiði"; +$a->strings["Similar Interests"] = "Svipuð áhugamál"; +$a->strings["Random Profile"] = ""; +$a->strings["Invite Friends"] = "Bjóða vinum aðgang"; +$a->strings["View Global Directory"] = ""; +$a->strings["Networks"] = "Net"; +$a->strings["All Networks"] = "Öll net"; +$a->strings["Everything"] = "Allt"; +$a->strings["Categories"] = "Flokkar"; +$a->strings["%d contact in common"] = [ + 0 => "%d tengiliður sameiginlegur", + 1 => "%d tengiliðir sameiginlegir", ]; -$a->strings["Could not access contact record."] = "Tókst ekki að ná í uppl. um tengilið"; -$a->strings["Could not locate selected profile."] = "Tókst ekki að staðsetja valinn forsíðu"; -$a->strings["Contact updated."] = "Tengiliður uppfærður"; -$a->strings["Failed to update contact record."] = "Ekki tókst að uppfæra tengiliðs skrá."; -$a->strings["Contact has been blocked"] = "Lokað á tengilið"; -$a->strings["Contact has been unblocked"] = "Opnað á tengilið"; -$a->strings["Contact has been ignored"] = "Tengiliður hunsaður"; -$a->strings["Contact has been unignored"] = "Tengiliður afhunsaður"; -$a->strings["Contact has been archived"] = "Tengiliður settur í geymslu"; -$a->strings["Contact has been unarchived"] = "Tengiliður tekinn úr geymslu"; -$a->strings["Drop contact"] = ""; -$a->strings["Do you really want to delete this contact?"] = "Viltu í alvörunni eyða þessum tengilið?"; -$a->strings["Contact has been removed."] = "Tengiliður fjarlægður"; -$a->strings["You are mutual friends with %s"] = "Þú ert gagnkvæmur vinur %s"; -$a->strings["You are sharing with %s"] = "Þú ert að deila með %s"; -$a->strings["%s is sharing with you"] = "%s er að deila með þér"; -$a->strings["Private communications are not available for this contact."] = "Einkasamtal ekki í boði fyrir þennan"; -$a->strings["(Update was successful)"] = "(uppfærsla tókst)"; -$a->strings["(Update was not successful)"] = "(uppfærsla tókst ekki)"; -$a->strings["Suggest friends"] = "Stinga uppá vinum"; -$a->strings["Network type: %s"] = "Net tegund: %s"; -$a->strings["Communications lost with this contact!"] = ""; -$a->strings["Fetch further information for feeds"] = "Ná í ítarlegri upplýsingar um fréttaveitur"; -$a->strings["Fetch information"] = ""; -$a->strings["Fetch information and keywords"] = ""; -$a->strings["Contact"] = ""; -$a->strings["Profile Visibility"] = "Forsíðu sjáanleiki"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Veldu forsíðu sem á að birtast %s þegar hann skoðaður með öruggum hætti"; -$a->strings["Contact Information / Notes"] = "Uppl. um tengilið / minnisatriði"; -$a->strings["Edit contact notes"] = "Breyta minnispunktum tengiliðs "; -$a->strings["Block/Unblock contact"] = "útiloka/opna á tengilið"; -$a->strings["Ignore contact"] = "Hunsa tengilið"; -$a->strings["Repair URL settings"] = "Gera við stillingar á slóðum"; -$a->strings["View conversations"] = "Skoða samtöl"; -$a->strings["Last update:"] = "Síðasta uppfærsla:"; -$a->strings["Update public posts"] = "Uppfæra opinberar færslur"; -$a->strings["Update now"] = "Uppfæra núna"; -$a->strings["Unignore"] = "Byrja að fylgjast með á ný"; -$a->strings["Currently blocked"] = "Útilokaður sem stendur"; -$a->strings["Currently ignored"] = "Hunsaður sem stendur"; -$a->strings["Currently archived"] = "Í geymslu"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Svör eða \"líkar við\" á opinberar færslur þínar geta mögulega verið sýnileg öðrum"; -$a->strings["Notification for new posts"] = ""; -$a->strings["Send a notification of every new post of this contact"] = ""; -$a->strings["Blacklisted keywords"] = ""; -$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = ""; -$a->strings["Actions"] = ""; -$a->strings["Contact Settings"] = ""; -$a->strings["Suggestions"] = "Uppástungur"; -$a->strings["Suggest potential friends"] = ""; -$a->strings["Show all contacts"] = "Sýna alla tengiliði"; -$a->strings["Unblocked"] = "Afhunsað"; -$a->strings["Only show unblocked contacts"] = ""; -$a->strings["Blocked"] = "Banna"; -$a->strings["Only show blocked contacts"] = ""; -$a->strings["Ignored"] = "Hunsa"; -$a->strings["Only show ignored contacts"] = ""; -$a->strings["Archived"] = "Í geymslu"; -$a->strings["Only show archived contacts"] = "Aðeins sýna geymda tengiliði"; -$a->strings["Hidden"] = "Falinn"; -$a->strings["Only show hidden contacts"] = "Aðeins sýna falda tengiliði"; -$a->strings["Search your contacts"] = "Leita í þínum vinum"; -$a->strings["Archive"] = "Setja í geymslu"; -$a->strings["Unarchive"] = "Taka úr geymslu"; -$a->strings["Batch Actions"] = ""; -$a->strings["View all contacts"] = "Skoða alla tengiliði"; -$a->strings["View all common friends"] = ""; -$a->strings["Advanced Contact Settings"] = ""; -$a->strings["Mutual Friendship"] = "Sameiginlegur vinskapur"; -$a->strings["is a fan of yours"] = "er fylgjandi þinn"; -$a->strings["you are a fan of"] = "þú er fylgjandi"; -$a->strings["Toggle Blocked status"] = ""; -$a->strings["Toggle Ignored status"] = ""; -$a->strings["Toggle Archive status"] = ""; -$a->strings["Delete contact"] = "Eyða tengilið"; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = ""; -$a->strings["Response from remote site was not understood."] = "Ekki tókst að skilja svar frá ytri vef."; -$a->strings["Unexpected response from remote site: "] = "Óskiljanlegt svar frá ytri vef:"; -$a->strings["Confirmation completed successfully."] = "Staðfesting kláraði eðlilega."; -$a->strings["Remote site reported: "] = "Ytri vefur svaraði:"; -$a->strings["Temporary failure. Please wait and try again."] = "Tímabundin villa. Bíddu aðeins og reyndu svo aftur."; -$a->strings["Introduction failed or was revoked."] = "Kynning mistókst eða var afturkölluð."; -$a->strings["Unable to set contact photo."] = "Ekki tókst að setja tengiliðamynd."; -$a->strings["No user record found for '%s' "] = "Engin notandafærsla fannst fyrir '%s'"; -$a->strings["Our site encryption key is apparently messed up."] = "Dulkóðunnar lykill síðunnar okker er í döðlu."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Tómt slóð var uppgefin eða ekki okkur tókst ekki að afkóða slóð."; -$a->strings["Contact record was not found for you on our site."] = "Tengiliðafærslan þín fannst ekki á þjóninum okkar."; -$a->strings["Site public key not available in contact record for URL %s."] = "Opinber lykill er ekki til í tengiliðafærslu fyrir slóð %s."; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Skilríkið sem þjónninn þinn gaf upp er þegar afritað á okkar þjón. Þetta ætti að virka ef þú bara reynir aftur."; -$a->strings["Unable to set your contact credentials on our system."] = "Ekki tókst að setja tengiliða skilríkið þitt upp á þjóninum okkar."; -$a->strings["Unable to update your contact profile details on our system"] = "Ekki tókst að uppfæra tengiliða skilríkis upplýsingarnar á okkar þjón"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s hefur gengið til liðs við %2\$s"; -$a->strings["This introduction has already been accepted."] = "Þessi kynning hefur þegar verið samþykkt."; -$a->strings["Profile location is not valid or does not contain profile information."] = "Forsíðu slóð er ekki í lagi eða inniheldur ekki forsíðu upplýsingum."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Aðvörun: forsíðu staðsetning hefur ekki aðgreinanlegt eigendanafn."; -$a->strings["Warning: profile location has no profile photo."] = "Aðvörun: forsíðu slóð hefur ekki forsíðu mynd."; -$a->strings["%d required parameter was not found at the given location"] = [ - 0 => "%d skilyrt breyta fannst ekki á uppgefinni staðsetningu", - 1 => "%d skilyrtar breytur fundust ekki á uppgefninni staðsetningu", +$a->strings["Frequently"] = "Oft"; +$a->strings["Hourly"] = "Á klukkustundar fresti"; +$a->strings["Twice daily"] = "Tvisvar á dag"; +$a->strings["Daily"] = "Daglega"; +$a->strings["Weekly"] = "Vikulega"; +$a->strings["Monthly"] = "Mánaðarlega"; +$a->strings["OStatus"] = ""; +$a->strings["RSS/Atom"] = "RSS / Atom"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Zot!"] = "Zot!"; +$a->strings["LinkedIn"] = "LinkedIn"; +$a->strings["XMPP/IM"] = "XMPP/IM"; +$a->strings["MySpace"] = "MySpace"; +$a->strings["Google+"] = "Google+"; +$a->strings["pump.io"] = "pump.io"; +$a->strings["Twitter"] = "Twitter"; +$a->strings["Diaspora Connector"] = "Diaspora tenging"; +$a->strings["GNU Social Connector"] = "GNU Social tenging"; +$a->strings["pnut"] = "pnut"; +$a->strings["App.net"] = "App.net"; +$a->strings["Male"] = "Karl"; +$a->strings["Female"] = "Kona"; +$a->strings["Currently Male"] = "Karlkyns í augnablikinu"; +$a->strings["Currently Female"] = "Kvenkyns í augnablikinu"; +$a->strings["Mostly Male"] = "Aðallega karlkyns"; +$a->strings["Mostly Female"] = "Aðallega kvenkyns"; +$a->strings["Transgender"] = "Kyngervingur (trans)"; +$a->strings["Intersex"] = "Hvorugkyn"; +$a->strings["Transsexual"] = "Kynskiptingur"; +$a->strings["Hermaphrodite"] = "Tvíkynja"; +$a->strings["Neuter"] = "Kynlaus"; +$a->strings["Non-specific"] = "Ekki ákveðið"; +$a->strings["Other"] = "Annað"; +$a->strings["Males"] = "Karlar"; +$a->strings["Females"] = "Konur"; +$a->strings["Gay"] = "Hommi"; +$a->strings["Lesbian"] = "Lesbía"; +$a->strings["No Preference"] = "Til í allt"; +$a->strings["Bisexual"] = "Tvíkynhneigð/ur"; +$a->strings["Autosexual"] = "Sjálfkynhneigð/ur"; +$a->strings["Abstinent"] = "Skírlíf/ur"; +$a->strings["Virgin"] = "Hrein mey/Hreinn sveinn"; +$a->strings["Deviant"] = "Óþekkur"; +$a->strings["Fetish"] = "Blæti"; +$a->strings["Oodles"] = "Mikið af því"; +$a->strings["Nonsexual"] = "Engin kynhneigð"; +$a->strings["Single"] = "Einhleyp/ur"; +$a->strings["Lonely"] = "Einmanna"; +$a->strings["Available"] = "Á lausu"; +$a->strings["Unavailable"] = "Frátekin/n"; +$a->strings["Has crush"] = "Er skotin(n)"; +$a->strings["Infatuated"] = ""; +$a->strings["Dating"] = "Deita"; +$a->strings["Unfaithful"] = "Ótrú/r"; +$a->strings["Sex Addict"] = "Kynlífsfíkill"; +$a->strings["Friends"] = "Vinir"; +$a->strings["Friends/Benefits"] = "Vinir með meiru"; +$a->strings["Casual"] = "Lauslát/ur"; +$a->strings["Engaged"] = "Trúlofuð/Trúlofaður"; +$a->strings["Married"] = "Gift/ur"; +$a->strings["Imaginarily married"] = "Gift/ur í huganum"; +$a->strings["Partners"] = "Félagar"; +$a->strings["Cohabiting"] = "Í sambúð"; +$a->strings["Common law"] = "Löggilt sambúð"; +$a->strings["Happy"] = "Hamingjusöm/Hamingjusamur"; +$a->strings["Not looking"] = "Ekki að leita"; +$a->strings["Swinger"] = "Svingari"; +$a->strings["Betrayed"] = "Svikin/n"; +$a->strings["Separated"] = "Skilin/n að borði og sæng"; +$a->strings["Unstable"] = "Óstabíll"; +$a->strings["Divorced"] = "Fráskilin/n"; +$a->strings["Imaginarily divorced"] = "Fráskilin/n í huganum"; +$a->strings["Widowed"] = "Ekkja/Ekkill"; +$a->strings["Uncertain"] = "Óviss"; +$a->strings["It's complicated"] = "Þetta er flókið"; +$a->strings["Don't care"] = "Gæti ekki verið meira sama"; +$a->strings["Ask me"] = "Spurðu mig"; +$a->strings["There are no tables on MyISAM."] = ""; +$a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; +$a->strings["The error message is\n[pre]%s[/pre]"] = ""; +$a->strings["\nError %d occurred during database update:\n%s\n"] = ""; +$a->strings["Errors encountered performing database changes: "] = ""; +$a->strings[": Database update"] = ""; +$a->strings["%s: updating %s table."] = ""; +$a->strings["[no subject]"] = "[ekkert efni]"; +$a->strings["Requested account is not available."] = "Umbeðin forsíða er ekki til."; +$a->strings["Edit profile"] = "Breyta forsíðu"; +$a->strings["Atom feed"] = "Atom fréttaveita"; +$a->strings["Manage/edit profiles"] = "Sýsla með forsíður"; +$a->strings["g A l F d"] = "g A l F d"; +$a->strings["F d"] = "F d"; +$a->strings["[today]"] = "[í dag]"; +$a->strings["Birthday Reminders"] = "Afmælisáminningar"; +$a->strings["Birthdays this week:"] = "Afmæli í þessari viku:"; +$a->strings["[No description]"] = "[Engin lýsing]"; +$a->strings["Event Reminders"] = "Atburðaáminningar"; +$a->strings["Events this week:"] = "Atburðir vikunnar:"; +$a->strings["Member since:"] = "Meðlimur síðan:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Age:"] = "Aldur:"; +$a->strings["for %1\$d %2\$s"] = "fyrir %1\$d %2\$s"; +$a->strings["Religion:"] = "Trúarskoðanir:"; +$a->strings["Hobbies/Interests:"] = "Áhugamál/Áhugasvið:"; +$a->strings["Contact information and Social Networks:"] = "Tengiliðaupplýsingar og samfélagsnet:"; +$a->strings["Musical interests:"] = "Tónlistaráhugi:"; +$a->strings["Books, literature:"] = "Bækur, bókmenntir:"; +$a->strings["Television:"] = "Sjónvarp:"; +$a->strings["Film/dance/culture/entertainment:"] = "Kvikmyndir/dans/menning/afþreying:"; +$a->strings["Love/Romance:"] = "Ást/rómantík:"; +$a->strings["Work/employment:"] = "Atvinna:"; +$a->strings["School/education:"] = "Skóli/menntun:"; +$a->strings["Forums:"] = "Spjallsvæði:"; +$a->strings["Only You Can See This"] = "Aðeins þú sérð þetta"; +$a->strings["%1\$s is attending %2\$s's %3\$s"] = ""; +$a->strings["%1\$s is not attending %2\$s's %3\$s"] = ""; +$a->strings["%1\$s may attend %2\$s's %3\$s"] = ""; +$a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = "Hóp sem var eytt hefur verið endurlífgaður. Færslur sem þegar voru til geta mögulega farið á hópinn og framtíðar meðlimir. Ef þetta er ekki það sem þú vilt, þá þarftu að búa til nýjan hóp með öðru nafni."; +$a->strings["Default privacy group for new contacts"] = ""; +$a->strings["Everybody"] = "Allir"; +$a->strings["edit"] = "breyta"; +$a->strings["Edit group"] = "Breyta hóp"; +$a->strings["Contacts not in any group"] = "Tengiliðir ekki í neinum hópum"; +$a->strings["Create a new group"] = "Stofna nýjan hóp"; +$a->strings["Edit groups"] = "Breyta hópum"; +$a->strings["Drop Contact"] = "Henda tengilið"; +$a->strings["Organisation"] = ""; +$a->strings["News"] = "Fréttir"; +$a->strings["Forum"] = "Spjallsvæði"; +$a->strings["Connect URL missing."] = "Tengislóð vantar."; +$a->strings["The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page."] = ""; +$a->strings["This site is not configured to allow communications with other networks."] = "Þessi vefur er ekki uppsettur til að leyfa samskipti við önnur samfélagsnet."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Engir samhæfðir samskiptastaðlar né fréttastraumar fundust."; +$a->strings["The profile address specified does not provide adequate information."] = "Uppgefin forsíðuslóð inniheldur ekki nægilegar upplýsingar."; +$a->strings["An author or name was not found."] = "Höfundur eða nafn fannst ekki."; +$a->strings["No browser URL could be matched to this address."] = "Engin vefslóð passaði við þetta vistfang."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = ""; +$a->strings["Use mailto: in front of address to force email check."] = ""; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Þessi forsíðu slóð tilheyrir neti sem er bannað á þessum vef."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Takmörkuð forsíða. Þessi tengiliður mun ekki getað tekið á móti beinum/einka tilkynningum frá þér."; +$a->strings["Unable to retrieve contact information."] = "Ekki hægt að sækja tengiliðs upplýsingar."; +$a->strings["%s's birthday"] = "Afmælisdagur %s"; +$a->strings["Happy Birthday %s"] = "Til hamingju með afmælið %s"; +$a->strings["Starts:"] = "Byrjar:"; +$a->strings["Finishes:"] = "Endar:"; +$a->strings["all-day"] = "allan-daginn"; +$a->strings["Jun"] = "Jún"; +$a->strings["Sept"] = "Sept"; +$a->strings["No events to display"] = "Engir atburðir til að birta"; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Breyta atburð"; +$a->strings["Duplicate event"] = "Tvítaka atburð"; +$a->strings["Delete event"] = "Eyða atburði"; +$a->strings["D g:i A"] = "D g:i A"; +$a->strings["g:i A"] = "g:i A"; +$a->strings["Show map"] = "Birta kort"; +$a->strings["Hide map"] = ""; +$a->strings["Login failed"] = "Innskráning mistókst"; +$a->strings["Not enough information to authenticate"] = ""; +$a->strings["An invitation is required."] = "Boðskort er skilyrði."; +$a->strings["Invitation could not be verified."] = "Ekki hægt að sannreyna boðskort."; +$a->strings["Invalid OpenID url"] = "OpenID slóð ekki til"; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = ""; +$a->strings["The error message was:"] = "Villumeldingin var:"; +$a->strings["Please enter the required information."] = "Settu inn umbeðnar upplýsingar."; +$a->strings["Please use a shorter name."] = "Notaðu styttra nafn."; +$a->strings["Name too short."] = "Nafn of stutt."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Þetta virðist ekki vera fullt nafn (Jón Jónsson)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Póstþjónninn er ekki í lista yfir leyfða póstþjóna á þessum vef."; +$a->strings["Not a valid email address."] = "Ekki tækt tölvupóstfang."; +$a->strings["Cannot use that email."] = "Ekki hægt að nota þetta póstfang."; +$a->strings["Your nickname can only contain a-z, 0-9 and _."] = ""; +$a->strings["Nickname is already registered. Please choose another."] = "Gælunafn þegar skráð. Veldu annað."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "VERULEGA ALVARLEG VILLA: Stofnun á öryggislyklum tókst ekki."; +$a->strings["An error occurred during registration. Please try again."] = "Villa kom upp við nýskráningu. Reyndu aftur."; +$a->strings["default"] = "sjálfgefið"; +$a->strings["An error occurred creating your default profile. Please try again."] = "Villa kom upp við að stofna sjálfgefna forsíðu. Vinnsamlegast reyndu aftur."; +$a->strings["An error occurred creating your self contact. Please try again."] = ""; +$a->strings["An error occurred creating your default contact group. Please try again."] = ""; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = ""; +$a->strings["Registration at %s"] = ""; +$a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; +$a->strings["%s is now following %s."] = "%s fylgist núna með %s."; +$a->strings["following"] = "fylgist með"; +$a->strings["%s stopped following %s."] = ""; +$a->strings["stopped following"] = "hætt að fylgja"; +$a->strings["%s\\'s birthday"] = "Afmælisdagur %s"; +$a->strings["Sharing notification from Diaspora network"] = "Tilkynning um að einhver deildi atriði á Diaspora netinu"; +$a->strings["Attachments:"] = "Viðhengi:"; +$a->strings["(no subject)"] = "(ekkert efni)"; +$a->strings["This entry was edited"] = ""; +$a->strings["save to folder"] = "vista í möppu"; +$a->strings["I will attend"] = ""; +$a->strings["I will not attend"] = ""; +$a->strings["I might attend"] = ""; +$a->strings["add star"] = "bæta við stjörnu"; +$a->strings["remove star"] = "eyða stjörnu"; +$a->strings["toggle star status"] = "Kveikja/slökkva á stjörnu"; +$a->strings["starred"] = "stjörnumerkt"; +$a->strings["ignore thread"] = ""; +$a->strings["unignore thread"] = ""; +$a->strings["toggle ignore status"] = ""; +$a->strings["add tag"] = "bæta við merki"; +$a->strings["like"] = "líkar"; +$a->strings["dislike"] = "mislíkar"; +$a->strings["Share this"] = "Deila þessu"; +$a->strings["share"] = "deila"; +$a->strings["to"] = "við"; +$a->strings["via"] = "gegnum"; +$a->strings["Wall-to-Wall"] = "vegg við vegg"; +$a->strings["via Wall-To-Wall:"] = "gegnum vegg við vegg"; +$a->strings["%d comment"] = [ + 0 => "%d ummæli", + 1 => "%d ummæli", ]; -$a->strings["Introduction complete."] = "Kynning tilbúinn."; -$a->strings["Unrecoverable protocol error."] = "Alvarleg samskipta villa."; -$a->strings["Profile unavailable."] = "Ekki hægt að sækja forsíðu"; -$a->strings["%s has received too many connection requests today."] = "%s hefur fengið of margar tengibeiðnir í dag."; -$a->strings["Spam protection measures have been invoked."] = "Kveikt hefur verið á ruslsíu"; -$a->strings["Friends are advised to please try again in 24 hours."] = "Vinir eru beðnir um að reyna aftur eftir 24 klukkustundir."; -$a->strings["Invalid locator"] = "Ógild staðsetning"; -$a->strings["Invalid email address."] = "Ógilt póstfang."; -$a->strings["This account has not been configured for email. Request failed."] = ""; -$a->strings["You have already introduced yourself here."] = "Kynning hefur þegar átt sér stað hér."; -$a->strings["Apparently you are already friends with %s."] = "Þú ert þegar vinur %s."; -$a->strings["Invalid profile URL."] = "Ógild forsíðu slóð."; -$a->strings["Your introduction has been sent."] = "Kynningin þín hefur verið send."; -$a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = ""; -$a->strings["Please login to confirm introduction."] = "Skráðu þig inn til að staðfesta kynningu."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Ekki réttur notandi skráður inn. Skráðu þig inn sem þessi notandi."; -$a->strings["Confirm"] = "Staðfesta"; -$a->strings["Hide this contact"] = "Fela þennan tengilið"; -$a->strings["Welcome home %s."] = "Velkomin(n) heim %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Staðfestu kynninguna/tengibeiðnina við %s."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Settu inn 'Auðkennisnetfang' þitt úr einhverjum af eftirfarandi samskiptanetum:"; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = ""; -$a->strings["Friend/Connection Request"] = "Vinabeiðni/Tengibeiðni"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Dæmi: siggi@demo.friendica.com, http://demo.friendica.com/profile/siggi, prufunotandi@identi.ca"; -$a->strings["Please answer the following:"] = "Vinnsamlegast svaraðu eftirfarandi:"; -$a->strings["Does %s know you?"] = "Þekkir %s þig?"; -$a->strings["Add a personal note:"] = "Bæta við persónulegri athugasemd"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = ""; -$a->strings["Your Identity Address:"] = "Auðkennisnetfang þitt:"; -$a->strings["Submit Request"] = "Senda beiðni"; -$a->strings["You already added this contact."] = ""; -$a->strings["Diaspora support isn't enabled. Contact can't be added."] = ""; -$a->strings["OStatus support is disabled. Contact can't be added."] = ""; -$a->strings["The network type couldn't be detected. Contact can't be added."] = ""; -$a->strings["Contact added"] = "Tengilið bætt við"; -$a->strings["Friendica Communications Server - Setup"] = ""; -$a->strings["Could not connect to database."] = "Gat ekki tengst gagnagrunn."; -$a->strings["Could not create table."] = "Gat ekki búið til töflu."; -$a->strings["Your Friendica site database has been installed."] = "Friendica gagnagrunnurinn þinn hefur verið uppsettur."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Þú þarft mögulega að keyra inn skránna \"database.sql\" handvirkt með phpmyadmin eða mysql."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Lestu skrána \"INSTALL.txt\"."; -$a->strings["Database already in use."] = ""; -$a->strings["System check"] = "Kerfis prófun"; -$a->strings["Check again"] = "Prófa aftur"; -$a->strings["Database connection"] = "Gangagrunns tenging"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Til að setja upp Friendica þurfum við að vita hvernig á að tengjast gagnagrunninum þínum."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Hafðu samband við hýsingaraðilann þinn eða kerfisstjóra ef þú hefur spurningar varðandi þessar stillingar."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Gagnagrunnurinn sem þú bendir á þarf þegar að vera til. Ef ekki þá þarf að stofna hann áður en haldið er áfram."; -$a->strings["Database Server Name"] = "Vélanafn gagangrunns"; -$a->strings["Database Login Name"] = "Notendanafn í gagnagrunn"; -$a->strings["Database Login Password"] = "Aðgangsorð í gagnagrunns"; -$a->strings["Database Name"] = "Nafn gagnagrunns"; -$a->strings["Site administrator email address"] = "Póstfang kerfisstjóra vefsvæðis"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Póstfang aðgangsins þíns verður að passa við þetta til að hægt sé að nota umsýsluvefviðmótið."; -$a->strings["Please select a default timezone for your website"] = "Veldu sjálfgefið tímabelti fyrir vefsíðuna"; -$a->strings["Site settings"] = "Stillingar vefsvæðis"; -$a->strings["System Language:"] = ""; -$a->strings["Set the default language for your Friendica installation interface and to send emails."] = ""; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Gat ekki fundið skipanalínu útgáfu af PHP í vefþjóns PATH."; -$a->strings["If you don't have a command line version of PHP installed on server, you will not be able to run background polling via cron. See 'Setup the poller'"] = ""; -$a->strings["PHP executable path"] = "PHP keyrslu slóð"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = ""; -$a->strings["Command line PHP"] = "Skipanalínu PHP"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = ""; -$a->strings["Found PHP version: "] = ""; -$a->strings["PHP cli binary"] = ""; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Skipanalínu útgáfa af PHP á vefþjóninum hefur ekki kveikt á \"register_argc_argv\"."; -$a->strings["This is required for message delivery to work."] = "Þetta er skilyrt fyrir því að skilaboð komist til skila."; -$a->strings["PHP register_argc_argv"] = ""; -$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Villa: Stefjan \"openssl_pkey_new\" á vefþjóninum getur ekki stofnað dulkóðunar lykla"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Ef keyrt er á Window, skoðaðu þá \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Búa til dulkóðunar lykla"; -$a->strings["libCurl PHP module"] = "libCurl PHP eining"; -$a->strings["GD graphics PHP module"] = "GD graphics PHP eining"; -$a->strings["OpenSSL PHP module"] = "OpenSSL PHP eining"; -$a->strings["mysqli PHP module"] = "mysqli PHP eining"; -$a->strings["mb_string PHP module"] = "mb_string PHP eining"; -$a->strings["mcrypt PHP module"] = ""; -$a->strings["XML PHP module"] = ""; -$a->strings["iconv module"] = ""; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite eining"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Villa: Apache vefþjóns eining mod-rewrite er skilyrði og er ekki uppsett. "; -$a->strings["Error: libCURL PHP module required but not installed."] = "Villa: libCurl PHP eining er skilyrði og er ekki uppsett."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Villa: GD graphics PHP eining með JPEG stuðningi er skilyrði og er ekki uppsett."; -$a->strings["Error: openssl PHP module required but not installed."] = "Villa: openssl PHP eining skilyrði og er ekki uppsett."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Villa: mysqli PHP eining er skilyrði og er ekki uppsett"; -$a->strings["Error: mb_string PHP module required but not installed."] = "Villa: mb_string PHP eining skilyrði en ekki uppsett."; -$a->strings["Error: mcrypt PHP module required but not installed."] = ""; -$a->strings["Error: iconv PHP module required but not installed."] = ""; -$a->strings["If you are using php_cli, please make sure that mcrypt module is enabled in its config file"] = ""; -$a->strings["Function mcrypt_create_iv() is not defined. This is needed to enable RINO2 encryption layer."] = ""; -$a->strings["mcrypt_create_iv() function"] = ""; -$a->strings["Error, XML PHP module required but not installed."] = ""; -$a->strings["The web installer needs to be able to create a file called \".htconfig.php\" in the top folder of your web server and it is unable to do so."] = "Vef uppsetningar forrit þarf að geta stofnað skránna \".htconfig.php\" in efsta skráarsafninu á vefþjóninum og það getur ekki gert það."; -$a->strings["This is most often a permission setting, as the web server may not be able to write files in your folder - even if you can."] = "Þetta er oftast aðgangsstýringa stilling, þar sem vefþjónninn getur ekki skrifað út skrár í skráarsafnið - þó þú getir það."; -$a->strings["At the end of this procedure, we will give you a text to save in a file named .htconfig.php in your Friendica top folder."] = ""; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = ""; -$a->strings[".htconfig.php is writable"] = ".htconfig.php er skrifanleg"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = ""; -$a->strings["In order to store these compiled templates, the web server needs to have write access to the directory view/smarty3/ under the Friendica top level folder."] = ""; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = ""; -$a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = ""; -$a->strings["view/smarty3 is writable"] = ""; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = ""; -$a->strings["Url rewrite is working"] = ""; -$a->strings["ImageMagick PHP extension is not installed"] = ""; -$a->strings["ImageMagick PHP extension is installed"] = ""; -$a->strings["ImageMagick supports GIF"] = ""; -$a->strings["The database configuration file \".htconfig.php\" could not be written. Please use the enclosed text to create a configuration file in your web server root."] = "Ekki tókst að skrifa stillingaskrá gagnagrunns \".htconfig.php\". Notað meðfylgjandi texta til að búa til stillingarskrá í rót vefþjónsins."; -$a->strings["

What next

"] = ""; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "MIKILVÆGT: Þú þarft að [handvirkt] setja upp sjálfvirka keyrslu á poller."; -$a->strings["Unable to locate original post."] = "Ekki tókst að finna upphaflega færslu."; -$a->strings["Empty post discarded."] = "Tóm færsla eytt."; -$a->strings["System error. Post not saved."] = "Kerfisvilla. Færsla ekki vistuð."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Skilaboðið sendi %s, notandi á Friendica samfélagsnetinu."; -$a->strings["You may visit them online at %s"] = "Þú getur heimsótt þau á netinu á %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Hafðu samband við sendanda með því að svara á þessari færslu ef þú villt ekki fá þessi skilaboð."; -$a->strings["%s posted an update."] = "%s hefur sent uppfærslu."; -$a->strings["Warning: This group contains %s member from a network that doesn't allow non public messages."] = [ - 0 => "", - 1 => "", -]; -$a->strings["Messages in this group won't be send to these receivers."] = ""; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Einka skilaboð send á þennan notanda eiga á hættu að verða opinber."; -$a->strings["Invalid contact."] = "Ógildur tengiliður."; -$a->strings["Commented Order"] = "Athugasemdar röð"; -$a->strings["Sort by Comment Date"] = "Raða eftir umræðu dagsetningu"; -$a->strings["Posted Order"] = "Færlsu röð"; -$a->strings["Sort by Post Date"] = "Raða eftir færslu dagsetningu"; -$a->strings["Posts that mention or involve you"] = "Færslur sem tengjast þér"; -$a->strings["New"] = "Ný"; -$a->strings["Activity Stream - by date"] = "Færslu straumur - raðað eftir dagsetningu"; -$a->strings["Shared Links"] = ""; -$a->strings["Interesting Links"] = "Áhugaverðir tenglar"; -$a->strings["Starred"] = "Stjörnumerkt"; -$a->strings["Favourite Posts"] = "Uppáhalds færslur"; -$a->strings["{0} wants to be your friend"] = "{0} vill vera vinur þinn"; -$a->strings["{0} sent you a message"] = "{0} sendi þér skilboð"; -$a->strings["{0} requested registration"] = "{0} óskaði eftir skráningu"; -$a->strings["No contacts."] = "Enginn tengiliður"; -$a->strings["via"] = ""; -$a->strings["Repeat the image"] = ""; -$a->strings["Will repeat your image to fill the background."] = ""; -$a->strings["Stretch"] = ""; -$a->strings["Will stretch to width/height of the image."] = ""; -$a->strings["Resize fill and-clip"] = ""; -$a->strings["Resize to fill and retain aspect ratio."] = ""; -$a->strings["Resize best fit"] = ""; -$a->strings["Resize to best fit and retain aspect ratio."] = ""; -$a->strings["Default"] = ""; -$a->strings["Note: "] = ""; -$a->strings["Check image permissions if all users are allowed to visit the image"] = ""; -$a->strings["Select scheme"] = ""; -$a->strings["Navigation bar background color"] = ""; -$a->strings["Navigation bar icon color "] = ""; -$a->strings["Link color"] = "Litur tengils"; -$a->strings["Set the background color"] = ""; -$a->strings["Content background transparency"] = ""; -$a->strings["Set the background image"] = ""; -$a->strings["Guest"] = ""; -$a->strings["Visitor"] = ""; -$a->strings["Alignment"] = ""; -$a->strings["Left"] = ""; -$a->strings["Center"] = ""; -$a->strings["Color scheme"] = ""; -$a->strings["Posts font size"] = ""; -$a->strings["Textareas font size"] = ""; -$a->strings["Community Profiles"] = ""; -$a->strings["Last users"] = "Nýjustu notendurnir"; -$a->strings["Find Friends"] = ""; -$a->strings["Local Directory"] = ""; -$a->strings["Quick Start"] = ""; -$a->strings["Connect Services"] = ""; -$a->strings["Comma separated list of helper forums"] = ""; -$a->strings["Set style"] = ""; -$a->strings["Community Pages"] = ""; -$a->strings["Help or @NewHere ?"] = ""; -$a->strings["greenzero"] = ""; -$a->strings["purplezero"] = ""; -$a->strings["easterbunny"] = ""; -$a->strings["darkzero"] = ""; -$a->strings["comix"] = ""; -$a->strings["slackr"] = ""; -$a->strings["Variations"] = ""; -$a->strings["Delete this item?"] = "Eyða þessu atriði?"; -$a->strings["show fewer"] = "birta minna"; -$a->strings["Update %s failed. See error logs."] = "Uppfærsla á %s mistókst. Skoðaðu villuannál."; +$a->strings["Bold"] = "Feitletrað"; +$a->strings["Italic"] = "Skáletrað"; +$a->strings["Underline"] = "Undirstrikað"; +$a->strings["Quote"] = "Gæsalappir"; +$a->strings["Code"] = "Kóði"; +$a->strings["Image"] = "Mynd"; +$a->strings["Link"] = "Tengill"; +$a->strings["Video"] = "Myndband"; $a->strings["Create a New Account"] = "Stofna nýjan notanda"; $a->strings["Password: "] = "Aðgangsorð: "; $a->strings["Remember me"] = "Muna eftir mér"; @@ -2049,4 +2122,54 @@ $a->strings["Website Terms of Service"] = "Þjónustuskilmálar vefsvæðis"; $a->strings["terms of service"] = "þjónustuskilmálar"; $a->strings["Website Privacy Policy"] = "Persónuverndarstefna"; $a->strings["privacy policy"] = "persónuverndarstefna"; +$a->strings["Logged out."] = "Skráður út."; +$a->strings["Delete this item?"] = "Eyða þessu atriði?"; +$a->strings["show fewer"] = "birta minna"; +$a->strings["greenzero"] = ""; +$a->strings["purplezero"] = ""; +$a->strings["easterbunny"] = ""; +$a->strings["darkzero"] = ""; +$a->strings["comix"] = ""; +$a->strings["slackr"] = ""; +$a->strings["Variations"] = "Tilbrigði"; +$a->strings["Repeat the image"] = "Endurtaka myndina"; +$a->strings["Will repeat your image to fill the background."] = ""; +$a->strings["Stretch"] = "Teygja"; +$a->strings["Will stretch to width/height of the image."] = ""; +$a->strings["Resize fill and-clip"] = ""; +$a->strings["Resize to fill and retain aspect ratio."] = ""; +$a->strings["Resize best fit"] = "Stærðarbreyta svo að passi"; +$a->strings["Resize to best fit and retain aspect ratio."] = "Stærðarbreyta svo að passi og halda upphaflegum hlutföllum."; +$a->strings["Default"] = "Sjálfgefið"; +$a->strings["Note"] = "Minnispunktur"; +$a->strings["Check image permissions if all users are allowed to visit the image"] = ""; +$a->strings["Select scheme"] = "Veldu litastef"; +$a->strings["Navigation bar background color"] = ""; +$a->strings["Navigation bar icon color "] = ""; +$a->strings["Link color"] = "Litur tengils"; +$a->strings["Set the background color"] = "Stilltu bakgrunnslit"; +$a->strings["Content background opacity"] = ""; +$a->strings["Set the background image"] = ""; +$a->strings["Login page background image"] = ""; +$a->strings["Login page background color"] = ""; +$a->strings["Leave background image and color empty for theme defaults"] = ""; +$a->strings["Guest"] = "Gestur"; +$a->strings["Visitor"] = "Í heimsókn"; +$a->strings["Alignment"] = "Hliðjöfnun"; +$a->strings["Left"] = "Vinstri"; +$a->strings["Center"] = "Miðjað"; +$a->strings["Color scheme"] = "Litastef"; +$a->strings["Posts font size"] = ""; +$a->strings["Textareas font size"] = ""; +$a->strings["Comma separated list of helper forums"] = ""; +$a->strings["Set style"] = ""; +$a->strings["Community Pages"] = ""; +$a->strings["Community Profiles"] = ""; +$a->strings["Help or @NewHere ?"] = ""; +$a->strings["Connect Services"] = ""; +$a->strings["Find Friends"] = "Finna vini"; +$a->strings["Last users"] = "Nýjustu notendurnir"; +$a->strings["Local Directory"] = "Staðvær mappa"; +$a->strings["Quick Start"] = ""; $a->strings["toggle mobile"] = ""; +$a->strings["Update %s failed. See error logs."] = "Uppfærsla á %s mistókst. Skoðaðu villuannál."; From 4fbea5088ad9096cb0883f5556df7a46617313c5 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Wed, 11 Apr 2018 08:02:38 +0200 Subject: [PATCH 032/112] translation updates --- view/lang/de/messages.po | 7 +- view/lang/de/strings.php | 2 +- view/lang/fi-fi/messages.po | 8 +- view/lang/fi-fi/strings.php | 6 +- view/lang/pl/messages.po | 206 ++++++++++++++++++------------------ view/lang/pl/strings.php | 204 +++++++++++++++++------------------ 6 files changed, 217 insertions(+), 216 deletions(-) diff --git a/view/lang/de/messages.po b/view/lang/de/messages.po index b6beabe9e..3b3ef90d6 100644 --- a/view/lang/de/messages.po +++ b/view/lang/de/messages.po @@ -7,6 +7,7 @@ # Andreas H., 2015-2018 # Andy H3 , 2017 # Tobias Diekershoff , 2011 +# Ben , 2018 # Copiis Praeesse , 2018 # David Rabel , 2016 # Erkan Yilmaz , 2011 @@ -40,8 +41,8 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-10 06:01+0000\n" -"Last-Translator: Copiis Praeesse \n" +"PO-Revision-Date: 2018-04-11 05:06+0000\n" +"Last-Translator: Ben \n" "Language-Team: German (http://www.transifex.com/Friendica/friendica/language/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -160,7 +161,7 @@ msgstr "%1$s kommentierte [url=%2$s]%3$ss %4$s[/url]" #: include/enotify.php:159 #, php-format msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s kommentierte [url=%2$s]deine %3$s[/url]" +msgstr "%1$s kommentierte [url=%2$s]deinen %3$s[/url]" #: include/enotify.php:171 #, php-format diff --git a/view/lang/de/strings.php b/view/lang/de/strings.php index 7198bc5bb..32af61085 100644 --- a/view/lang/de/strings.php +++ b/view/lang/de/strings.php @@ -32,7 +32,7 @@ $a->strings["%1\$s sent you %2\$s."] = "%1\$s schickte Dir %2\$s."; $a->strings["Please visit %s to view and/or reply to your private messages."] = "Bitte besuche %s, um Deine privaten Nachrichten anzusehen und/oder zu beantworten."; $a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]a %3\$s[/url]"; $a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]%3\$ss %4\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]deine %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s kommentierte [url=%2\$s]deinen %3\$s[/url]"; $a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica-Meldung] Kommentar zum Beitrag #%1\$d von %2\$s"; $a->strings["%s commented on an item/conversation you have been following."] = "%s hat einen Beitrag kommentiert, dem Du folgst."; $a->strings["Please visit %s to view and/or reply to the conversation."] = "Bitte besuche %s, um die Konversation anzusehen und/oder zu kommentieren."; diff --git a/view/lang/fi-fi/messages.po b/view/lang/fi-fi/messages.po index 080324d4b..c49bde651 100644 --- a/view/lang/fi-fi/messages.po +++ b/view/lang/fi-fi/messages.po @@ -15,7 +15,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-09 16:48+0000\n" +"PO-Revision-Date: 2018-04-10 18:27+0000\n" "Last-Translator: Kris\n" "Language-Team: Finnish (Finland) (http://www.transifex.com/Friendica/friendica/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -3997,15 +3997,15 @@ msgstr "Kontaktia ei voitu lisätä." #: mod/follow.php:73 msgid "You already added this contact." -msgstr "" +msgstr "Olet jo lisännyt tämän kontaktin." #: mod/follow.php:83 msgid "Diaspora support isn't enabled. Contact can't be added." -msgstr "" +msgstr "Diaspora -tuki ei ole käytössä. Kontaktia ei voi lisätä." #: mod/follow.php:90 msgid "OStatus support is disabled. Contact can't be added." -msgstr "" +msgstr "OStatus -tuki ei ole käytössä. Kontaktia ei voi lisätä." #: mod/follow.php:97 msgid "The network type couldn't be detected. Contact can't be added." diff --git a/view/lang/fi-fi/strings.php b/view/lang/fi-fi/strings.php index 5d4e0585c..5bf2c3754 100644 --- a/view/lang/fi-fi/strings.php +++ b/view/lang/fi-fi/strings.php @@ -910,9 +910,9 @@ $a->strings["BBCode"] = "BBCode"; $a->strings["Markdown"] = ""; $a->strings["HTML"] = "HTML"; $a->strings["The contact could not be added."] = "Kontaktia ei voitu lisätä."; -$a->strings["You already added this contact."] = ""; -$a->strings["Diaspora support isn't enabled. Contact can't be added."] = ""; -$a->strings["OStatus support is disabled. Contact can't be added."] = ""; +$a->strings["You already added this contact."] = "Olet jo lisännyt tämän kontaktin."; +$a->strings["Diaspora support isn't enabled. Contact can't be added."] = "Diaspora -tuki ei ole käytössä. Kontaktia ei voi lisätä."; +$a->strings["OStatus support is disabled. Contact can't be added."] = "OStatus -tuki ei ole käytössä. Kontaktia ei voi lisätä."; $a->strings["The network type couldn't be detected. Contact can't be added."] = ""; $a->strings["Profile deleted."] = "Profiili poistettiin."; $a->strings["Profile-"] = "Profiili-"; diff --git a/view/lang/pl/messages.po b/view/lang/pl/messages.po index cddaaa7df..d3781fc73 100644 --- a/view/lang/pl/messages.po +++ b/view/lang/pl/messages.po @@ -39,7 +39,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-08 16:58+0000\n" +"PO-Revision-Date: 2018-04-10 19:14+0000\n" "Last-Translator: Waldemar Stoczkowski \n" "Language-Team: Polish (http://www.transifex.com/Friendica/friendica/language/pl/)\n" "MIME-Version: 1.0\n" @@ -115,7 +115,7 @@ msgstr "Dziękuję," #: include/enotify.php:37 #, php-format msgid "%s Administrator" -msgstr "%s administrator" +msgstr "%s Administrator" #: include/enotify.php:39 #, php-format @@ -129,7 +129,7 @@ msgstr "brak odpowiedzi" #: include/enotify.php:98 #, php-format msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica:Notify] Nowa wiadomość otrzymana od %s" +msgstr "[Friendica:Powiadomienie] Nowa wiadomość otrzymana od %s" #: include/enotify.php:100 #, php-format @@ -370,7 +370,7 @@ msgstr "'%1$s' możesz zdecydować o przedłużeniu tego w dwukierunkowy lub bar #: include/enotify.php:353 #, php-format msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "Odwiedź stronę %s, jeśli chcesz wprowadzić zmiany w tym związku." +msgstr "Odwiedź stronę %s, jeśli chcesz wprowadzić zmiany w tej relacji." #: include/enotify.php:363 msgid "[Friendica System:Notify] registration request" @@ -490,7 +490,7 @@ msgstr "%1$s nie lubi %2$s's %3$s" #: include/conversation.php:170 #, php-format msgid "%1$s attends %2$s's %3$s" -msgstr "" +msgstr "%1$sbierze udział w %2$s's%3$s " #: include/conversation.php:173 #, php-format @@ -574,7 +574,7 @@ msgstr "Kategorie:" #: include/conversation.php:796 src/Object/Post.php:352 msgid "Filed under:" -msgstr "Zapisano pod:" +msgstr "Zapisano w:" #: include/conversation.php:803 src/Object/Post.php:377 #, php-format @@ -653,7 +653,7 @@ msgstr "%s nie lubi tego." #: include/conversation.php:1205 #, php-format msgid "%s attends." -msgstr "%s uczęszcza." +msgstr "%s uczestniczy." #: include/conversation.php:1208 #, php-format @@ -778,7 +778,7 @@ msgstr "dodaj zdjęcie" #: include/conversation.php:1344 mod/editpost.php:113 msgid "Attach file" -msgstr "Przyłącz plik" +msgstr "Załącz plik" #: include/conversation.php:1345 mod/editpost.php:114 msgid "attach file" @@ -795,7 +795,7 @@ msgstr "Adres www" #: include/conversation.php:1348 mod/editpost.php:117 msgid "Insert video link" -msgstr "Wstaw link wideo" +msgstr "Wstaw link do filmu" #: include/conversation.php:1349 mod/editpost.php:118 msgid "video link" @@ -803,15 +803,15 @@ msgstr "link do filmu" #: include/conversation.php:1350 mod/editpost.php:119 msgid "Insert audio link" -msgstr "Wstaw link audio" +msgstr "Wstaw link do audio" #: include/conversation.php:1351 mod/editpost.php:120 msgid "audio link" -msgstr "Link audio" +msgstr "Link do nagrania audio" #: include/conversation.php:1352 mod/editpost.php:121 msgid "Set your location" -msgstr "Ustaw swoje położenie" +msgstr "Ustaw swoją lokalizację" #: include/conversation.php:1353 mod/editpost.php:122 msgid "set location" @@ -819,7 +819,7 @@ msgstr "wybierz lokalizację" #: include/conversation.php:1354 mod/editpost.php:123 msgid "Clear browser location" -msgstr "Wyczyść położenie przeglądarki" +msgstr "Wyczyść lokalizację przeglądarki" #: include/conversation.php:1355 mod/editpost.php:124 msgid "clear location" @@ -853,7 +853,7 @@ msgstr "Podgląd" #: include/conversation.php:1383 msgid "Post to Groups" -msgstr "Wstaw na strony grup" +msgstr "Opublikuj w grupach" #: include/conversation.php:1384 msgid "Post to Contacts" @@ -951,11 +951,11 @@ msgid_plural "%d Contacts" msgstr[0] "%d kontakt" msgstr[1] "%d kontaktów" msgstr[2] "%d kontakty" -msgstr[3] "%d kontakty" +msgstr[3] "%d Kontakty" #: include/text.php:921 msgid "View Contacts" -msgstr "widok kontaktów" +msgstr "Widok kontaktów" #: include/text.php:1010 mod/filer.php:35 mod/editpost.php:110 #: mod/notes.php:67 @@ -1262,7 +1262,7 @@ msgstr "Zaloguj się aby kontynuować." msgid "" "Do you want to authorize this application to access your posts and contacts," " and/or create new posts for you?" -msgstr "Czy chcesz umożliwić tej aplikacji dostęp do Twoich wpisów, kontaktów oraz pozwolić jej na pisanie za Ciebie postów?" +msgstr "Czy chcesz zezwolić tej aplikacji na dostęp do swoich postów i kontaktów i/lub tworzenie nowych postów?" #: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 #: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 @@ -1276,7 +1276,7 @@ msgstr "Nie" #: mod/apps.php:14 index.php:245 msgid "You must be logged in to use addons. " -msgstr "Musisz się zalogować, aby móc używać dodatkowych wtyczek." +msgstr "Musisz być zalogowany, aby korzystać z dodatków." #: mod/apps.php:19 msgid "Applications" @@ -1288,7 +1288,7 @@ msgstr "Brak zainstalowanych aplikacji." #: mod/attach.php:15 msgid "Item not available." -msgstr "Element nie dostępny." +msgstr "Element niedostępny." #: mod/attach.php:25 msgid "Item was not found." @@ -1330,7 +1330,7 @@ msgstr "Kontakt nie znaleziony" msgid "" "WARNING: This is highly advanced and if you enter incorrect" " information your communications with this contact may stop working." -msgstr " UWAGA: To jest wysoce zaawansowane i jeśli wprowadzisz niewłaściwą informację twoje komunikacje z tym kontaktem mogą przestać działać." +msgstr "OSTRZEŻENIE: Jest to bardzo zaawansowane i jeśli wprowadzisz niepoprawne informacje, twoja komunikacja z tym kontaktem może przestać działać." #: mod/crepair.php:115 msgid "" @@ -1416,11 +1416,11 @@ msgstr "Zgłoszenie Punktu Końcowego URL" #: mod/crepair.php:165 msgid "Poll/Feed URL" -msgstr "Adres Ankiety / RSS" +msgstr "Adres Ankiety/RSS" #: mod/crepair.php:166 msgid "New photo from this URL" -msgstr "Nowe zdjęcie z tej ścieżki" +msgstr "Nowe zdjęcie z tego adresu URL" #: mod/fbrowser.php:34 src/Content/Nav.php:102 src/Model/Profile.php:904 #: view/theme/frio/theme.php:261 @@ -1470,7 +1470,7 @@ msgstr "Witamy w %s" #: mod/lockview.php:38 mod/lockview.php:46 msgid "Remote privacy information not available." -msgstr "Dane prywatne nie są dostępne zdalnie " +msgstr "Dane prywatne nie są zdalnie dostępne" #: mod/lockview.php:55 msgid "Visible to:" @@ -1540,7 +1540,7 @@ msgstr "Przejrzyj pozostałe ustawienia, w szczególności ustawienia prywatnoś #: src/Model/Profile.php:863 src/Model/Profile.php:896 #: view/theme/frio/theme.php:260 msgid "Profile" -msgstr "Profil" +msgstr "Profil użytkownika" #: mod/newmember.php:26 mod/profile_photo.php:249 mod/profiles.php:691 msgid "Upload Profile Photo" @@ -1614,7 +1614,7 @@ msgstr "Strona Katalog umożliwia znalezienie innych osób w tej sieci lub innyc #: mod/newmember.php:41 msgid "Finding New People" -msgstr "Poszukiwanie Nowych Ludzi" +msgstr "Znajdowanie nowych osób" #: mod/newmember.php:41 msgid "" @@ -1770,7 +1770,7 @@ msgstr "%1$s witamy %2$s" #: mod/match.php:48 msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Brak słów-kluczy do wyszukania. Dodaj słowa-klucze do swojego domyślnego profilu." +msgstr "Brak pasujących słów kluczowych. Dodaj słowa kluczowe do domyślnego profilu." #: mod/match.php:104 msgid "is interested in:" @@ -1786,7 +1786,7 @@ msgstr "Brak wyników" #: mod/notifications.php:37 msgid "Invalid request identifier." -msgstr "Nieprawidłowy identyfikator żądania." +msgstr "Nieprawidłowe żądanie identyfikatora." #: mod/notifications.php:46 mod/notifications.php:183 #: mod/notifications.php:230 @@ -1950,16 +1950,16 @@ msgstr "Nigdy więcej %s powiadomień." #: mod/openid.php:29 msgid "OpenID protocol error. No ID returned." -msgstr "błąd OpenID . Brak zwróconego ID. " +msgstr "Błąd protokołu OpenID. Nie znaleziono identyfikatora." #: mod/openid.php:66 msgid "" "Account not found and OpenID registration is not permitted on this site." -msgstr "Nie znaleziono konta i OpenID rejestracja nie jest dopuszczalna na tej stronie." +msgstr "Konto nie zostało znalezione, a rejestracja OpenID nie jest dozwolona na tej stronie." #: mod/openid.php:116 src/Module/Login.php:86 src/Module/Login.php:134 msgid "Login failed." -msgstr "Niepowodzenie logowania" +msgstr "Logowanie nieudane." #: mod/dfrn_confirm.php:74 mod/profiles.php:39 mod/profiles.php:149 #: mod/profiles.php:196 mod/profiles.php:618 @@ -2039,7 +2039,7 @@ msgstr "Nie można zaktualizować danych Twojego profilu kontaktowego w naszym s #: mod/dfrn_confirm.php:661 mod/dfrn_request.php:568 #: src/Model/Contact.php:1520 msgid "[Name Withheld]" -msgstr "[Nazwa wstrzymana]" +msgstr "[Nazwa zastrzeżona]" #: mod/dfrn_confirm.php:694 #, php-format @@ -2053,7 +2053,7 @@ msgstr "Przekroczono limit zaproszeń ogółem." #: mod/invite.php:55 #, php-format msgid "%s : Not a valid email address." -msgstr "%s : Niepoprawny adres email." +msgstr "%s : Nieprawidłowy adres e-mail." #: mod/invite.php:80 msgid "Please join us on Friendica" @@ -2075,7 +2075,7 @@ msgid_plural "%d messages sent." msgstr[0] "%d wiadomość wysłana." msgstr[1] "%d wiadomości wysłane." msgstr[2] "%d wysłano ." -msgstr[3] "%d wysłano ." +msgstr[3] "%d wiadomość wysłano." #: mod/invite.php:117 msgid "You have no more invitations available" @@ -2129,7 +2129,7 @@ msgstr "Wyślij zaproszenie" #: mod/invite.php:143 msgid "Enter email addresses, one per line:" -msgstr "Wprowadź adresy email, jeden na linijkę:" +msgstr "Wprowadź adresy e-mail, po jednym w wierszu:" #: mod/invite.php:144 mod/wallmessage.php:141 mod/message.php:259 #: mod/message.php:426 @@ -2221,7 +2221,7 @@ msgstr[3] "%d wymagany parametr nie został znaleziony w podanej lokacji" #: mod/dfrn_request.php:162 msgid "Introduction complete." -msgstr "wprowadzanie zakończone." +msgstr "Wprowadzanie zakończone." #: mod/dfrn_request.php:199 msgid "Unrecoverable protocol error." @@ -2238,7 +2238,7 @@ msgstr "%s otrzymał dziś zbyt wiele żądań połączeń." #: mod/dfrn_request.php:249 msgid "Spam protection measures have been invoked." -msgstr "Ochrona przed spamem została wywołana." +msgstr "Wprowadzono zabezpieczenia przed spamem." #: mod/dfrn_request.php:250 msgid "Friends are advised to please try again in 24 hours." @@ -2255,11 +2255,11 @@ msgstr "Już się tu przedstawiłeś." #: mod/dfrn_request.php:319 #, php-format msgid "Apparently you are already friends with %s." -msgstr "Widocznie jesteście już znajomymi z %s" +msgstr "Wygląda na to, że już jesteście przyjaciółmi z %s" #: mod/dfrn_request.php:339 msgid "Invalid profile URL." -msgstr "Zły adres URL profilu." +msgstr "Nieprawidłowy URL profilu." #: mod/dfrn_request.php:345 src/Model/Contact.php:1223 msgid "Disallowed profile URL." @@ -2286,7 +2286,7 @@ msgstr "Zdalnej subskrypcji nie można wykonać dla swojej sieci. Proszę zasubs #: mod/dfrn_request.php:493 msgid "Please login to confirm introduction." -msgstr "Proszę zalogować się do potwierdzenia wstępu." +msgstr "Zaloguj się, aby potwierdzić wprowadzenie." #: mod/dfrn_request.php:501 msgid "" @@ -2323,14 +2323,14 @@ msgstr "Publiczny dostęp zabroniony" msgid "" "Please enter your 'Identity Address' from one of the following supported " "communications networks:" -msgstr "Proszę podaj swój \"Adres tożsamości \" z jednej z możliwych wspieranych sieci komunikacyjnych ." +msgstr "Wprowadź swój 'Adres tożsamości' z jednej z następujących obsługiwanych sieci komunikacyjnych:" #: mod/dfrn_request.php:645 #, php-format msgid "" "If you are not yet a member of the free social web, follow " "this link to find a public Friendica site and join us today." -msgstr "Jeśli nie jesteś jeszcze członkiem darmowej strony społecznościowej, kliknij ten link, aby znaleźć publiczną witrynę Friendica i dołącz do nas już dziś ." +msgstr "Jeśli nie jesteś jeszcze członkiem darmowej sieci społecznościowej, kliknij ten link, aby znaleźć publiczną witrynę Friendica i dołącz do nas już dziś." #: mod/dfrn_request.php:650 msgid "Friend/Connection Request" @@ -2361,7 +2361,7 @@ msgstr "Friendica" #: mod/dfrn_request.php:657 msgid "GNU Social (Pleroma, Mastodon)" -msgstr "" +msgstr "GNU Social (Pleroma, Mastodon)" #: mod/dfrn_request.php:658 msgid "Diaspora (Socialhome, Hubzilla)" @@ -2372,7 +2372,7 @@ msgstr "Diaspora (Socialhome, Hubzilla)" msgid "" " - please do not use this form. Instead, enter %s into your Diaspora search" " bar." -msgstr "- proszę nie używać tego formularza. Zamiast tego %s wejdź na pasek wyszukiwania Diaspora. do swojej belki wyszukiwarki." +msgstr "- proszę nie używać tego formularza. Zamiast tego wpisz %s do paska wyszukiwania Diaspory." #: mod/dfrn_request.php:660 mod/unfollow.php:113 mod/follow.php:157 msgid "Your Identity Address:" @@ -2384,7 +2384,7 @@ msgstr "Wyślij zgłoszenie" #: mod/localtime.php:19 src/Model/Event.php:36 src/Model/Event.php:814 msgid "l F d, Y \\@ g:i A" -msgstr "" +msgstr "l F d, R \\@ g:m AM/PM" #: mod/localtime.php:33 msgid "Time Conversion" @@ -2705,7 +2705,7 @@ msgstr "Ten strumień społeczności pokazuje wszystkie publiczne posty otrzyman #: mod/editpost.php:25 mod/editpost.php:35 msgid "Item not found" -msgstr "Artykuł nie znaleziony" +msgstr "Nie znaleziono elementu" #: mod/editpost.php:42 msgid "Edit post" @@ -2729,11 +2729,11 @@ msgstr "Źródłowy adres URL" #: mod/fsuggest.php:72 msgid "Friend suggestion sent." -msgstr "Propozycja znajomych wysłana." +msgstr "Wysłana propozycja dodania do znajomych." #: mod/fsuggest.php:101 msgid "Suggest Friends" -msgstr "Zaproponuj znajomych" +msgstr "Proponuję znajomych" #: mod/fsuggest.php:103 #, php-format @@ -2814,7 +2814,7 @@ msgstr "Nie można zlokalizować oryginalnej wiadomości." #: mod/item.php:274 msgid "Empty post discarded." -msgstr "Pusty wpis wyrzucony." +msgstr "Pusty wpis został odrzucony." #: mod/item.php:799 #, php-format @@ -2826,7 +2826,7 @@ msgstr "Wiadomość została wysłana do ciebie od %s , członka portalu Friendi #: mod/item.php:801 #, php-format msgid "You may visit them online at %s" -msgstr "Możesz ich odwiedzić online u %s" +msgstr "Możesz odwiedzić ich online pod adresem %s" #: mod/item.php:802 msgid "" @@ -2953,23 +2953,23 @@ msgstr "Prywatne wiadomości do tej osoby mogą zostać publicznie ujawnione " #: mod/network.php:672 msgid "Invalid contact." -msgstr "Zły kontakt" +msgstr "Nieprawidłowy kontakt." #: mod/network.php:921 msgid "Commented Order" -msgstr "Porządek wg komentarzy" +msgstr "Porządek według komentarzy" #: mod/network.php:924 msgid "Sort by Comment Date" -msgstr "Sortuj po dacie komentarza" +msgstr "Sortuj według daty komentarza" #: mod/network.php:929 msgid "Posted Order" -msgstr "Porządek wg wpisów" +msgstr "Porządek według wpisów" #: mod/network.php:932 msgid "Sort by Post Date" -msgstr "Sortuj po dacie posta" +msgstr "Sortuj według daty postów" #: mod/network.php:940 mod/profiles.php:687 #: src/Core/NotificationsManager.php:185 @@ -3030,7 +3030,7 @@ msgstr "wszyscy" #: mod/photos.php:184 msgid "Contact information unavailable" -msgstr "Informacje o kontakcie nie dostępne." +msgstr "Informacje kontaktowe są niedostępne." #: mod/photos.php:204 msgid "Album not found." @@ -3101,7 +3101,7 @@ msgstr "lub istniejąca nazwa albumu:" #: mod/photos.php:1096 msgid "Do not show a status post for this upload" -msgstr "Nie pokazuj postów statusu dla tego wysłania" +msgstr "Nie pokazuj statusu postów dla tego wysłania" #: mod/photos.php:1098 mod/photos.php:1441 mod/events.php:533 #: src/Core/ACL.php:318 @@ -3203,7 +3203,7 @@ msgstr "Lubię to (zmień)" #: mod/photos.php:1472 src/Object/Post.php:297 msgid "I don't like this (toggle)" -msgstr "Nie lubię (zmień)" +msgstr "Nie lubię tego (zmień)" #: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 #: mod/contacts.php:953 src/Object/Post.php:793 @@ -3347,7 +3347,7 @@ msgstr "Przeszukiwanie forum - %s" #: mod/install.php:114 msgid "Friendica Communications Server - Setup" -msgstr "" +msgstr "Friendica Serwer Komunikacyjny - Instalacja" #: mod/install.php:120 msgid "Could not connect to database." @@ -3411,15 +3411,15 @@ msgstr "Wymieniona przez Ciebie baza danych powinna już istnieć. Jeżeli nie, #: mod/install.php:237 msgid "Database Server Name" -msgstr "Baza danych - Nazwa serwera" +msgstr "Nazwa serwera bazy danych" #: mod/install.php:238 msgid "Database Login Name" -msgstr "Baza danych - Nazwa loginu" +msgstr "Nazwa użytkownika bazy danych" #: mod/install.php:239 msgid "Database Login Password" -msgstr "Baza danych - Hasło loginu" +msgstr "Hasło logowania do bazy danych" #: mod/install.php:239 msgid "For security reasons the password must not be empty" @@ -3503,7 +3503,7 @@ msgstr "Wersja linii poleceń PHP w twoim systemie nie ma aktywowanego \"registe #: mod/install.php:359 msgid "This is required for message delivery to work." -msgstr "To jest wymagane do dostarczenia wiadomości do pracy." +msgstr "Jest wymagane, aby dostarczanie wiadomości działało." #: mod/install.php:361 msgid "PHP register_argc_argv" @@ -3513,7 +3513,7 @@ msgstr "PHP register_argc_argv" msgid "" "Error: the \"openssl_pkey_new\" function on this system is not able to " "generate encryption keys" -msgstr "Błąd : funkcja systemu \"openssl_pkey_new\" nie jest w stanie wygenerować klucza szyfrującego ." +msgstr "Błąd: funkcja \"openssl_pkey_new\" w tym systemie nie jest w stanie wygenerować kluczy szyfrujących" #: mod/install.php:385 msgid "" @@ -3551,7 +3551,7 @@ msgstr "Moduł XML PHP" #: mod/install.php:400 msgid "iconv PHP module" -msgstr "moduł PHP iconv" +msgstr "Moduł PHP iconv" #: mod/install.php:401 msgid "POSIX PHP module" @@ -3728,7 +3728,7 @@ msgstr "powodzenie" #: mod/ostatus_subscribe.php:80 msgid "failed" -msgstr "nie udało się" +msgstr "nie powiodło się" #: mod/ostatus_subscribe.php:83 src/Object/Post.php:279 msgid "ignored" @@ -3883,7 +3883,7 @@ msgstr "Wydarzenie zostało usunięte" #: mod/profile_photo.php:55 msgid "Image uploaded but image cropping failed." -msgstr "Obrazek załadowany, ale oprawanie powiodła się." +msgstr "Zdjęcie zostało przesłane, ale przycinanie obrazu nie powiodło się." #: mod/profile_photo.php:88 mod/profile_photo.php:96 mod/profile_photo.php:104 #: mod/profile_photo.php:315 @@ -3915,7 +3915,7 @@ msgstr "lub" #: mod/profile_photo.php:253 msgid "skip this step" -msgstr "Pomiń ten krok" +msgstr "pomiń ten krok" #: mod/profile_photo.php:253 msgid "select a photo from your photo albums" @@ -3927,11 +3927,11 @@ msgstr "Przytnij zdjęcie" #: mod/profile_photo.php:267 msgid "Please adjust the image cropping for optimum viewing." -msgstr "Proszę dostosować oprawę obrazka w celu optymalizacji oglądania." +msgstr "Dostosuj kadrowanie obrazu, aby uzyskać optymalny obraz." #: mod/profile_photo.php:269 msgid "Done Editing" -msgstr "Zakończ Edycję " +msgstr "Zakończono edycję" #: mod/profile_photo.php:305 msgid "Image uploaded successfully." @@ -3939,7 +3939,7 @@ msgstr "Zdjęcie wczytano pomyślnie " #: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 msgid "Status:" -msgstr "Status" +msgstr "Status:" #: mod/directory.php:153 src/Model/Profile.php:422 src/Model/Profile.php:786 msgid "Homepage:" @@ -3947,7 +3947,7 @@ msgstr "Strona główna:" #: mod/directory.php:202 view/theme/vier/theme.php:201 msgid "Global Directory" -msgstr "Globalne Położenie" +msgstr "Globalny Katalog" #: mod/directory.php:204 msgid "Find on this site" @@ -3959,7 +3959,7 @@ msgstr "Wyniki dla:" #: mod/directory.php:208 msgid "Site Directory" -msgstr "Katalog Strony" +msgstr "Katalog Witryny" #: mod/directory.php:209 mod/contacts.php:820 src/Content/Widget.php:63 msgid "Find" @@ -4127,11 +4127,11 @@ msgstr "Adres" #: mod/profiles.php:401 mod/profiles.php:682 msgid "Location" -msgstr "Położenie" +msgstr "Lokalizacja" #: mod/profiles.php:486 msgid "Profile updated." -msgstr "Konto zaktualizowane." +msgstr "Profil zaktualizowany." #: mod/profiles.php:564 msgid " and " @@ -4149,7 +4149,7 @@ msgstr "%1$szmienione %2$s na “%3$s”" #: mod/profiles.php:577 #, php-format msgid " - Visit %1$s's %2$s" -msgstr " - Odwiedźa %1$s's %2$s" +msgstr " - Odwiedź %1$s's %2$s" #: mod/profiles.php:579 #, php-format @@ -4178,11 +4178,11 @@ msgstr "Edytuj profil." #: mod/profiles.php:673 msgid "Change Profile Photo" -msgstr "Zmień profilowe zdjęcie" +msgstr "Zmień zdjęcie profilowe" #: mod/profiles.php:674 msgid "View this profile" -msgstr "Zobacz ten profil" +msgstr "Wyświetl ten profil" #: mod/profiles.php:675 mod/profiles.php:770 src/Model/Profile.php:393 msgid "Edit visibility" @@ -4230,11 +4230,11 @@ msgstr "Różny" #: mod/profiles.php:692 msgid "Your Gender:" -msgstr "Twoja płeć:" +msgstr "Płeć:" #: mod/profiles.php:693 msgid " Marital Status:" -msgstr " Stan :" +msgstr " Stan cywilny:" #: mod/profiles.php:694 src/Model/Profile.php:782 msgid "Sexual Preference:" @@ -4242,11 +4242,11 @@ msgstr "Preferencje seksualne:" #: mod/profiles.php:695 msgid "Example: fishing photography software" -msgstr "Przykład: kończenie oprogramowania fotografii" +msgstr "Przykład: oprogramowanie do fotografowania ryb" #: mod/profiles.php:700 msgid "Profile Name:" -msgstr "Nazwa profilu :" +msgstr "Nazwa profilu:" #: mod/profiles.php:702 msgid "" @@ -4256,7 +4256,7 @@ msgstr "To jest Twój publiczny profil.
Może strings["Monthly posting limit of %d post reached. The post was rejected."] $a->strings["Profile Photos"] = "Zdjęcie profilowe"; $a->strings["Friendica Notification"] = "Powiadomienia Friendica"; $a->strings["Thank You,"] = "Dziękuję,"; -$a->strings["%s Administrator"] = "%s administrator"; +$a->strings["%s Administrator"] = "%s Administrator"; $a->strings["%1\$s, %2\$s Administrator"] = "%1\$s,%2\$sAdministrator"; $a->strings["noreply"] = "brak odpowiedzi"; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notify] Nowa wiadomość otrzymana od %s"; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Powiadomienie] Nowa wiadomość otrzymana od %s"; $a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$swysłał ci nową prywatną wiadomość na %2\$s "; $a->strings["a private message"] = "prywatna wiadomość"; $a->strings["%1\$s sent you %2\$s."] = "%1\$s wysyła ci %2\$s"; @@ -77,7 +77,7 @@ $a->strings["You are now mutual friends and may exchange status updates, photos, $a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Odwiedź stronę %s jeśli chcesz wprowadzić zmiany w tym związku."; $a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = "'%1\$s' zdecydował się zaakceptować Cię jako fana, który ogranicza niektóre formy komunikacji - takie jak prywatne wiadomości i niektóre interakcje w profilu. Jeśli jest to strona celebrytów lub społeczności, ustawienia te zostały zastosowane automatycznie."; $a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = "'%1\$s' możesz zdecydować o przedłużeniu tego w dwukierunkowy lub bardziej ścisłą relację w przyszłości. "; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Odwiedź stronę %s, jeśli chcesz wprowadzić zmiany w tym związku."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Odwiedź stronę %s, jeśli chcesz wprowadzić zmiany w tej relacji."; $a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Powiadomienie] prośba o rejestrację"; $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Otrzymałeś wniosek rejestracyjny od '%1\$s' na %2\$s"; $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Otrzymałeś [url=%1\$s] żądanie rejestracji [/url] od %2\$s."; @@ -95,7 +95,7 @@ $a->strings["status"] = "status"; $a->strings["photo"] = "zdjęcie"; $a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s lubi to %2\$s's %3\$s"; $a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nie lubi %2\$s's %3\$s"; -$a->strings["%1\$s attends %2\$s's %3\$s"] = ""; +$a->strings["%1\$s attends %2\$s's %3\$s"] = "%1\$sbierze udział w %2\$s's%3\$s "; $a->strings["%1\$s doesn't attend %2\$s's %3\$s"] = "%1\$s nie uczestniczy %2\$s 's %3\$s"; $a->strings["%1\$s attends maybe %2\$s's %3\$s"] = "%1\$s może uczęszcza %2\$s 's %3\$s"; $a->strings["%1\$s is now friends with %2\$s"] = "%1\$s jest teraz znajomym z %2\$s"; @@ -117,7 +117,7 @@ $a->strings["Select"] = "Wybierz"; $a->strings["Delete"] = "Usuń"; $a->strings["View %s's profile @ %s"] = "Pokaż %s's profil @ %s"; $a->strings["Categories:"] = "Kategorie:"; -$a->strings["Filed under:"] = "Zapisano pod:"; +$a->strings["Filed under:"] = "Zapisano w:"; $a->strings["%s from %s"] = "%s od %s"; $a->strings["View in context"] = "Zobacz w kontekście"; $a->strings["Please wait"] = "Proszę czekać"; @@ -134,7 +134,7 @@ $a->strings["Poke"] = "Zaczepka"; $a->strings["Connect/Follow"] = "Połącz/Obserwuj"; $a->strings["%s likes this."] = "%s lubi to."; $a->strings["%s doesn't like this."] = "%s nie lubi tego."; -$a->strings["%s attends."] = "%s uczęszcza."; +$a->strings["%s attends."] = "%s uczestniczy."; $a->strings["%s doesn't attend."] = "%s nie uczestniczy."; $a->strings["%s attends maybe."] = "%s może uczęszcza."; $a->strings["and"] = "i"; @@ -161,17 +161,17 @@ $a->strings["New Post"] = "Nowy Post"; $a->strings["Share"] = "Podziel się"; $a->strings["Upload photo"] = "Wyślij zdjęcie"; $a->strings["upload photo"] = "dodaj zdjęcie"; -$a->strings["Attach file"] = "Przyłącz plik"; +$a->strings["Attach file"] = "Załącz plik"; $a->strings["attach file"] = "załącz plik"; $a->strings["Insert web link"] = "Wstaw link"; $a->strings["web link"] = "Adres www"; -$a->strings["Insert video link"] = "Wstaw link wideo"; +$a->strings["Insert video link"] = "Wstaw link do filmu"; $a->strings["video link"] = "link do filmu"; -$a->strings["Insert audio link"] = "Wstaw link audio"; -$a->strings["audio link"] = "Link audio"; -$a->strings["Set your location"] = "Ustaw swoje położenie"; +$a->strings["Insert audio link"] = "Wstaw link do audio"; +$a->strings["audio link"] = "Link do nagrania audio"; +$a->strings["Set your location"] = "Ustaw swoją lokalizację"; $a->strings["set location"] = "wybierz lokalizację"; -$a->strings["Clear browser location"] = "Wyczyść położenie przeglądarki"; +$a->strings["Clear browser location"] = "Wyczyść lokalizację przeglądarki"; $a->strings["clear location"] = "wyczyść lokalizację"; $a->strings["Set title"] = "Ustaw tytuł"; $a->strings["Categories (comma-separated list)"] = "Kategorie (lista słów oddzielonych przecinkiem)"; @@ -179,7 +179,7 @@ $a->strings["Permission settings"] = "Ustawienia uprawnień"; $a->strings["permissions"] = "zezwolenia"; $a->strings["Public post"] = "Publiczny post"; $a->strings["Preview"] = "Podgląd"; -$a->strings["Post to Groups"] = "Wstaw na strony grup"; +$a->strings["Post to Groups"] = "Opublikuj w grupach"; $a->strings["Post to Contacts"] = "Wstaw do kontaktów"; $a->strings["Private post"] = "Prywatne posty"; $a->strings["Message"] = "Wiadomość"; @@ -222,9 +222,9 @@ $a->strings["%d Contact"] = [ 0 => "%d kontakt", 1 => "%d kontaktów", 2 => "%d kontakty", - 3 => "%d kontakty", + 3 => "%d Kontakty", ]; -$a->strings["View Contacts"] = "widok kontaktów"; +$a->strings["View Contacts"] = "Widok kontaktów"; $a->strings["Save"] = "Zapisz"; $a->strings["Follow"] = "Śledzić"; $a->strings["Search"] = "Szukaj"; @@ -302,12 +302,12 @@ $a->strings["Connect"] = "Połącz"; $a->strings["Authorize application connection"] = "Autoryzacja połączenia aplikacji"; $a->strings["Return to your app and insert this Securty Code:"] = "Powróć do swojej aplikacji i wpisz ten Kod Bezpieczeństwa:"; $a->strings["Please login to continue."] = "Zaloguj się aby kontynuować."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Czy chcesz umożliwić tej aplikacji dostęp do Twoich wpisów, kontaktów oraz pozwolić jej na pisanie za Ciebie postów?"; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Czy chcesz zezwolić tej aplikacji na dostęp do swoich postów i kontaktów i/lub tworzenie nowych postów?"; $a->strings["No"] = "Nie"; -$a->strings["You must be logged in to use addons. "] = "Musisz się zalogować, aby móc używać dodatkowych wtyczek."; +$a->strings["You must be logged in to use addons. "] = "Musisz być zalogowany, aby korzystać z dodatków."; $a->strings["Applications"] = "Aplikacje"; $a->strings["No installed applications."] = "Brak zainstalowanych aplikacji."; -$a->strings["Item not available."] = "Element nie dostępny."; +$a->strings["Item not available."] = "Element niedostępny."; $a->strings["Item was not found."] = "Element nie znaleziony."; $a->strings["No contacts in common."] = "Brak wspólnych kontaktów."; $a->strings["Common Friends"] = "Wspólni znajomi"; @@ -316,7 +316,7 @@ $a->strings["Friendica is a community project, that would not be possible withou $a->strings["Contact settings applied."] = "Ustawienia kontaktu zaktualizowane."; $a->strings["Contact update failed."] = "Nie udało się zaktualizować kontaktu."; $a->strings["Contact not found."] = "Kontakt nie znaleziony"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = " UWAGA: To jest wysoce zaawansowane i jeśli wprowadzisz niewłaściwą informację twoje komunikacje z tym kontaktem mogą przestać działać."; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "OSTRZEŻENIE: Jest to bardzo zaawansowane i jeśli wprowadzisz niepoprawne informacje, twoja komunikacja z tym kontaktem może przestać działać."; $a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Jeśli nie jesteś pewien, co zrobić na tej stronie, użyj teraz przycisku 'powrót' na swojej przeglądarce."; $a->strings["No mirroring"] = "Bez dublowania"; $a->strings["Mirror as forwarded posting"] = "Przesłany lustrzany post"; @@ -334,8 +334,8 @@ $a->strings["Account URL"] = "URL konta"; $a->strings["Friend Request URL"] = "URL żądajacy znajomości"; $a->strings["Friend Confirm URL"] = "URL potwierdzający znajomość"; $a->strings["Notification Endpoint URL"] = "Zgłoszenie Punktu Końcowego URL"; -$a->strings["Poll/Feed URL"] = "Adres Ankiety / RSS"; -$a->strings["New photo from this URL"] = "Nowe zdjęcie z tej ścieżki"; +$a->strings["Poll/Feed URL"] = "Adres Ankiety/RSS"; +$a->strings["New photo from this URL"] = "Nowe zdjęcie z tego adresu URL"; $a->strings["Photos"] = "Zdjęcia"; $a->strings["Contact Photos"] = "Zdjęcia kontaktu"; $a->strings["Upload"] = "Załaduj"; @@ -346,7 +346,7 @@ $a->strings["Help:"] = "Pomoc:"; $a->strings["Help"] = "Pomoc"; $a->strings["Page not found."] = "Strona nie znaleziona."; $a->strings["Welcome to %s"] = "Witamy w %s"; -$a->strings["Remote privacy information not available."] = "Dane prywatne nie są dostępne zdalnie "; +$a->strings["Remote privacy information not available."] = "Dane prywatne nie są zdalnie dostępne"; $a->strings["Visible to:"] = "Widoczne dla:"; $a->strings["System down for maintenance"] = "System wyłączony w celu konserwacji"; $a->strings["Welcome to Friendica"] = "Witamy na Friendica"; @@ -359,7 +359,7 @@ $a->strings["Settings"] = "Ustawienia"; $a->strings["Go to Your Settings"] = "Idź do swoich ustawień"; $a->strings["On your Settings page - change your initial password. Also make a note of your Identity Address. This looks just like an email address - and will be useful in making friends on the free social web."] = "Na stronie Ustawienia - zmień swoje początkowe hasło. Zanotuj także swój adres tożsamości. Wygląda to jak adres e-mail - i będzie przydatny w nawiązywaniu znajomości w bezpłatnej sieci społecznościowej."; $a->strings["Review the other settings, particularly the privacy settings. An unpublished directory listing is like having an unlisted phone number. In general, you should probably publish your listing - unless all of your friends and potential friends know exactly how to find you."] = "Przejrzyj pozostałe ustawienia, w szczególności ustawienia prywatności. Niepublikowany wykaz katalogów jest podobny do niepublicznego numeru telefonu. Ogólnie rzecz biorąc, powinieneś opublikować swój wpis - chyba, że wszyscy twoi znajomi i potencjalni znajomi dokładnie wiedzą, jak Cię znaleźć."; -$a->strings["Profile"] = "Profil"; +$a->strings["Profile"] = "Profil użytkownika"; $a->strings["Upload Profile Photo"] = "Wyślij zdjęcie profilowe"; $a->strings["Upload a profile photo if you have not done so already. Studies have shown that people with real photos of themselves are ten times more likely to make friends than people who do not."] = "Dodaj swoje zdjęcie profilowe jeśli jeszcze tego nie zrobiłeś. Twoje szanse na zwiększenie liczby znajomych rosną dziesięciokrotnie, kiedy na tym zdjęciu jesteś ty."; $a->strings["Edit Your Profile"] = "Edytuj własny profil"; @@ -373,7 +373,7 @@ $a->strings["Go to Your Contacts Page"] = "Idź do strony z Twoimi kontaktami"; $a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = "Strona Kontakty jest twoją bramą do zarządzania przyjaciółmi i łączenia się z przyjaciółmi w innych sieciach. Zazwyczaj podaje się adres lub adres URL strony w oknie dialogowym Dodaj nowy kontakt."; $a->strings["Go to Your Site's Directory"] = "Idż do twojej strony"; $a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = "Strona Katalog umożliwia znalezienie innych osób w tej sieci lub innych witrynach stowarzyszonych. Poszukaj łącza Połącz lub Śledź na stronie profilu. Jeśli chcesz, podaj swój własny adres tożsamości."; -$a->strings["Finding New People"] = "Poszukiwanie Nowych Ludzi"; +$a->strings["Finding New People"] = "Znajdowanie nowych osób"; $a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = "Na bocznym panelu strony Kontaktów znajduje się kilka narzędzi do znajdowania nowych przyjaciół. Możemy dopasować osoby według zainteresowań, wyszukiwać osoby według nazwisk i zainteresowań oraz dostarczać sugestie oparte na relacjach sieciowych. Na zupełnie nowej stronie sugestie znajomych zwykle zaczynają być wypełniane w ciągu 24 godzin"; $a->strings["Groups"] = "Grupy"; $a->strings["Group Your Contacts"] = "Grupuj Swoje kontakty"; @@ -405,11 +405,11 @@ $a->strings["Account file"] = "Pliki konta"; $a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Aby eksportować konto, wejdź w \"Ustawienia->Eksport danych osobistych\" i wybierz \"Eksportuj konto\""; $a->strings["[Embedded content - reload page to view]"] = "[Dodatkowa zawartość - odśwież stronę by zobaczyć]"; $a->strings["%1\$s welcomes %2\$s"] = "%1\$s witamy %2\$s"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Brak słów-kluczy do wyszukania. Dodaj słowa-klucze do swojego domyślnego profilu."; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Brak pasujących słów kluczowych. Dodaj słowa kluczowe do domyślnego profilu."; $a->strings["is interested in:"] = "interesuje się:"; $a->strings["Profile Match"] = "Dopasowanie profilu"; $a->strings["No matches"] = "Brak wyników"; -$a->strings["Invalid request identifier."] = "Nieprawidłowy identyfikator żądania."; +$a->strings["Invalid request identifier."] = "Nieprawidłowe żądanie identyfikatora."; $a->strings["Discard"] = "Odrzuć"; $a->strings["Ignore"] = "Ignoruj"; $a->strings["Notifications"] = "Powiadomienia"; @@ -445,9 +445,9 @@ $a->strings["No introductions."] = "Brak dostępu."; $a->strings["Show unread"] = "Pokaż nieprzeczytane"; $a->strings["Show all"] = "Pokaż wszystko"; $a->strings["No more %s notifications."] = "Nigdy więcej %s powiadomień."; -$a->strings["OpenID protocol error. No ID returned."] = "błąd OpenID . Brak zwróconego ID. "; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Nie znaleziono konta i OpenID rejestracja nie jest dopuszczalna na tej stronie."; -$a->strings["Login failed."] = "Niepowodzenie logowania"; +$a->strings["OpenID protocol error. No ID returned."] = "Błąd protokołu OpenID. Nie znaleziono identyfikatora."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Konto nie zostało znalezione, a rejestracja OpenID nie jest dozwolona na tej stronie."; +$a->strings["Login failed."] = "Logowanie nieudane."; $a->strings["Profile not found."] = "Nie znaleziono profilu."; $a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Może się to zdarzyć, gdy kontakt został zgłoszony przez obie osoby i został już zatwierdzony."; $a->strings["Response from remote site was not understood."] = "Odpowiedź do zdalnej strony nie została zrozumiana"; @@ -465,10 +465,10 @@ $a->strings["Site public key not available in contact record for URL %s."] = "Pu $a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Identyfikator dostarczony przez Twój system jest duplikatem w naszym systemie. Powinien działać, jeśli spróbujesz ponownie."; $a->strings["Unable to set your contact credentials on our system."] = "Nie można ustawić danych kontaktowych w naszym systemie."; $a->strings["Unable to update your contact profile details on our system"] = "Nie można zaktualizować danych Twojego profilu kontaktowego w naszym systemie"; -$a->strings["[Name Withheld]"] = "[Nazwa wstrzymana]"; +$a->strings["[Name Withheld]"] = "[Nazwa zastrzeżona]"; $a->strings["%1\$s has joined %2\$s"] = "%1\$s dołączył/a do %2\$s"; $a->strings["Total invitation limit exceeded."] = "Przekroczono limit zaproszeń ogółem."; -$a->strings["%s : Not a valid email address."] = "%s : Niepoprawny adres email."; +$a->strings["%s : Not a valid email address."] = "%s : Nieprawidłowy adres e-mail."; $a->strings["Please join us on Friendica"] = "Dołącz do nas na Friendica"; $a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Przekroczono limit zaproszeń. Skontaktuj się z administratorem witryny."; $a->strings["%s : Message delivery failed."] = "%s : Nie udało się dostarczyć wiadomości."; @@ -476,7 +476,7 @@ $a->strings["%d message sent."] = [ 0 => "%d wiadomość wysłana.", 1 => "%d wiadomości wysłane.", 2 => "%d wysłano .", - 3 => "%d wysłano .", + 3 => "%d wiadomość wysłano.", ]; $a->strings["You have no more invitations available"] = "Nie masz już dostępnych zaproszeń"; $a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = "Odwiedź %s listę publicznych witryn, do których możesz dołączyć. Członkowie Friendica na innych stronach mogą łączyć się ze sobą, jak również z członkami wielu innych sieci społecznościowych."; @@ -486,7 +486,7 @@ $a->strings["Our apologies. This system is not currently configured to connect w $a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks."] = "Strony Friendica łączą się ze sobą, tworząc ogromną sieć społecznościową o zwiększonej prywatności, która jest własnością i jest kontrolowana przez jej członków. Mogą również łączyć się z wieloma tradycyjnymi sieciami społecznościowymi."; $a->strings["To accept this invitation, please visit and register at %s."] = "Aby zaakceptować to zaproszenie, odwiedź stronę i zarejestruj się na stronie %s."; $a->strings["Send invitations"] = "Wyślij zaproszenie"; -$a->strings["Enter email addresses, one per line:"] = "Wprowadź adresy email, jeden na linijkę:"; +$a->strings["Enter email addresses, one per line:"] = "Wprowadź adresy e-mail, po jednym w wierszu:"; $a->strings["Your message:"] = "Twoja wiadomość:"; $a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Serdecznie zapraszam do przyłączenia się do mnie i innych bliskich znajomych na stronie Friendica - i pomóż nam stworzyć lepszą sieć społecznościową."; $a->strings["You will need to supply this invitation code: \$invite_code"] = "Musisz podać ten kod zaproszenia: \$invite_code"; @@ -510,42 +510,42 @@ $a->strings["%d required parameter was not found at the given location"] = [ 2 => "%d wymagany parametr nie został znaleziony w podanej lokacji", 3 => "%d wymagany parametr nie został znaleziony w podanej lokacji", ]; -$a->strings["Introduction complete."] = "wprowadzanie zakończone."; +$a->strings["Introduction complete."] = "Wprowadzanie zakończone."; $a->strings["Unrecoverable protocol error."] = "Nieodwracalny błąd protokołu."; $a->strings["Profile unavailable."] = "Profil niedostępny."; $a->strings["%s has received too many connection requests today."] = "%s otrzymał dziś zbyt wiele żądań połączeń."; -$a->strings["Spam protection measures have been invoked."] = "Ochrona przed spamem została wywołana."; +$a->strings["Spam protection measures have been invoked."] = "Wprowadzono zabezpieczenia przed spamem."; $a->strings["Friends are advised to please try again in 24 hours."] = "Przyjaciele namawiają do spróbowania za 24h."; $a->strings["Invalid locator"] = "Nieprawidłowy lokalizator"; $a->strings["You have already introduced yourself here."] = "Już się tu przedstawiłeś."; -$a->strings["Apparently you are already friends with %s."] = "Widocznie jesteście już znajomymi z %s"; -$a->strings["Invalid profile URL."] = "Zły adres URL profilu."; +$a->strings["Apparently you are already friends with %s."] = "Wygląda na to, że już jesteście przyjaciółmi z %s"; +$a->strings["Invalid profile URL."] = "Nieprawidłowy URL profilu."; $a->strings["Disallowed profile URL."] = "Nie dozwolony adres URL profilu."; $a->strings["Blocked domain"] = "Zablokowana domena"; $a->strings["Failed to update contact record."] = "Aktualizacja rekordu kontaktu nie powiodła się."; $a->strings["Your introduction has been sent."] = "Twoje dane zostały wysłane."; $a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Zdalnej subskrypcji nie można wykonać dla swojej sieci. Proszę zasubskrybuj bezpośrednio w swoim systemie."; -$a->strings["Please login to confirm introduction."] = "Proszę zalogować się do potwierdzenia wstępu."; +$a->strings["Please login to confirm introduction."] = "Zaloguj się, aby potwierdzić wprowadzenie."; $a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Niepoprawna tożsamość obecnego użytkownika. Proszę zalogować się na tego użytkownika. "; $a->strings["Confirm"] = "Potwierdź"; $a->strings["Hide this contact"] = "Ukryj kontakt"; $a->strings["Welcome home %s."] = "Welcome home %s."; $a->strings["Please confirm your introduction/connection request to %s."] = "Proszę potwierdzić swój wstęp/prośbę o połączenie do %s."; $a->strings["Public access denied."] = "Publiczny dostęp zabroniony"; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Proszę podaj swój \"Adres tożsamości \" z jednej z możliwych wspieranych sieci komunikacyjnych ."; -$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "Jeśli nie jesteś jeszcze członkiem darmowej strony społecznościowej, kliknij ten link, aby znaleźć publiczną witrynę Friendica i dołącz do nas już dziś ."; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Wprowadź swój 'Adres tożsamości' z jednej z następujących obsługiwanych sieci komunikacyjnych:"; +$a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = "Jeśli nie jesteś jeszcze członkiem darmowej sieci społecznościowej, kliknij ten link, aby znaleźć publiczną witrynę Friendica i dołącz do nas już dziś."; $a->strings["Friend/Connection Request"] = "Przyjaciel/Prośba o połączenie"; $a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = "Przykłady: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"; $a->strings["Please answer the following:"] = "Proszę odpowiedzieć na następujące pytania:"; $a->strings["Does %s know you?"] = "Czy %s Cię zna?"; $a->strings["Add a personal note:"] = "Dodaj osobistą notkę:"; $a->strings["Friendica"] = "Friendica"; -$a->strings["GNU Social (Pleroma, Mastodon)"] = ""; +$a->strings["GNU Social (Pleroma, Mastodon)"] = "GNU Social (Pleroma, Mastodon)"; $a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla)"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = "- proszę nie używać tego formularza. Zamiast tego %s wejdź na pasek wyszukiwania Diaspora. do swojej belki wyszukiwarki."; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = "- proszę nie używać tego formularza. Zamiast tego wpisz %s do paska wyszukiwania Diaspory."; $a->strings["Your Identity Address:"] = "Twój adres tożsamości:"; $a->strings["Submit Request"] = "Wyślij zgłoszenie"; -$a->strings["l F d, Y \\@ g:i A"] = ""; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, R \\@ g:m AM/PM"; $a->strings["Time Conversion"] = "Zmiana czasu"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica udostępnia tę usługę do udostępniania wydarzeń innym sieciom i znajomym w nieznanych strefach czasowych."; $a->strings["UTC time: %s"] = "Czas UTC %s"; @@ -619,14 +619,14 @@ $a->strings["Posts from local users on this server"] = "Wpisy od lokalnych użyt $a->strings["Global Community"] = "Globalna społeczność"; $a->strings["Posts from users of the whole federated network"] = "Wpisy od użytkowników całej sieci stowarzyszonej"; $a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = "Ten strumień społeczności pokazuje wszystkie publiczne posty otrzymane przez ten węzeł. Mogą nie odzwierciedlać opinii użytkowników tego węzła."; -$a->strings["Item not found"] = "Artykuł nie znaleziony"; +$a->strings["Item not found"] = "Nie znaleziono elementu"; $a->strings["Edit post"] = "Edytuj post"; $a->strings["CC: email addresses"] = "CC: adresy e-mail"; $a->strings["Example: bob@example.com, mary@example.com"] = "Przykład: bob@example.com, mary@example.com"; $a->strings["You must be logged in to use this module"] = "Musisz być zalogowany, aby korzystać z tego modułu"; $a->strings["Source URL"] = "Źródłowy adres URL"; -$a->strings["Friend suggestion sent."] = "Propozycja znajomych wysłana."; -$a->strings["Suggest Friends"] = "Zaproponuj znajomych"; +$a->strings["Friend suggestion sent."] = "Wysłana propozycja dodania do znajomych."; +$a->strings["Suggest Friends"] = "Proponuję znajomych"; $a->strings["Suggest a friend for %s"] = "Zaproponuj znajomych dla %s"; $a->strings["Group created."] = "Grupa utworzona."; $a->strings["Could not create group."] = "Nie mogę stworzyć grupy"; @@ -646,9 +646,9 @@ $a->strings["Group is empty"] = "Grupa jest pusta"; $a->strings["Remove Contact"] = "Usuń Kontakt"; $a->strings["Add Contact"] = "Dodaj Kontakt"; $a->strings["Unable to locate original post."] = "Nie można zlokalizować oryginalnej wiadomości."; -$a->strings["Empty post discarded."] = "Pusty wpis wyrzucony."; +$a->strings["Empty post discarded."] = "Pusty wpis został odrzucony."; $a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Wiadomość została wysłana do ciebie od %s , członka portalu Friendica"; -$a->strings["You may visit them online at %s"] = "Możesz ich odwiedzić online u %s"; +$a->strings["You may visit them online at %s"] = "Możesz odwiedzić ich online pod adresem %s"; $a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Skontaktuj się z nadawcą odpowiadając na ten post jeśli nie chcesz otrzymywać tych wiadomości."; $a->strings["%s posted an update."] = "%s zaktualizował wpis."; $a->strings["New Message"] = "Nowa wiadomość"; @@ -684,11 +684,11 @@ $a->strings["Messages in this group won't be send to these receivers."] = "Wiado $a->strings["No such group"] = "Nie ma takiej grupy"; $a->strings["Group: %s"] = "Grupa: %s"; $a->strings["Private messages to this person are at risk of public disclosure."] = "Prywatne wiadomości do tej osoby mogą zostać publicznie ujawnione "; -$a->strings["Invalid contact."] = "Zły kontakt"; -$a->strings["Commented Order"] = "Porządek wg komentarzy"; -$a->strings["Sort by Comment Date"] = "Sortuj po dacie komentarza"; -$a->strings["Posted Order"] = "Porządek wg wpisów"; -$a->strings["Sort by Post Date"] = "Sortuj po dacie posta"; +$a->strings["Invalid contact."] = "Nieprawidłowy kontakt."; +$a->strings["Commented Order"] = "Porządek według komentarzy"; +$a->strings["Sort by Comment Date"] = "Sortuj według daty komentarza"; +$a->strings["Posted Order"] = "Porządek według wpisów"; +$a->strings["Sort by Post Date"] = "Sortuj według daty postów"; $a->strings["Personal"] = "Osobiste"; $a->strings["Posts that mention or involve you"] = "Posty, które wspominają lub angażują Ciebie"; $a->strings["New"] = "Nowy"; @@ -703,7 +703,7 @@ $a->strings["Photo Albums"] = "Albumy zdjęć"; $a->strings["Recent Photos"] = "Ostatnio dodane zdjęcia"; $a->strings["Upload New Photos"] = "Wyślij nowe zdjęcie"; $a->strings["everybody"] = "wszyscy"; -$a->strings["Contact information unavailable"] = "Informacje o kontakcie nie dostępne."; +$a->strings["Contact information unavailable"] = "Informacje kontaktowe są niedostępne."; $a->strings["Album not found."] = "Album nie znaleziony"; $a->strings["Delete Album"] = "Usuń album"; $a->strings["Do you really want to delete this photo album and all its photos?"] = "Czy na pewno chcesz usunąć ten album i wszystkie zdjęcia z tego albumu?"; @@ -720,7 +720,7 @@ $a->strings["Access to this item is restricted."] = "Dostęp do tego obiektu jes $a->strings["Upload Photos"] = "Prześlij zdjęcia"; $a->strings["New album name: "] = "Nazwa nowego albumu:"; $a->strings["or existing album name: "] = "lub istniejąca nazwa albumu:"; -$a->strings["Do not show a status post for this upload"] = "Nie pokazuj postów statusu dla tego wysłania"; +$a->strings["Do not show a status post for this upload"] = "Nie pokazuj statusu postów dla tego wysłania"; $a->strings["Permissions"] = "Uprawnienia"; $a->strings["Show to Groups"] = "Pokaż Grupy"; $a->strings["Show to Contacts"] = "Pokaż kontakty"; @@ -745,7 +745,7 @@ $a->strings["Do not rotate"] = "Nie obracaj"; $a->strings["Rotate CW (right)"] = "Obróć CW (w prawo)"; $a->strings["Rotate CCW (left)"] = "Obróć CCW (w lewo)"; $a->strings["I like this (toggle)"] = "Lubię to (zmień)"; -$a->strings["I don't like this (toggle)"] = "Nie lubię (zmień)"; +$a->strings["I don't like this (toggle)"] = "Nie lubię tego (zmień)"; $a->strings["This is you"] = "To jesteś ty"; $a->strings["Comment"] = "Komentarz"; $a->strings["Map"] = "Mapa"; @@ -777,7 +777,7 @@ $a->strings["Add"] = "Dodaj"; $a->strings["No entries."] = "Brak wpisów."; $a->strings["People Search - %s"] = "Szukaj osób - %s"; $a->strings["Forum Search - %s"] = "Przeszukiwanie forum - %s"; -$a->strings["Friendica Communications Server - Setup"] = ""; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Serwer Komunikacyjny - Instalacja"; $a->strings["Could not connect to database."] = "Nie można nawiązać połączenia z bazą danych"; $a->strings["Could not create table."] = "Nie mogę stworzyć tabeli."; $a->strings["Your Friendica site database has been installed."] = "Twoja baza danych witryny Friendica została zainstalowana."; @@ -791,9 +791,9 @@ $a->strings["Database connection"] = "Połączenie z bazą danych"; $a->strings["In order to install Friendica we need to know how to connect to your database."] = "W celu zainstalowania Friendica musimy wiedzieć jak połączyć się z twoją bazą danych."; $a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Proszę skontaktuj się ze swoim dostawcą usług hostingowych bądź administratorem strony jeśli masz pytania co do tych ustawień ."; $a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Wymieniona przez Ciebie baza danych powinna już istnieć. Jeżeli nie, utwórz ją przed kontynuacją."; -$a->strings["Database Server Name"] = "Baza danych - Nazwa serwera"; -$a->strings["Database Login Name"] = "Baza danych - Nazwa loginu"; -$a->strings["Database Login Password"] = "Baza danych - Hasło loginu"; +$a->strings["Database Server Name"] = "Nazwa serwera bazy danych"; +$a->strings["Database Login Name"] = "Nazwa użytkownika bazy danych"; +$a->strings["Database Login Password"] = "Hasło logowania do bazy danych"; $a->strings["For security reasons the password must not be empty"] = "Ze względów bezpieczeństwa hasło nie może być puste"; $a->strings["Database Name"] = "Nazwa bazy danych"; $a->strings["Site administrator email address"] = "Adres e-mail administratora strony"; @@ -811,9 +811,9 @@ $a->strings["PHP executable is not the php cli binary (could be cgi-fgci version $a->strings["Found PHP version: "] = "Znaleziono wersje PHP:"; $a->strings["PHP cli binary"] = "PHP cli binarny"; $a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "Wersja linii poleceń PHP w twoim systemie nie ma aktywowanego \"register_argc_argv\"."; -$a->strings["This is required for message delivery to work."] = "To jest wymagane do dostarczenia wiadomości do pracy."; +$a->strings["This is required for message delivery to work."] = "Jest wymagane, aby dostarczanie wiadomości działało."; $a->strings["PHP register_argc_argv"] = "PHP register_argc_argv"; -$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Błąd : funkcja systemu \"openssl_pkey_new\" nie jest w stanie wygenerować klucza szyfrującego ."; +$a->strings["Error: the \"openssl_pkey_new\" function on this system is not able to generate encryption keys"] = "Błąd: funkcja \"openssl_pkey_new\" w tym systemie nie jest w stanie wygenerować kluczy szyfrujących"; $a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Jeśli korzystasz z Windowsa, proszę odwiedzić \"http://www.php.net/manual/en/openssl.installation.php\"."; $a->strings["Generate encryption keys"] = "Generuj klucz kodowania"; $a->strings["libCurl PHP module"] = "Moduł libCurl PHP"; @@ -822,7 +822,7 @@ $a->strings["OpenSSL PHP module"] = "Moduł PHP OpenSSL"; $a->strings["PDO or MySQLi PHP module"] = "Moduł PDO lub MySQLi PHP"; $a->strings["mb_string PHP module"] = "Moduł mb_string PHP"; $a->strings["XML PHP module"] = "Moduł XML PHP"; -$a->strings["iconv PHP module"] = "moduł PHP iconv"; +$a->strings["iconv PHP module"] = "Moduł PHP iconv"; $a->strings["POSIX PHP module"] = "Moduł POSIX PHP"; $a->strings["Apache mod_rewrite module"] = "Moduł Apache mod_rewrite"; $a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Błąd: moduł Apache webserver mod-rewrite jest potrzebny, jednakże nie jest zainstalowany."; @@ -859,7 +859,7 @@ $a->strings["No contact provided."] = "Brak kontaktu."; $a->strings["Couldn't fetch information for contact."] = "Nie można pobrać informacji o kontakcie."; $a->strings["Couldn't fetch friends for contact."] = "Nie można pobrać znajomych do kontaktu."; $a->strings["success"] = "powodzenie"; -$a->strings["failed"] = "nie udało się"; +$a->strings["failed"] = "nie powiodło się"; $a->strings["ignored"] = "Ignoruj"; $a->strings["Contact wasn't found or can't be unfollowed."] = "Kontakt nie został znaleziony lub nie można go pominąć."; $a->strings["Contact unfollowed"] = "Skontaktuj się z obserwowanym"; @@ -896,25 +896,25 @@ $a->strings["Basic"] = "Podstawowy"; $a->strings["Advanced"] = "Zaawansowany"; $a->strings["Failed to remove event"] = "Nie udało się usunąć wydarzenia"; $a->strings["Event removed"] = "Wydarzenie zostało usunięte"; -$a->strings["Image uploaded but image cropping failed."] = "Obrazek załadowany, ale oprawanie powiodła się."; +$a->strings["Image uploaded but image cropping failed."] = "Zdjęcie zostało przesłane, ale przycinanie obrazu nie powiodło się."; $a->strings["Image size reduction [%s] failed."] = "Redukcja rozmiaru obrazka [%s] nie powiodła się."; $a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ponownie załaduj stronę lub wyczyść pamięć podręczną przeglądarki, jeśli nowe zdjęcie nie pojawi się natychmiast."; $a->strings["Unable to process image"] = "Nie udało się przetworzyć obrazu."; $a->strings["Upload File:"] = "Wyślij plik:"; $a->strings["Select a profile:"] = "Wybierz profil:"; $a->strings["or"] = "lub"; -$a->strings["skip this step"] = "Pomiń ten krok"; +$a->strings["skip this step"] = "pomiń ten krok"; $a->strings["select a photo from your photo albums"] = "wybierz zdjęcie z twojego albumu"; $a->strings["Crop Image"] = "Przytnij zdjęcie"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Proszę dostosować oprawę obrazka w celu optymalizacji oglądania."; -$a->strings["Done Editing"] = "Zakończ Edycję "; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Dostosuj kadrowanie obrazu, aby uzyskać optymalny obraz."; +$a->strings["Done Editing"] = "Zakończono edycję"; $a->strings["Image uploaded successfully."] = "Zdjęcie wczytano pomyślnie "; -$a->strings["Status:"] = "Status"; +$a->strings["Status:"] = "Status:"; $a->strings["Homepage:"] = "Strona główna:"; -$a->strings["Global Directory"] = "Globalne Położenie"; +$a->strings["Global Directory"] = "Globalny Katalog"; $a->strings["Find on this site"] = "Znajdź na tej stronie"; $a->strings["Results for:"] = "Wyniki dla:"; -$a->strings["Site Directory"] = "Katalog Strony"; +$a->strings["Site Directory"] = "Katalog Witryny"; $a->strings["Find"] = "Znajdź"; $a->strings["No entries (some entries may be hidden)."] = "Brak odwiedzin (niektóre odwiedziny mogą być ukryte)."; $a->strings["Source input"] = "Źródło wejściowe"; @@ -956,20 +956,20 @@ $a->strings["XMPP"] = "XMPP"; $a->strings["Homepage"] = "Strona Główna"; $a->strings["Interests"] = "Zainteresowania"; $a->strings["Address"] = "Adres"; -$a->strings["Location"] = "Położenie"; -$a->strings["Profile updated."] = "Konto zaktualizowane."; +$a->strings["Location"] = "Lokalizacja"; +$a->strings["Profile updated."] = "Profil zaktualizowany."; $a->strings[" and "] = " i "; $a->strings["public profile"] = "profil publiczny"; $a->strings["%1\$s changed %2\$s to “%3\$s”"] = "%1\$szmienione %2\$s na “%3\$s”"; -$a->strings[" - Visit %1\$s's %2\$s"] = " - Odwiedźa %1\$s's %2\$s"; +$a->strings[" - Visit %1\$s's %2\$s"] = " - Odwiedź %1\$s's %2\$s"; $a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = "%1\$sma zaktualizowany %2\$s, zmiana%3\$s."; $a->strings["Hide contacts and friends:"] = "Ukryj kontakty i znajomych:"; $a->strings["Hide your contact/friend list from viewers of this profile?"] = "Czy chcesz ukryć listę kontaktów dla przeglądających to konto?"; $a->strings["Show more profile fields:"] = "Pokaż więcej pól profilu:"; $a->strings["Profile Actions"] = "Akcje profilowe"; $a->strings["Edit Profile Details"] = "Edytuj profil."; -$a->strings["Change Profile Photo"] = "Zmień profilowe zdjęcie"; -$a->strings["View this profile"] = "Zobacz ten profil"; +$a->strings["Change Profile Photo"] = "Zmień zdjęcie profilowe"; +$a->strings["View this profile"] = "Wyświetl ten profil"; $a->strings["Edit visibility"] = "Edytuj widoczność"; $a->strings["Create a new profile using these settings"] = "Stwórz nowy profil wykorzystując te ustawienia"; $a->strings["Clone this profile"] = "Sklonuj ten profil"; @@ -981,33 +981,33 @@ $a->strings["Status information"] = "Informacje o stanie"; $a->strings["Additional information"] = "Dodatkowe informacje"; $a->strings["Relation"] = "Relacje"; $a->strings["Miscellaneous"] = "Różny"; -$a->strings["Your Gender:"] = "Twoja płeć:"; -$a->strings[" Marital Status:"] = " Stan :"; +$a->strings["Your Gender:"] = "Płeć:"; +$a->strings[" Marital Status:"] = " Stan cywilny:"; $a->strings["Sexual Preference:"] = "Preferencje seksualne:"; -$a->strings["Example: fishing photography software"] = "Przykład: kończenie oprogramowania fotografii"; -$a->strings["Profile Name:"] = "Nazwa profilu :"; +$a->strings["Example: fishing photography software"] = "Przykład: oprogramowanie do fotografowania ryb"; +$a->strings["Profile Name:"] = "Nazwa profilu:"; $a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "To jest Twój publiczny profil.
Może zostać wyświetlony przez każdego kto używa internetu."; -$a->strings["Your Full Name:"] = "Twoje imię i nazwisko:"; +$a->strings["Your Full Name:"] = "Imię i nazwisko:"; $a->strings["Title/Description:"] = "Tytuł/Opis :"; $a->strings["Street Address:"] = "Ulica:"; -$a->strings["Locality/City:"] = "Miejscowość/Miasto :"; +$a->strings["Locality/City:"] = "Miejscowość/Miasto:"; $a->strings["Region/State:"] = "Region/Państwo:"; -$a->strings["Postal/Zip Code:"] = "Kod Pocztowy :"; +$a->strings["Postal/Zip Code:"] = "Kod Pocztowy:"; $a->strings["Country:"] = "Kraj:"; $a->strings["Age: "] = "Wiek: "; $a->strings["Who: (if applicable)"] = "Kto: (jeśli dotyczy)"; -$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Przykłady : cathy123, Cathy Williams, cathy@example.com"; +$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Przykłady: cathy123, Cathy Williams, cathy@example.com"; $a->strings["Since [date]:"] = "Od [data]:"; $a->strings["Tell us about yourself..."] = "Napisz o sobie..."; $a->strings["XMPP (Jabber) address:"] = "Adres XMPP (Jabber):"; $a->strings["The XMPP address will be propagated to your contacts so that they can follow you."] = "Adres XMPP będzie propagowany do Twoich kontaktów, aby mogli Cię śledzić."; -$a->strings["Homepage URL:"] = "Strona główna URL:"; +$a->strings["Homepage URL:"] = "Adres URL strony domowej:"; $a->strings["Hometown:"] = "Miasto rodzinne:"; $a->strings["Political Views:"] = "Poglądy polityczne:"; $a->strings["Religious Views:"] = "Poglądy religijne:"; -$a->strings["Public Keywords:"] = "Publiczne słowa kluczowe :"; +$a->strings["Public Keywords:"] = "Publiczne słowa kluczowe:"; $a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Używany do sugerowania potencjalnych znajomych, jest widoczny dla innych)"; -$a->strings["Private Keywords:"] = "Prywatne słowa kluczowe :"; +$a->strings["Private Keywords:"] = "Prywatne słowa kluczowe:"; $a->strings["(Used for searching profiles, never shown to others)"] = "(Używany do wyszukiwania profili, niepokazywany innym)"; $a->strings["Likes:"] = "Lubią to:"; $a->strings["Dislikes:"] = "Nie lubię tego:"; @@ -1019,12 +1019,12 @@ $a->strings["Hobbies/Interests"] = "Zainteresowania"; $a->strings["Love/romance"] = "Miłość/romans"; $a->strings["Work/employment"] = "Praca/zatrudnienie"; $a->strings["School/education"] = "Szkoła/edukacja"; -$a->strings["Contact information and Social Networks"] = "Informacje kontaktowe i Sieci Społeczne"; -$a->strings["Profile Image"] = "Obraz profilowy"; +$a->strings["Contact information and Social Networks"] = "Dane kontaktowe i Sieci społecznościowe"; +$a->strings["Profile Image"] = "Zdjęcie profilowe"; $a->strings["visible to everybody"] = "widoczne dla wszystkich"; -$a->strings["Edit/Manage Profiles"] = "Edytuj/Zarządzaj Profilami"; +$a->strings["Edit/Manage Profiles"] = "Edycja/Zarządzanie profilami"; $a->strings["Change profile photo"] = "Zmień zdjęcie profilowe"; -$a->strings["Create New Profile"] = "Stwórz nowy profil"; +$a->strings["Create New Profile"] = "Utwórz nowy profil"; $a->strings["%d contact edited."] = [ 0 => "", 1 => "", @@ -1052,7 +1052,7 @@ $a->strings["(Update was successful)"] = "(Aktualizacja przebiegła pomyślnie)" $a->strings["(Update was not successful)"] = "(Aktualizacja nie powiodła się)"; $a->strings["Suggest friends"] = "Osoby, które możesz znać"; $a->strings["Network type: %s"] = "Typ sieci: %s"; -$a->strings["Communications lost with this contact!"] = "Komunikacja przerwana z tym kontaktem!"; +$a->strings["Communications lost with this contact!"] = "Utracono komunikację z tym kontaktem!"; $a->strings["Fetch further information for feeds"] = "Pobierz dalsze informacje dla kanałów"; $a->strings["Fetch information like preview pictures, title and teaser from the feed item. You can activate this if the feed doesn't contain much text. Keywords are taken from the meta header in the feed item and are posted as hash tags."] = "Pobieranie informacji, takich jak zdjęcia podglądu, tytuł i zwiastun z elementu kanału. Możesz to aktywować, jeśli plik danych nie zawiera dużo tekstu. Słowa kluczowe są pobierane z nagłówka meta w elemencie kanału i są publikowane jako znaczniki haszowania."; $a->strings["Disabled"] = "Wyłączony"; @@ -1062,13 +1062,13 @@ $a->strings["Fetch information and keywords"] = "Pobierz informacje i słowa klu $a->strings["Contact"] = "Kontakt"; $a->strings["Profile Visibility"] = "Widoczność profilu"; $a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Wybierz profil, który chcesz bezpiecznie wyświetlić %s"; -$a->strings["Contact Information / Notes"] = "Informacja o kontakcie / Notka"; +$a->strings["Contact Information / Notes"] = "Informacje kontaktowe/Notatki"; $a->strings["Their personal note"] = "Ich osobista uwaga"; $a->strings["Edit contact notes"] = "Edytuj notatki kontaktu"; $a->strings["Block/Unblock contact"] = "Zablokuj/odblokuj kontakt"; $a->strings["Ignore contact"] = "Ignoruj kontakt"; $a->strings["Repair URL settings"] = "Napraw ustawienia adresu"; -$a->strings["View conversations"] = "Zobacz rozmowę"; +$a->strings["View conversations"] = "Wyświetl rozmowy"; $a->strings["Last update:"] = "Ostatnia aktualizacja:"; $a->strings["Update public posts"] = "Zaktualizuj publiczne posty"; $a->strings["Update now"] = "Aktualizuj teraz"; @@ -1133,7 +1133,7 @@ $a->strings["Read about the Terms of Service of this n $a->strings["On this server the following remote servers are blocked."] = "Na tym serwerze następujące serwery zdalne są blokowane."; $a->strings["Reason for the block"] = "Powód blokowania"; $a->strings["No valid account found."] = "Nie znaleziono ważnego konta."; -$a->strings["Password reset request issued. Check your email."] = "Prośba o zresetowanie hasła została zatwierdzona. Sprawdź swój adres email."; +$a->strings["Password reset request issued. Check your email."] = "Prośba o zresetowanie hasła została zatwierdzona. Sprawdź swój e-mail."; $a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\n\t\tDrodzy %1\$s, \n\t\t\tOtrzymano niedawno prośbę o ''%2\$s\" zresetowanie konta \n\t\thasło. Aby potwierdzić tę prośbę, wybierz link weryfikacyjny \n\t\tponiżej lub wklej go na pasek adresu przeglądarki internetowej. \n \n\t\tJeśli NIE poprosiłeś o tę zmianę, NIE wykonuj tego linku \n\t\tpod warunkiem, że zignorujesz i/lub usuniesz ten e-mail, prośba wkrótce wygaśnie. \n \n\t\tTwoje hasło nie zostanie zmienione, chyba że będziemy mogli to potwierdzić \n\t\twydał to żądanie."; $a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = "\nWkrótce skorzystaj z tego linku, aby zweryfikować swoją tożsamość: \n\n\t\t%1\$s\n\n\t\tOtrzymasz następnie komunikat uzupełniający zawierający nowe hasło. \n\t\tMożesz zmienić to hasło ze strony ustawień swojego konta po zalogowaniu. \n \n\t\tDane logowania są następujące: \n \nLokalizacja strony: \t%2\$s\nNazwa użytkownika:\t%3\$s"; $a->strings["Password reset requested at %s"] = "Prośba o reset hasła na %s"; @@ -1576,11 +1576,11 @@ $a->strings["Cannot change to that email."] = "Nie można zmienić tego e-maila. $a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Prywatne forum nie ma uprawnień do prywatności. Użyj domyślnej grupy prywatnej."; $a->strings["Private forum has no privacy permissions and no default privacy group."] = "Prywatne forum nie ma uprawnień do prywatności ani domyślnej grupy prywatności."; $a->strings["Settings updated."] = "Zaktualizowano ustawienia."; -$a->strings["Add application"] = "Dodaj aplikacje"; +$a->strings["Add application"] = "Dodaj aplikację"; $a->strings["Consumer Key"] = "Klucz klienta"; -$a->strings["Consumer Secret"] = "Sekret klienta"; +$a->strings["Consumer Secret"] = "Tajny klucz klienta"; $a->strings["Redirect"] = "Przekierowanie"; -$a->strings["Icon url"] = "Adres ikony"; +$a->strings["Icon url"] = "Url ikony"; $a->strings["You can't edit this application."] = "Nie możesz edytować tej aplikacji."; $a->strings["Connected Apps"] = "Powiązane aplikacje"; $a->strings["Edit"] = "Edytuj"; @@ -1703,15 +1703,15 @@ $a->strings["Only expire posts by others:"] = "Tylko wygasaj posty innych osób: $a->strings["Account Settings"] = "Ustawienia konta"; $a->strings["Password Settings"] = "Ustawienia hasła"; $a->strings["Leave password fields blank unless changing"] = "Pozostaw pola hasła puste, chyba że chcesz je zmienić."; -$a->strings["Current Password:"] = "Obecne hasło:"; -$a->strings["Your current password to confirm the changes"] = "Twoje obecne hasło, potwierdź zmiany"; +$a->strings["Current Password:"] = "Aktualne hasło:"; +$a->strings["Your current password to confirm the changes"] = "Twoje aktualne hasło, potwierdź zmiany"; $a->strings["Password:"] = "Hasło:"; $a->strings["Basic Settings"] = "Ustawienia podstawowe"; $a->strings["Full Name:"] = "Imię i nazwisko:"; $a->strings["Email Address:"] = "Adres email:"; $a->strings["Your Timezone:"] = "Twoja strefa czasowa:"; $a->strings["Your Language:"] = "Twój język:"; -$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Ustaw język, którego używamy, aby pokazać interfejs użytkownika i wysłać Ci e-maile"; +$a->strings["Set the language we use to show you friendica interface and to send you emails"] = "Ustaw język, którego używasz, aby pokazać interfejs użytkownika i wysłać Ci e-maile"; $a->strings["Default Post Location:"] = "Standardowa lokalizacja wiadomości:"; $a->strings["Use Browser Location:"] = "Użyj położenia przeglądarki:"; $a->strings["Security and Privacy Settings"] = "Ustawienia bezpieczeństwa i prywatności"; @@ -1853,7 +1853,7 @@ $a->strings["Embedded content"] = "Osadzona zawartość"; $a->strings["Export"] = "Eksport"; $a->strings["Export calendar as ical"] = "Wyeksportuj kalendarz jako ical"; $a->strings["Export calendar as csv"] = "Eksportuj kalendarz jako csv"; -$a->strings["General Features"] = "Główne cechy"; +$a->strings["General Features"] = "Funkcje ogólne"; $a->strings["Multiple Profiles"] = "Wiele profili"; $a->strings["Ability to create multiple profiles"] = "Możliwość tworzenia wielu profili"; $a->strings["Photo Location"] = "Lokalizacja zdjęcia"; From ef8e984c622de7c8e84b1b3cebcf187a5e873219 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Wed, 11 Apr 2018 08:17:44 +0200 Subject: [PATCH 033/112] noreply should not be translate-able in email addresses --- src/App.php | 2 +- src/Worker/Delivery.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/src/App.php b/src/App.php index 1acd35ac3..d76351b97 100644 --- a/src/App.php +++ b/src/App.php @@ -1062,7 +1062,7 @@ class App $hostname = substr($hostname, 0, strpos($hostname, ':')); } - $sender_email = L10n::t('noreply') . '@' . $hostname; + $sender_email = 'noreply@' . $hostname; } return $sender_email; diff --git a/src/Worker/Delivery.php b/src/Worker/Delivery.php index 88085357a..c94d53f15 100644 --- a/src/Worker/Delivery.php +++ b/src/Worker/Delivery.php @@ -399,7 +399,7 @@ class Delivery { $headers = 'From: '.Email::encodeHeader($local_user[0]['username'],'UTF-8').' <'.$local_user[0]['email'].'>'."\n"; } } else { - $headers = 'From: '. Email::encodeHeader($local_user[0]['username'],'UTF-8') .' <'. L10n::t('noreply') .'@'.$a->get_hostname() .'>'. "\n"; + $headers = 'From: '. Email::encodeHeader($local_user[0]['username'],'UTF-8') .' get_hostname() .'>'. "\n"; } //if ($reply_to) From df0430cb4855b30113ded88357aebcc02812f4d9 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Wed, 11 Apr 2018 11:03:18 +0200 Subject: [PATCH 034/112] added example home css and html file --- mods/home.css | 21 +++++++++++++++++++++ mods/home.html | 23 +++++++++++++++++++++++ mods/readme.txt | 8 ++++++++ 3 files changed, 52 insertions(+) create mode 100644 mods/home.css create mode 100644 mods/home.html diff --git a/mods/home.css b/mods/home.css new file mode 100644 index 000000000..f01330b9c --- /dev/null +++ b/mods/home.css @@ -0,0 +1,21 @@ +.homeinfocontainer { + display: grid; + grid-template-columns: 33% 33% 33%; + grid-column-gap: 15px; + padding: 10px; +} +.homeinfobox p { + text-align: justify; +} +#c1 { + grid-column-start: 1; + grid-column-end: 2; +} +#c2 { + grid-column-start: 2; + grid-column-end: 3; +} +#c3 { + grid-column-start: 3; + grid-column-end: 4; +} diff --git a/mods/home.html b/mods/home.html new file mode 100644 index 000000000..5bd638c08 --- /dev/null +++ b/mods/home.html @@ -0,0 +1,23 @@ + + + +

Welcome to this Friendica node!

+ + +
+
+

What is Friendica?

+

Friendica is a decentral social network platform everybody can use to setup their own social networking node. It interacts with many other FLOSS microblogging and social networking platforms as well as some walled gardens.

+

Learn more at friendi.ca
Find an open Friendica node to join

+
+
+

What other networks does it interact with?

+

Every network that speaks either the DFRN2, OStatus or diaspora* protocol. Currently this list includes: diaspora*, friendica, ganggo, GNU social, Hubzilla, Mastodon, Pleroma, postActivi and Socialhome.

+

Learn more at fediverse.party

+
+
+

Is it hard to run Friendica?

+

No, not at all! You need a LAMP server, most shared hosting services that offer MySQL, PHP and the ability to run cron jobs will do just fine. If you have your own (virtual) server, for a small Friendica server something like a Raspberry2B is sufficenent from the specs.

+

Get the source

+
+
diff --git a/mods/readme.txt b/mods/readme.txt index 4ff8e1067..c4974466c 100644 --- a/mods/readme.txt +++ b/mods/readme.txt @@ -19,3 +19,11 @@ sample-systemd.service issue in Github (https://github.com/friendica/friendica/issues). This is for usage of systemd instead of cron to start the worker.php periodically, the solution is work-in-progress and can surely be improved. + +home.css +home.html + + Example files to customize the landing page of your Friendica node. + The home.html file contains the text of the page, the home.css file + the style information. The login box will be added according to the + other system settings. From c7969b2f529c6859ea8490d09d64b90a83ec5f3a Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Wed, 11 Apr 2018 11:25:16 +0200 Subject: [PATCH 035/112] more text --- mods/readme.txt | 2 ++ 1 file changed, 2 insertions(+) diff --git a/mods/readme.txt b/mods/readme.txt index c4974466c..8fc1c48b3 100644 --- a/mods/readme.txt +++ b/mods/readme.txt @@ -27,3 +27,5 @@ home.html The home.html file contains the text of the page, the home.css file the style information. The login box will be added according to the other system settings. + Both files have to be placed in the base directory of your Friendica + installation to be used for the landing page. From 0cab448ba1065d67647f75d171d14d15bd5a0169 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Wed, 11 Apr 2018 14:12:53 +0200 Subject: [PATCH 036/112] make it unreadable... almost --- src/Worker/Delivery.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Worker/Delivery.php b/src/Worker/Delivery.php index c94d53f15..0a71e6ce2 100644 --- a/src/Worker/Delivery.php +++ b/src/Worker/Delivery.php @@ -399,7 +399,7 @@ class Delivery { $headers = 'From: '.Email::encodeHeader($local_user[0]['username'],'UTF-8').' <'.$local_user[0]['email'].'>'."\n"; } } else { - $headers = 'From: '. Email::encodeHeader($local_user[0]['username'],'UTF-8') .' get_hostname() .'>'. "\n"; + $headers = 'From: '. Email::encodeHeader($local_user[0]['username'], 'UTF-8') . ' get_hostname() . '>' . "\n"; } //if ($reply_to) From 75f97db4ecfb84a4e52d2dbb5e3dc215f2725083 Mon Sep 17 00:00:00 2001 From: Michael Date: Wed, 11 Apr 2018 18:56:22 +0000 Subject: [PATCH 037/112] Issue-4816: Avoid SQL errors / Unarchive living relais servers --- src/Model/Contact.php | 7 ++++++- src/Protocol/PortableContact.php | 6 ++++++ 2 files changed, 12 insertions(+), 1 deletion(-) diff --git a/src/Model/Contact.php b/src/Model/Contact.php index 1354bbdb8..644662e4e 100644 --- a/src/Model/Contact.php +++ b/src/Model/Contact.php @@ -345,9 +345,14 @@ class Contact extends BaseObject $fields = ['term-date' => NULL_DATE, 'archive' => false]; dba::update('contact', $fields, ['id' => $contact['id']]); - if ($contact['url'] != '') { + if (!empty($contact['url'])) { dba::update('contact', $fields, ['nurl' => normalise_link($contact['url'])]); } + + if (!empty($contact['batch'])) { + $condition = ['batch' => $contact['batch'], 'contact-type' => ACCOUNT_TYPE_RELAY]; + dba::update('contact', $fields, $condition); + } } /** diff --git a/src/Protocol/PortableContact.php b/src/Protocol/PortableContact.php index d5e9d8f8c..20f5cb0b0 100644 --- a/src/Protocol/PortableContact.php +++ b/src/Protocol/PortableContact.php @@ -1418,7 +1418,13 @@ class PortableContact dba::delete('gserver-tag', ['gserver-id' => $gserver['id']]); if ($data->scope == 'tags') { + // Avoid duplicates + $tags = []; foreach ($data->tags as $tag) { + $tags[$tag] = $tag; + } + + foreach ($tags as $tag) { dba::insert('gserver-tag', ['gserver-id' => $gserver['id'], 'tag' => $tag]); } } From edcf1466a749d59bc3bba8e5d1dc48508e10521a Mon Sep 17 00:00:00 2001 From: Michael Date: Wed, 11 Apr 2018 19:01:25 +0000 Subject: [PATCH 038/112] Relay: Avoid sending relay posts to servers that already received content --- src/Protocol/Diaspora.php | 29 +++++++++++++++++++++-------- src/Worker/Notifier.php | 22 ++++++++-------------- 2 files changed, 29 insertions(+), 22 deletions(-) diff --git a/src/Protocol/Diaspora.php b/src/Protocol/Diaspora.php index 0e5f0c27f..f8e4c11b2 100644 --- a/src/Protocol/Diaspora.php +++ b/src/Protocol/Diaspora.php @@ -49,10 +49,12 @@ class Diaspora * * The list contains not only the official relays but also servers that we serve directly * - * @param integer $item_id The id of the item that is sent + * @param integer $item_id The id of the item that is sent + * @param array $contacts The previously fetched contacts + * * @return array of relay servers */ - public static function relayList($item_id) + public static function relayList($item_id, $contacts = []) { $serverlist = []; @@ -99,15 +101,26 @@ class Diaspora } // Now we are collecting all relay contacts - $contacts = []; foreach ($serverlist as $server_url) { // We don't send messages to ourselves - if (!link_compare($server_url, System::baseUrl())) { - $cid = self::getRelayContactId($server_url); - if (!is_bool($cid)) { - $contacts[] = $cid; + if (link_compare($server_url, System::baseUrl())) { + continue; + } + $contact = self::getRelayContact($server_url); + if (is_bool($contact)) { + continue; + } + + $exists = false; + foreach ($contacts as $entry) { + if ($entry['batch'] == $contact['batch']) { + $exists = true; } } + + if (!$exists) { + $contacts[] = $contact; + } } return $contacts; @@ -119,7 +132,7 @@ class Diaspora * @param string $server_url The url of the server * @return array with the contact */ - private static function getRelayContactId($server_url) + private static function getRelayContact($server_url) { $batch = $server_url . '/receive/public'; diff --git a/src/Worker/Notifier.php b/src/Worker/Notifier.php index e4e720236..422adafed 100644 --- a/src/Worker/Notifier.php +++ b/src/Worker/Notifier.php @@ -479,15 +479,9 @@ class Notifier { if ($public_message) { - - $r0 = []; $r1 = []; if ($diaspora_delivery) { - if (!$followup) { - $r0 = Diaspora::relayList($item_id); - } - $r1 = q("SELECT `batch`, ANY_VALUE(`id`) AS `id`, ANY_VALUE(`name`) AS `name`, ANY_VALUE(`network`) AS `network` FROM `contact` WHERE `network` = '%s' AND `batch` != '' AND `uid` = %d AND `rel` != %d AND NOT `blocked` AND NOT `pending` AND NOT `archive` GROUP BY `batch`", @@ -500,17 +494,17 @@ class Notifier { // The function will ensure that there are no duplicates $r1 = Diaspora::participantsForThread($item_id, $r1); + // Add the relay to the list, avoid duplicates + if (!$followup) { + $r1 = Diaspora::relayList($item_id, $r1); + } } - $r2 = q("SELECT `id`, `name`,`network` FROM `contact` - WHERE `network` in ('%s') AND `uid` = %d AND NOT `blocked` AND NOT `pending` AND NOT `archive` AND `rel` != %d", - dbesc(NETWORK_DFRN), - intval($owner['uid']), - intval(CONTACT_IS_SHARING) - ); + $condition = ['network' => NETWORK_DFRN, 'uid' => $owner['uid'], 'blocked' => false, + 'pending' => false, 'archive' => false, 'rel' => [CONTACT_IS_FOLLOWER, CONTACT_IS_FRIEND]]; + $r2 = dba::inArray(dba::select('contact', ['id', 'name', 'network'], $condition)); - - $r = array_merge($r2, $r1, $r0); + $r = array_merge($r2, $r1); if (DBM::is_result($r)) { logger('pubdeliver '.$target_item["guid"].': '.print_r($r,true), LOGGER_DEBUG); From 00311af79b76fe8caf57877fc7abdb00925c6044 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Thu, 12 Apr 2018 10:33:28 +0200 Subject: [PATCH 039/112] added missiing information to theme templates --- view/theme/frio/templates/contact_edit.tpl | 5 +++++ view/theme/frost-mobile/templates/contact_edit.tpl | 9 +++++++++ view/theme/frost/templates/contact_edit.tpl | 9 +++++++++ view/theme/vier/templates/contact_edit.tpl | 8 ++++++++ 4 files changed, 31 insertions(+) diff --git a/view/theme/frio/templates/contact_edit.tpl b/view/theme/frio/templates/contact_edit.tpl index 8a202197b..8dc0df38f 100644 --- a/view/theme/frio/templates/contact_edit.tpl +++ b/view/theme/frio/templates/contact_edit.tpl @@ -164,6 +164,11 @@
+ {{if $reason}} +

{{$lbl_info2}}

+

{{$reason}}

+
+ {{/if}} diff --git a/view/theme/frost-mobile/templates/contact_edit.tpl b/view/theme/frost-mobile/templates/contact_edit.tpl index 3766fb2ee..e07f1d063 100644 --- a/view/theme/frost-mobile/templates/contact_edit.tpl +++ b/view/theme/frost-mobile/templates/contact_edit.tpl @@ -81,6 +81,15 @@

{{$lbl_vis1}}

{{$lbl_vis2}}

+ +{{if $reason}} +
+

{{$lbl_info2}}

+

{{$reason}}

+
+
+{{/if}} + {{$profile_select}}
diff --git a/view/theme/frost/templates/contact_edit.tpl b/view/theme/frost/templates/contact_edit.tpl index 636ebf562..621ca646b 100644 --- a/view/theme/frost/templates/contact_edit.tpl +++ b/view/theme/frost/templates/contact_edit.tpl @@ -75,6 +75,15 @@

{{$lbl_vis1}}

{{$lbl_vis2}}

+ +{{if $reason}} +
+

{{$lbl_info2}}

+

{{$reason}}

+
+
+{{/if}} + {{$profile_select}}
diff --git a/view/theme/vier/templates/contact_edit.tpl b/view/theme/vier/templates/contact_edit.tpl index 945895ba6..d5708bd56 100644 --- a/view/theme/vier/templates/contact_edit.tpl +++ b/view/theme/vier/templates/contact_edit.tpl @@ -82,6 +82,14 @@
+ {{if $reason}} +
+

{{$lbl_info2}}

+

{{$reason}}

+
+
+ {{/if}} + {{if $profile_select}}

{{$lbl_vis1}}

From 9cadee1d3257f6bb0654cc4e4da5a91a9d349ff5 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Thu, 12 Apr 2018 10:41:49 +0200 Subject: [PATCH 040/112] DE and NL translation updates THX Karel and S.Krumbholz --- view/lang/de/messages.po | 9 +- view/lang/de/strings.php | 4 +- view/lang/nl/messages.po | 2889 +++++++++++++++++++------------------- view/lang/nl/strings.php | 603 ++++---- 4 files changed, 1782 insertions(+), 1723 deletions(-) diff --git a/view/lang/de/messages.po b/view/lang/de/messages.po index 3b3ef90d6..ec0116366 100644 --- a/view/lang/de/messages.po +++ b/view/lang/de/messages.po @@ -31,6 +31,7 @@ # Sennewood , 2013 # Sennewood , 2012-2013 # silke m , 2015 +# S.Krumbholz , 2018 # Tobias Diekershoff , 2013-2016 # Tobias Diekershoff , 2011-2013 # Tobias Diekershoff , 2016-2018 @@ -41,8 +42,8 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-11 05:06+0000\n" -"Last-Translator: Ben \n" +"PO-Revision-Date: 2018-04-11 09:54+0000\n" +"Last-Translator: S.Krumbholz \n" "Language-Team: German (http://www.transifex.com/Friendica/friendica/language/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -122,7 +123,7 @@ msgstr "%1$s, %2$s Administrator" #: include/enotify.php:50 src/Worker/Delivery.php:404 msgid "noreply" -msgstr "keine Antwort" +msgstr "noreply" #: include/enotify.php:98 #, php-format @@ -2248,7 +2249,7 @@ msgstr "Nicht erlaubte Profil-URL." #: mod/dfrn_request.php:351 mod/friendica.php:128 mod/admin.php:353 #: mod/admin.php:371 src/Model/Contact.php:1228 msgid "Blocked domain" -msgstr "Blockierte Daimain" +msgstr "Blockierte Domain" #: mod/dfrn_request.php:419 mod/contacts.php:230 msgid "Failed to update contact record." diff --git a/view/lang/de/strings.php b/view/lang/de/strings.php index 32af61085..ba0da8ffb 100644 --- a/view/lang/de/strings.php +++ b/view/lang/de/strings.php @@ -24,7 +24,7 @@ $a->strings["Friendica Notification"] = "Friendica-Benachrichtigung"; $a->strings["Thank You,"] = "Danke,"; $a->strings["%s Administrator"] = "der Administrator von %s"; $a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Administrator"; -$a->strings["noreply"] = "keine Antwort"; +$a->strings["noreply"] = "noreply"; $a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica-Meldung] Neue Email erhalten um %s"; $a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s hat Dir eine neue private Nachricht um %2\$s geschickt."; $a->strings["a private message"] = "eine private Nachricht"; @@ -499,7 +499,7 @@ $a->strings["You have already introduced yourself here."] = "Du hast Dich hier b $a->strings["Apparently you are already friends with %s."] = "Es scheint so, als ob Du bereits mit %s in Kontakt stehst."; $a->strings["Invalid profile URL."] = "Ungültige Profil-URL."; $a->strings["Disallowed profile URL."] = "Nicht erlaubte Profil-URL."; -$a->strings["Blocked domain"] = "Blockierte Daimain"; +$a->strings["Blocked domain"] = "Blockierte Domain"; $a->strings["Failed to update contact record."] = "Aktualisierung der Kontaktdaten fehlgeschlagen."; $a->strings["Your introduction has been sent."] = "Deine Kontaktanfrage wurde gesendet."; $a->strings["Remote subscription can't be done for your network. Please subscribe directly on your system."] = "Entferntes abon­nie­ren kann für dein Netzwerk nicht durchgeführt werden. Bitte nutze direkt die Abonnieren-Funktion deines Systems. "; diff --git a/view/lang/nl/messages.po b/view/lang/nl/messages.po index 095972902..b3665824e 100644 --- a/view/lang/nl/messages.po +++ b/view/lang/nl/messages.po @@ -16,8 +16,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2018-04-04 07:01+0200\n" -"PO-Revision-Date: 2018-04-05 13:36+0000\n" +"POT-Creation-Date: 2018-04-06 16:58+0200\n" +"PO-Revision-Date: 2018-04-11 14:34+0000\n" "Last-Translator: Karel \n" "Language-Team: Dutch (http://www.transifex.com/Friendica/friendica/language/nl/)\n" "MIME-Version: 1.0\n" @@ -78,451 +78,6 @@ msgstr "De maandelijkse limiet van %d berichten is bereikt. Dit bericht werd ni msgid "Profile Photos" msgstr "Profielfoto's" -#: include/conversation.php:144 include/conversation.php:282 -#: include/text.php:1724 src/Model/Item.php:1795 -msgid "event" -msgstr "gebeurtenis" - -#: include/conversation.php:147 include/conversation.php:157 -#: include/conversation.php:285 include/conversation.php:294 -#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 -#: src/Protocol/Diaspora.php:2010 -msgid "status" -msgstr "status" - -#: include/conversation.php:152 include/conversation.php:290 -#: include/text.php:1726 mod/subthread.php:97 mod/tagger.php:72 -#: src/Model/Item.php:1793 -msgid "photo" -msgstr "foto" - -#: include/conversation.php:164 src/Model/Item.php:1666 -#: src/Protocol/Diaspora.php:2006 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s vindt het %3$s van %2$s leuk" - -#: include/conversation.php:167 src/Model/Item.php:1671 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s vindt het %3$s van %2$s niet leuk" - -#: include/conversation.php:170 -#, php-format -msgid "%1$s attends %2$s's %3$s" -msgstr "%1$s neemt deel aan %2$ss %3$s deel" - -#: include/conversation.php:173 -#, php-format -msgid "%1$s doesn't attend %2$s's %3$s" -msgstr "%1$s neemt niet deel aan %2$ss %3$s" - -#: include/conversation.php:176 -#, php-format -msgid "%1$s attends maybe %2$s's %3$s" -msgstr "%1$s neemt misschien deel aan %2$ss %3$s" - -#: include/conversation.php:209 mod/dfrn_confirm.php:431 -#: src/Protocol/Diaspora.php:2481 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s is nu bevriend met %2$s" - -#: include/conversation.php:250 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s porde %2$s aan" - -#: include/conversation.php:304 mod/tagger.php:110 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s labelde %3$s van %2$s met %4$s" - -#: include/conversation.php:331 -msgid "post/item" -msgstr "bericht/item" - -#: include/conversation.php:332 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s markeerde %2$s's %3$s als favoriet" - -#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 -msgid "Likes" -msgstr "Houdt van" - -#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 -msgid "Dislikes" -msgstr "Houdt niet van" - -#: include/conversation.php:606 include/conversation.php:1680 -#: mod/photos.php:1502 -msgid "Attending" -msgid_plural "Attending" -msgstr[0] "Neemt deel" -msgstr[1] "Nemen deel" - -#: include/conversation.php:606 mod/photos.php:1502 -msgid "Not attending" -msgstr "Nemen niet deel" - -#: include/conversation.php:606 mod/photos.php:1502 -msgid "Might attend" -msgstr "Nemen misschien deel" - -#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 -msgid "Select" -msgstr "Kies" - -#: include/conversation.php:745 mod/photos.php:1570 mod/settings.php:738 -#: mod/contacts.php:830 mod/contacts.php:1035 mod/admin.php:1798 -#: src/Object/Post.php:179 -msgid "Delete" -msgstr "Verwijder" - -#: include/conversation.php:777 src/Object/Post.php:357 -#: src/Object/Post.php:358 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Bekijk het profiel van %s @ %s" - -#: include/conversation.php:789 src/Object/Post.php:345 -msgid "Categories:" -msgstr "Categorieën:" - -#: include/conversation.php:790 src/Object/Post.php:346 -msgid "Filed under:" -msgstr "Bewaard onder:" - -#: include/conversation.php:797 src/Object/Post.php:371 -#, php-format -msgid "%s from %s" -msgstr "%s van %s" - -#: include/conversation.php:812 -msgid "View in context" -msgstr "In context bekijken" - -#: include/conversation.php:814 include/conversation.php:1353 -#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 -#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:396 -msgid "Please wait" -msgstr "Even geduld" - -#: include/conversation.php:885 -msgid "remove" -msgstr "verwijder" - -#: include/conversation.php:889 -msgid "Delete Selected Items" -msgstr "Geselecteerde items verwijderen" - -#: include/conversation.php:1059 view/theme/frio/theme.php:352 -msgid "Follow Thread" -msgstr "Gesprek volgen" - -#: include/conversation.php:1060 src/Model/Contact.php:640 -msgid "View Status" -msgstr "Bekijk status" - -#: include/conversation.php:1061 include/conversation.php:1077 -#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 -#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 -#: src/Model/Contact.php:593 src/Model/Contact.php:641 -msgid "View Profile" -msgstr "Bekijk profiel" - -#: include/conversation.php:1062 src/Model/Contact.php:642 -msgid "View Photos" -msgstr "Bekijk foto's" - -#: include/conversation.php:1063 src/Model/Contact.php:643 -msgid "Network Posts" -msgstr "Netwerkberichten" - -#: include/conversation.php:1064 src/Model/Contact.php:644 -msgid "View Contact" -msgstr "Bekijk contact" - -#: include/conversation.php:1065 src/Model/Contact.php:646 -msgid "Send PM" -msgstr "Stuur een privébericht" - -#: include/conversation.php:1069 src/Model/Contact.php:647 -msgid "Poke" -msgstr "Porren" - -#: include/conversation.php:1074 mod/allfriends.php:74 mod/suggest.php:83 -#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 -#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 -msgid "Connect/Follow" -msgstr "Verbind/Volg" - -#: include/conversation.php:1193 -#, php-format -msgid "%s likes this." -msgstr "%s vindt dit leuk." - -#: include/conversation.php:1196 -#, php-format -msgid "%s doesn't like this." -msgstr "%s vindt dit niet leuk." - -#: include/conversation.php:1199 -#, php-format -msgid "%s attends." -msgstr "%s neemt deel" - -#: include/conversation.php:1202 -#, php-format -msgid "%s doesn't attend." -msgstr "%s neemt niet deel" - -#: include/conversation.php:1205 -#, php-format -msgid "%s attends maybe." -msgstr "%s neemt misschien deel" - -#: include/conversation.php:1216 -msgid "and" -msgstr "en" - -#: include/conversation.php:1222 -#, php-format -msgid "and %d other people" -msgstr "en %d anderen" - -#: include/conversation.php:1231 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d mensen vinden dit leuk" - -#: include/conversation.php:1232 -#, php-format -msgid "%s like this." -msgstr "%s vinden dit leuk." - -#: include/conversation.php:1235 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d people vinden dit niet leuk" - -#: include/conversation.php:1236 -#, php-format -msgid "%s don't like this." -msgstr "%s vinden dit niet leuk." - -#: include/conversation.php:1239 -#, php-format -msgid "%2$d people attend" -msgstr "%2$d mensen nemen deel" - -#: include/conversation.php:1240 -#, php-format -msgid "%s attend." -msgstr "%s nemen deel." - -#: include/conversation.php:1243 -#, php-format -msgid "%2$d people don't attend" -msgstr "%2$d mensen nemen niet deel" - -#: include/conversation.php:1244 -#, php-format -msgid "%s don't attend." -msgstr "%s nemen niet deel." - -#: include/conversation.php:1247 -#, php-format -msgid "%2$d people attend maybe" -msgstr "%2$d mensen nemen misschien deel" - -#: include/conversation.php:1248 -#, php-format -msgid "%s attend maybe." -msgstr "%s neemt misschien deel." - -#: include/conversation.php:1278 include/conversation.php:1294 -msgid "Visible to everybody" -msgstr "Zichtbaar voor iedereen" - -#: include/conversation.php:1279 include/conversation.php:1295 -#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 -#: mod/message.php:207 mod/message.php:343 mod/message.php:350 -msgid "Please enter a link URL:" -msgstr "Vul een internetadres/URL in:" - -#: include/conversation.php:1280 include/conversation.php:1296 -msgid "Please enter a video link/URL:" -msgstr "Vul een videolink/URL in:" - -#: include/conversation.php:1281 include/conversation.php:1297 -msgid "Please enter an audio link/URL:" -msgstr "Vul een audiolink/URL in:" - -#: include/conversation.php:1282 include/conversation.php:1298 -msgid "Tag term:" -msgstr "Label:" - -#: include/conversation.php:1283 include/conversation.php:1299 -#: mod/filer.php:34 -msgid "Save to Folder:" -msgstr "Bewaren in map:" - -#: include/conversation.php:1284 include/conversation.php:1300 -msgid "Where are you right now?" -msgstr "Waar ben je nu?" - -#: include/conversation.php:1285 -msgid "Delete item(s)?" -msgstr "Item(s) verwijderen?" - -#: include/conversation.php:1334 -msgid "Share" -msgstr "Delen" - -#: include/conversation.php:1335 mod/wallmessage.php:143 mod/editpost.php:111 -#: mod/message.php:262 mod/message.php:430 -msgid "Upload photo" -msgstr "Foto uploaden" - -#: include/conversation.php:1336 mod/editpost.php:112 -msgid "upload photo" -msgstr "Foto uploaden" - -#: include/conversation.php:1337 mod/editpost.php:113 -msgid "Attach file" -msgstr "Bestand bijvoegen" - -#: include/conversation.php:1338 mod/editpost.php:114 -msgid "attach file" -msgstr "bestand bijvoegen" - -#: include/conversation.php:1339 mod/wallmessage.php:144 mod/editpost.php:115 -#: mod/message.php:263 mod/message.php:431 -msgid "Insert web link" -msgstr "Voeg een webadres in" - -#: include/conversation.php:1340 mod/editpost.php:116 -msgid "web link" -msgstr "webadres" - -#: include/conversation.php:1341 mod/editpost.php:117 -msgid "Insert video link" -msgstr "Voeg video toe" - -#: include/conversation.php:1342 mod/editpost.php:118 -msgid "video link" -msgstr "video adres" - -#: include/conversation.php:1343 mod/editpost.php:119 -msgid "Insert audio link" -msgstr "Voeg audio adres toe" - -#: include/conversation.php:1344 mod/editpost.php:120 -msgid "audio link" -msgstr "audio adres" - -#: include/conversation.php:1345 mod/editpost.php:121 -msgid "Set your location" -msgstr "Stel uw locatie in" - -#: include/conversation.php:1346 mod/editpost.php:122 -msgid "set location" -msgstr "Stel uw locatie in" - -#: include/conversation.php:1347 mod/editpost.php:123 -msgid "Clear browser location" -msgstr "Verwijder locatie uit uw webbrowser" - -#: include/conversation.php:1348 mod/editpost.php:124 -msgid "clear location" -msgstr "Verwijder locatie uit uw webbrowser" - -#: include/conversation.php:1350 mod/editpost.php:138 -msgid "Set title" -msgstr "Titel plaatsen" - -#: include/conversation.php:1352 mod/editpost.php:140 -msgid "Categories (comma-separated list)" -msgstr "Categorieën (komma-gescheiden lijst)" - -#: include/conversation.php:1354 mod/editpost.php:126 -msgid "Permission settings" -msgstr "Instellingen van rechten" - -#: include/conversation.php:1355 mod/editpost.php:155 -msgid "permissions" -msgstr "rechten" - -#: include/conversation.php:1363 mod/editpost.php:135 -msgid "Public post" -msgstr "Openbare post" - -#: include/conversation.php:1367 mod/editpost.php:146 mod/photos.php:1492 -#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 -#: src/Object/Post.php:799 -msgid "Preview" -msgstr "Voorvertoning" - -#: include/conversation.php:1371 include/items.php:387 mod/fbrowser.php:103 -#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 -#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 -#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 -#: mod/unfollow.php:117 mod/settings.php:676 mod/settings.php:702 -#: mod/follow.php:161 mod/contacts.php:475 -msgid "Cancel" -msgstr "Annuleren" - -#: include/conversation.php:1376 -msgid "Post to Groups" -msgstr "Verzenden naar Groepen" - -#: include/conversation.php:1377 -msgid "Post to Contacts" -msgstr "Verzenden naar Contacten" - -#: include/conversation.php:1378 -msgid "Private post" -msgstr "Privé verzending" - -#: include/conversation.php:1383 mod/editpost.php:153 -#: src/Model/Profile.php:342 -msgid "Message" -msgstr "Bericht" - -#: include/conversation.php:1384 mod/editpost.php:154 -msgid "Browser" -msgstr "Browser" - -#: include/conversation.php:1651 -msgid "View all" -msgstr "Toon alles" - -#: include/conversation.php:1674 -msgid "Like" -msgid_plural "Likes" -msgstr[0] "Houdt van" -msgstr[1] "Houdt van" - -#: include/conversation.php:1677 -msgid "Dislike" -msgid_plural "Dislikes" -msgstr[0] "Houdt niet van" -msgstr[1] "Houdt niet van" - -#: include/conversation.php:1683 -msgid "Not Attending" -msgid_plural "Not Attending" -msgstr[0] "Neemt niet deel" -msgstr[1] "Nemen niet deel" - -#: include/conversation.php:1686 src/Content/ContactSelector.php:125 -msgid "Undecided" -msgid_plural "Undecided" -msgstr[0] "Onbeslist" -msgstr[1] "Onbeslist" - #: include/enotify.php:31 msgid "Friendica Notification" msgstr "Friendica Notificatie" @@ -826,16 +381,25 @@ msgid "Do you really want to delete this item?" msgstr "Wil je echt dit item verwijderen?" #: include/items.php:384 mod/api.php:110 mod/suggest.php:38 -#: mod/dfrn_request.php:653 mod/message.php:138 mod/settings.php:1103 -#: mod/settings.php:1109 mod/settings.php:1116 mod/settings.php:1120 -#: mod/settings.php:1124 mod/settings.php:1128 mod/settings.php:1132 -#: mod/settings.php:1136 mod/settings.php:1156 mod/settings.php:1157 -#: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 -#: mod/follow.php:150 mod/profiles.php:636 mod/profiles.php:639 -#: mod/profiles.php:661 mod/contacts.php:472 mod/register.php:237 +#: mod/dfrn_request.php:653 mod/message.php:138 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:639 mod/profiles.php:661 +#: mod/contacts.php:472 mod/register.php:237 mod/settings.php:1105 +#: mod/settings.php:1111 mod/settings.php:1118 mod/settings.php:1122 +#: mod/settings.php:1126 mod/settings.php:1130 mod/settings.php:1134 +#: mod/settings.php:1138 mod/settings.php:1158 mod/settings.php:1159 +#: mod/settings.php:1160 mod/settings.php:1161 mod/settings.php:1162 msgid "Yes" msgstr "Ja" +#: include/items.php:387 include/conversation.php:1378 mod/fbrowser.php:103 +#: mod/fbrowser.php:134 mod/suggest.php:41 mod/dfrn_request.php:663 +#: mod/tagrm.php:19 mod/tagrm.php:99 mod/editpost.php:149 mod/message.php:141 +#: mod/photos.php:248 mod/photos.php:324 mod/videos.php:147 +#: mod/unfollow.php:117 mod/follow.php:161 mod/contacts.php:475 +#: mod/settings.php:676 mod/settings.php:702 +msgid "Cancel" +msgstr "Annuleren" + #: include/items.php:401 mod/allfriends.php:21 mod/api.php:35 mod/api.php:40 #: mod/attach.php:38 mod/common.php:26 mod/crepair.php:98 mod/nogroup.php:28 #: mod/repair_ostatus.php:13 mod/suggest.php:60 mod/uimport.php:28 @@ -851,10 +415,10 @@ msgstr "Ja" #: mod/dirfind.php:25 mod/ostatus_subscribe.php:16 mod/unfollow.php:15 #: mod/unfollow.php:57 mod/unfollow.php:90 mod/cal.php:304 mod/events.php:194 #: mod/profile_photo.php:30 mod/profile_photo.php:176 -#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/settings.php:43 -#: mod/settings.php:142 mod/settings.php:665 mod/follow.php:17 +#: mod/profile_photo.php:187 mod/profile_photo.php:200 mod/follow.php:17 #: mod/follow.php:54 mod/follow.php:118 mod/profiles.php:182 -#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 index.php:416 +#: mod/profiles.php:606 mod/contacts.php:386 mod/register.php:53 +#: mod/settings.php:42 mod/settings.php:141 mod/settings.php:665 index.php:416 msgid "Permission denied." msgstr "Toegang geweigerd" @@ -863,11 +427,451 @@ msgid "Archives" msgstr "Archieven" #: include/items.php:477 src/Content/ForumManager.php:130 -#: src/Content/Widget.php:312 src/Object/Post.php:424 src/App.php:512 +#: src/Content/Widget.php:312 src/Object/Post.php:430 src/App.php:512 #: view/theme/vier/theme.php:259 msgid "show more" msgstr "toon meer" +#: include/conversation.php:144 include/conversation.php:282 +#: include/text.php:1774 src/Model/Item.php:1795 +msgid "event" +msgstr "gebeurtenis" + +#: include/conversation.php:147 include/conversation.php:157 +#: include/conversation.php:285 include/conversation.php:294 +#: mod/subthread.php:97 mod/tagger.php:72 src/Model/Item.php:1793 +#: src/Protocol/Diaspora.php:2010 +msgid "status" +msgstr "status" + +#: include/conversation.php:152 include/conversation.php:290 +#: include/text.php:1776 mod/subthread.php:97 mod/tagger.php:72 +#: src/Model/Item.php:1793 +msgid "photo" +msgstr "foto" + +#: include/conversation.php:164 src/Model/Item.php:1666 +#: src/Protocol/Diaspora.php:2006 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s vindt het %3$s van %2$s leuk" + +#: include/conversation.php:167 src/Model/Item.php:1671 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s vindt het %3$s van %2$s niet leuk" + +#: include/conversation.php:170 +#, php-format +msgid "%1$s attends %2$s's %3$s" +msgstr "%1$s neemt deel aan %2$ss %3$s deel" + +#: include/conversation.php:173 +#, php-format +msgid "%1$s doesn't attend %2$s's %3$s" +msgstr "%1$s neemt niet deel aan %2$ss %3$s" + +#: include/conversation.php:176 +#, php-format +msgid "%1$s attends maybe %2$s's %3$s" +msgstr "%1$s neemt misschien deel aan %2$ss %3$s" + +#: include/conversation.php:209 mod/dfrn_confirm.php:431 +#: src/Protocol/Diaspora.php:2481 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s is nu bevriend met %2$s" + +#: include/conversation.php:250 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s porde %2$s aan" + +#: include/conversation.php:304 mod/tagger.php:110 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s labelde %3$s van %2$s met %4$s" + +#: include/conversation.php:331 +msgid "post/item" +msgstr "bericht/item" + +#: include/conversation.php:332 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s markeerde %2$s's %3$s als favoriet" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:355 +msgid "Likes" +msgstr "Houdt van" + +#: include/conversation.php:605 mod/photos.php:1501 mod/profiles.php:359 +msgid "Dislikes" +msgstr "Houdt niet van" + +#: include/conversation.php:606 include/conversation.php:1687 +#: mod/photos.php:1502 +msgid "Attending" +msgid_plural "Attending" +msgstr[0] "Neemt deel" +msgstr[1] "Nemen deel" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Not attending" +msgstr "Nemen niet deel" + +#: include/conversation.php:606 mod/photos.php:1502 +msgid "Might attend" +msgstr "Nemen misschien deel" + +#: include/conversation.php:744 mod/photos.php:1569 src/Object/Post.php:178 +msgid "Select" +msgstr "Kies" + +#: include/conversation.php:745 mod/photos.php:1570 mod/contacts.php:830 +#: mod/contacts.php:1035 mod/admin.php:1798 mod/settings.php:738 +#: src/Object/Post.php:179 +msgid "Delete" +msgstr "Verwijder" + +#: include/conversation.php:783 src/Object/Post.php:363 +#: src/Object/Post.php:364 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Bekijk het profiel van %s @ %s" + +#: include/conversation.php:795 src/Object/Post.php:351 +msgid "Categories:" +msgstr "Categorieën:" + +#: include/conversation.php:796 src/Object/Post.php:352 +msgid "Filed under:" +msgstr "Bewaard onder:" + +#: include/conversation.php:803 src/Object/Post.php:377 +#, php-format +msgid "%s from %s" +msgstr "%s van %s" + +#: include/conversation.php:818 +msgid "View in context" +msgstr "In context bekijken" + +#: include/conversation.php:820 include/conversation.php:1360 +#: mod/wallmessage.php:145 mod/editpost.php:125 mod/message.php:264 +#: mod/message.php:433 mod/photos.php:1473 src/Object/Post.php:402 +msgid "Please wait" +msgstr "Even geduld" + +#: include/conversation.php:891 +msgid "remove" +msgstr "verwijder" + +#: include/conversation.php:895 +msgid "Delete Selected Items" +msgstr "Geselecteerde items verwijderen" + +#: include/conversation.php:1065 view/theme/frio/theme.php:352 +msgid "Follow Thread" +msgstr "Gesprek volgen" + +#: include/conversation.php:1066 src/Model/Contact.php:640 +msgid "View Status" +msgstr "Bekijk status" + +#: include/conversation.php:1067 include/conversation.php:1083 +#: mod/allfriends.php:73 mod/suggest.php:82 mod/match.php:89 +#: mod/dirfind.php:217 mod/directory.php:159 src/Model/Contact.php:580 +#: src/Model/Contact.php:593 src/Model/Contact.php:641 +msgid "View Profile" +msgstr "Bekijk profiel" + +#: include/conversation.php:1068 src/Model/Contact.php:642 +msgid "View Photos" +msgstr "Bekijk foto's" + +#: include/conversation.php:1069 src/Model/Contact.php:643 +msgid "Network Posts" +msgstr "Netwerkberichten" + +#: include/conversation.php:1070 src/Model/Contact.php:644 +msgid "View Contact" +msgstr "Bekijk contact" + +#: include/conversation.php:1071 src/Model/Contact.php:646 +msgid "Send PM" +msgstr "Stuur een privébericht" + +#: include/conversation.php:1075 src/Model/Contact.php:647 +msgid "Poke" +msgstr "Porren" + +#: include/conversation.php:1080 mod/allfriends.php:74 mod/suggest.php:83 +#: mod/match.php:90 mod/dirfind.php:218 mod/follow.php:143 +#: mod/contacts.php:596 src/Content/Widget.php:61 src/Model/Contact.php:594 +msgid "Connect/Follow" +msgstr "Verbind/Volg" + +#: include/conversation.php:1199 +#, php-format +msgid "%s likes this." +msgstr "%s vindt dit leuk." + +#: include/conversation.php:1202 +#, php-format +msgid "%s doesn't like this." +msgstr "%s vindt dit niet leuk." + +#: include/conversation.php:1205 +#, php-format +msgid "%s attends." +msgstr "%s neemt deel" + +#: include/conversation.php:1208 +#, php-format +msgid "%s doesn't attend." +msgstr "%s neemt niet deel" + +#: include/conversation.php:1211 +#, php-format +msgid "%s attends maybe." +msgstr "%s neemt misschien deel" + +#: include/conversation.php:1222 +msgid "and" +msgstr "en" + +#: include/conversation.php:1228 +#, php-format +msgid "and %d other people" +msgstr "en %d anderen" + +#: include/conversation.php:1237 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d mensen vinden dit leuk" + +#: include/conversation.php:1238 +#, php-format +msgid "%s like this." +msgstr "%s vinden dit leuk." + +#: include/conversation.php:1241 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d people vinden dit niet leuk" + +#: include/conversation.php:1242 +#, php-format +msgid "%s don't like this." +msgstr "%s vinden dit niet leuk." + +#: include/conversation.php:1245 +#, php-format +msgid "%2$d people attend" +msgstr "%2$d mensen nemen deel" + +#: include/conversation.php:1246 +#, php-format +msgid "%s attend." +msgstr "%s nemen deel." + +#: include/conversation.php:1249 +#, php-format +msgid "%2$d people don't attend" +msgstr "%2$d mensen nemen niet deel" + +#: include/conversation.php:1250 +#, php-format +msgid "%s don't attend." +msgstr "%s nemen niet deel." + +#: include/conversation.php:1253 +#, php-format +msgid "%2$d people attend maybe" +msgstr "%2$d mensen nemen misschien deel" + +#: include/conversation.php:1254 +#, php-format +msgid "%s attend maybe." +msgstr "%s neemt misschien deel." + +#: include/conversation.php:1284 include/conversation.php:1300 +msgid "Visible to everybody" +msgstr "Zichtbaar voor iedereen" + +#: include/conversation.php:1285 include/conversation.php:1301 +#: mod/wallmessage.php:120 mod/wallmessage.php:127 mod/message.php:200 +#: mod/message.php:207 mod/message.php:343 mod/message.php:350 +msgid "Please enter a link URL:" +msgstr "Vul een internetadres/URL in:" + +#: include/conversation.php:1286 include/conversation.php:1302 +msgid "Please enter a video link/URL:" +msgstr "Vul een videolink/URL in:" + +#: include/conversation.php:1287 include/conversation.php:1303 +msgid "Please enter an audio link/URL:" +msgstr "Vul een audiolink/URL in:" + +#: include/conversation.php:1288 include/conversation.php:1304 +msgid "Tag term:" +msgstr "Label:" + +#: include/conversation.php:1289 include/conversation.php:1305 +#: mod/filer.php:34 +msgid "Save to Folder:" +msgstr "Bewaren in map:" + +#: include/conversation.php:1290 include/conversation.php:1306 +msgid "Where are you right now?" +msgstr "Waar ben je nu?" + +#: include/conversation.php:1291 +msgid "Delete item(s)?" +msgstr "Item(s) verwijderen?" + +#: include/conversation.php:1338 +msgid "New Post" +msgstr "Nieuw bericht" + +#: include/conversation.php:1341 +msgid "Share" +msgstr "Delen" + +#: include/conversation.php:1342 mod/wallmessage.php:143 mod/editpost.php:111 +#: mod/message.php:262 mod/message.php:430 +msgid "Upload photo" +msgstr "Foto uploaden" + +#: include/conversation.php:1343 mod/editpost.php:112 +msgid "upload photo" +msgstr "Foto uploaden" + +#: include/conversation.php:1344 mod/editpost.php:113 +msgid "Attach file" +msgstr "Bestand bijvoegen" + +#: include/conversation.php:1345 mod/editpost.php:114 +msgid "attach file" +msgstr "bestand bijvoegen" + +#: include/conversation.php:1346 mod/wallmessage.php:144 mod/editpost.php:115 +#: mod/message.php:263 mod/message.php:431 +msgid "Insert web link" +msgstr "Voeg een webadres in" + +#: include/conversation.php:1347 mod/editpost.php:116 +msgid "web link" +msgstr "webadres" + +#: include/conversation.php:1348 mod/editpost.php:117 +msgid "Insert video link" +msgstr "Voeg video toe" + +#: include/conversation.php:1349 mod/editpost.php:118 +msgid "video link" +msgstr "video adres" + +#: include/conversation.php:1350 mod/editpost.php:119 +msgid "Insert audio link" +msgstr "Voeg audio adres toe" + +#: include/conversation.php:1351 mod/editpost.php:120 +msgid "audio link" +msgstr "audio adres" + +#: include/conversation.php:1352 mod/editpost.php:121 +msgid "Set your location" +msgstr "Stel uw locatie in" + +#: include/conversation.php:1353 mod/editpost.php:122 +msgid "set location" +msgstr "Stel uw locatie in" + +#: include/conversation.php:1354 mod/editpost.php:123 +msgid "Clear browser location" +msgstr "Verwijder locatie uit uw webbrowser" + +#: include/conversation.php:1355 mod/editpost.php:124 +msgid "clear location" +msgstr "Verwijder locatie uit uw webbrowser" + +#: include/conversation.php:1357 mod/editpost.php:138 +msgid "Set title" +msgstr "Titel plaatsen" + +#: include/conversation.php:1359 mod/editpost.php:140 +msgid "Categories (comma-separated list)" +msgstr "Categorieën (komma-gescheiden lijst)" + +#: include/conversation.php:1361 mod/editpost.php:126 +msgid "Permission settings" +msgstr "Instellingen van rechten" + +#: include/conversation.php:1362 mod/editpost.php:155 +msgid "permissions" +msgstr "rechten" + +#: include/conversation.php:1370 mod/editpost.php:135 +msgid "Public post" +msgstr "Openbare post" + +#: include/conversation.php:1374 mod/editpost.php:146 mod/photos.php:1492 +#: mod/photos.php:1531 mod/photos.php:1604 mod/events.php:528 +#: src/Object/Post.php:805 +msgid "Preview" +msgstr "Voorvertoning" + +#: include/conversation.php:1383 +msgid "Post to Groups" +msgstr "Verzenden naar Groepen" + +#: include/conversation.php:1384 +msgid "Post to Contacts" +msgstr "Verzenden naar Contacten" + +#: include/conversation.php:1385 +msgid "Private post" +msgstr "Privé verzending" + +#: include/conversation.php:1390 mod/editpost.php:153 +#: src/Model/Profile.php:342 +msgid "Message" +msgstr "Bericht" + +#: include/conversation.php:1391 mod/editpost.php:154 +msgid "Browser" +msgstr "Browser" + +#: include/conversation.php:1658 +msgid "View all" +msgstr "Toon alles" + +#: include/conversation.php:1681 +msgid "Like" +msgid_plural "Likes" +msgstr[0] "Houdt van" +msgstr[1] "Houdt van" + +#: include/conversation.php:1684 +msgid "Dislike" +msgid_plural "Dislikes" +msgstr[0] "Houdt niet van" +msgstr[1] "Houdt niet van" + +#: include/conversation.php:1690 +msgid "Not Attending" +msgid_plural "Not Attending" +msgstr[0] "Neemt niet deel" +msgstr[1] "Nemen niet deel" + +#: include/conversation.php:1693 src/Content/ContactSelector.php:125 +msgid "Undecided" +msgid_plural "Undecided" +msgstr[0] "Onbeslist" +msgstr[1] "Onbeslist" + #: include/text.php:302 msgid "newer" msgstr "nieuwere berichten" @@ -894,7 +898,7 @@ msgstr "laatste" #: include/text.php:398 msgid "Loading more entries..." -msgstr "" +msgstr "Meer berichten aan het laden..." #: include/text.php:399 msgid "The end" @@ -1001,7 +1005,7 @@ msgstr "afpoeieren" msgid "rebuffed" msgstr "afgepoeierd" -#: include/text.php:1093 mod/settings.php:941 src/Model/Event.php:379 +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:379 msgid "Monday" msgstr "Maandag" @@ -1025,7 +1029,7 @@ msgstr "Vrijdag" msgid "Saturday" msgstr "Zaterdag" -#: include/text.php:1093 mod/settings.php:941 src/Model/Event.php:378 +#: include/text.php:1093 mod/settings.php:943 src/Model/Event.php:378 msgid "Sunday" msgstr "Zondag" @@ -1146,45 +1150,50 @@ msgstr "Nov" msgid "Dec" msgstr "Dec" -#: include/text.php:1324 mod/videos.php:380 +#: include/text.php:1275 +#, php-format +msgid "Content warning: %s" +msgstr "Waarschuwing inhoud: %s" + +#: include/text.php:1345 mod/videos.php:380 msgid "View Video" msgstr "Bekijk Video" -#: include/text.php:1341 +#: include/text.php:1362 msgid "bytes" msgstr "bytes" -#: include/text.php:1374 include/text.php:1385 +#: include/text.php:1395 include/text.php:1406 include/text.php:1442 msgid "Click to open/close" msgstr "klik om te openen/sluiten" -#: include/text.php:1509 +#: include/text.php:1559 msgid "View on separate page" msgstr "Bekijk op aparte pagina" -#: include/text.php:1510 +#: include/text.php:1560 msgid "view on separate page" msgstr "bekijk op aparte pagina" -#: include/text.php:1515 include/text.php:1522 src/Model/Event.php:594 +#: include/text.php:1565 include/text.php:1572 src/Model/Event.php:594 msgid "link to source" msgstr "Verwijzing naar bron" -#: include/text.php:1728 +#: include/text.php:1778 msgid "activity" msgstr "activiteit" -#: include/text.php:1730 src/Object/Post.php:423 src/Object/Post.php:435 +#: include/text.php:1780 src/Object/Post.php:429 src/Object/Post.php:441 msgid "comment" msgid_plural "comments" msgstr[0] "reactie" msgstr[1] "reacties" -#: include/text.php:1733 +#: include/text.php:1783 msgid "post" msgstr "bericht" -#: include/text.php:1890 +#: include/text.php:1940 msgid "Item filed" msgstr "Item bewaard" @@ -1215,13 +1224,13 @@ msgid "" " and/or create new posts for you?" msgstr "Wil je deze toepassing toestemming geven om jouw berichten en contacten in te kijken, en/of nieuwe berichten in jouw plaats aan te maken?" -#: mod/api.php:111 mod/dfrn_request.php:653 mod/settings.php:1103 -#: mod/settings.php:1109 mod/settings.php:1116 mod/settings.php:1120 -#: mod/settings.php:1124 mod/settings.php:1128 mod/settings.php:1132 -#: mod/settings.php:1136 mod/settings.php:1156 mod/settings.php:1157 +#: mod/api.php:111 mod/dfrn_request.php:653 mod/follow.php:150 +#: mod/profiles.php:636 mod/profiles.php:640 mod/profiles.php:661 +#: mod/register.php:238 mod/settings.php:1105 mod/settings.php:1111 +#: mod/settings.php:1118 mod/settings.php:1122 mod/settings.php:1126 +#: mod/settings.php:1130 mod/settings.php:1134 mod/settings.php:1138 #: mod/settings.php:1158 mod/settings.php:1159 mod/settings.php:1160 -#: mod/follow.php:150 mod/profiles.php:636 mod/profiles.php:640 -#: mod/profiles.php:661 mod/register.php:238 +#: mod/settings.php:1161 mod/settings.php:1162 msgid "No" msgstr "Nee" @@ -1255,14 +1264,14 @@ msgstr "Gedeelde Vrienden" #: mod/credits.php:18 msgid "Credits" -msgstr "" +msgstr "Credits" #: mod/credits.php:19 msgid "" "Friendica is a community project, that would not be possible without the " "help of many people. Here is a list of those who have contributed to the " "code or the translation of Friendica. Thank you all!" -msgstr "" +msgstr "Friendica is een gemeenschapsproject dat niet mogelijk zou zijn zonder de hulp van vele mensen. Hier is een lijst van alle mensen die aan de code of vertalingen van Friendica hebben meegewerkt. Allen van harte bedankt!" #: mod/crepair.php:87 msgid "Contact settings applied." @@ -1281,7 +1290,7 @@ msgstr "Contact niet gevonden" msgid "" "WARNING: This is highly advanced and if you enter incorrect" " information your communications with this contact may stop working." -msgstr "" +msgstr "WAARSCHUWING: Dit is zeer geavanceerd en als je verkeerde informatie invult, zal je mogelijk niet meer kunnen communiceren met deze contactpersoon." #: mod/crepair.php:115 msgid "" @@ -1315,7 +1324,7 @@ msgstr "" #: mod/photos.php:1160 mod/photos.php:1445 mod/photos.php:1491 #: mod/photos.php:1530 mod/photos.php:1603 mod/install.php:251 #: mod/install.php:290 mod/events.php:530 mod/profiles.php:672 -#: mod/contacts.php:610 src/Object/Post.php:790 +#: mod/contacts.php:610 src/Object/Post.php:796 #: view/theme/duepuntozero/config.php:71 view/theme/frio/config.php:113 #: view/theme/quattro/config.php:73 view/theme/vier/config.php:119 msgid "Submit" @@ -1335,9 +1344,9 @@ msgid "" "entries from this contact." msgstr "" -#: mod/crepair.php:158 mod/settings.php:677 mod/settings.php:703 -#: mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 mod/admin.php:1806 -#: mod/admin.php:1822 +#: mod/crepair.php:158 mod/admin.php:490 mod/admin.php:1781 mod/admin.php:1793 +#: mod/admin.php:1806 mod/admin.php:1822 mod/settings.php:677 +#: mod/settings.php:703 msgid "Name" msgstr "Naam" @@ -1462,8 +1471,8 @@ msgid "" " join." msgstr "Op je Snelstart pagina kun je een korte inleiding vinden over je profiel en netwerk tabs, om enkele nieuwe connecties te leggen en groepen te vinden om lid van te worden." -#: mod/newmember.php:19 mod/settings.php:124 mod/admin.php:1906 -#: mod/admin.php:2175 src/Content/Nav.php:206 view/theme/frio/theme.php:269 +#: mod/newmember.php:19 mod/admin.php:1906 mod/admin.php:2175 +#: mod/settings.php:123 src/Content/Nav.php:206 view/theme/frio/theme.php:269 msgid "Settings" msgstr "Instellingen" @@ -2494,7 +2503,7 @@ msgid "" "of your account (photos are not exported)" msgstr "Je account info, contacten en al je items in json formaat exporteren. Dit kan een heel groot bestand worden, en kan lang duren. Gebruik dit om een volledige backup van je account te maken (foto's worden niet geexporteerd)" -#: mod/uexport.php:52 mod/settings.php:108 +#: mod/uexport.php:52 mod/settings.php:107 msgid "Export personal data" msgstr "Persoonlijke gegevens exporteren" @@ -2967,7 +2976,7 @@ msgstr "Recente foto's" msgid "Upload New Photos" msgstr "Nieuwe foto's uploaden" -#: mod/photos.php:126 mod/settings.php:51 +#: mod/photos.php:126 mod/settings.php:50 msgid "everybody" msgstr "iedereen" @@ -3051,11 +3060,11 @@ msgstr "Toon geen bericht op je tijdlijn van deze upload" msgid "Permissions" msgstr "Rechten" -#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1227 +#: mod/photos.php:1106 mod/photos.php:1449 mod/settings.php:1229 msgid "Show to Groups" msgstr "Tonen aan groepen" -#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1228 +#: mod/photos.php:1107 mod/photos.php:1450 mod/settings.php:1230 msgid "Show to Contacts" msgstr "Tonen aan contacten" @@ -3149,12 +3158,12 @@ msgid "I don't like this (toggle)" msgstr "Vind ik niet leuk" #: mod/photos.php:1488 mod/photos.php:1527 mod/photos.php:1600 -#: mod/contacts.php:953 src/Object/Post.php:787 +#: mod/contacts.php:953 src/Object/Post.php:793 msgid "This is you" msgstr "Dit ben jij" #: mod/photos.php:1490 mod/photos.php:1529 mod/photos.php:1602 -#: src/Object/Post.php:393 src/Object/Post.php:789 +#: src/Object/Post.php:399 src/Object/Post.php:795 msgid "Comment" msgstr "Reacties" @@ -3240,10 +3249,10 @@ msgid "" "settings. Please double check whom you give this access." msgstr "" -#: mod/delegate.php:168 mod/settings.php:675 mod/settings.php:784 -#: mod/settings.php:870 mod/settings.php:959 mod/settings.php:1192 -#: mod/admin.php:307 mod/admin.php:1346 mod/admin.php:1965 mod/admin.php:2218 -#: mod/admin.php:2292 mod/admin.php:2439 +#: mod/delegate.php:168 mod/admin.php:307 mod/admin.php:1346 +#: mod/admin.php:1965 mod/admin.php:2218 mod/admin.php:2292 mod/admin.php:2439 +#: mod/settings.php:675 mod/settings.php:784 mod/settings.php:872 +#: mod/settings.php:961 mod/settings.php:1194 msgid "Save Settings" msgstr "Instellingen opslaan" @@ -3420,7 +3429,7 @@ msgstr "PATH van het PHP commando" msgid "" "Enter full path to php executable. You can leave this blank to continue the " "installation." -msgstr "Vul het volledige path in naar het php programma. Je kunt dit blanco laten om de installatie verder te zetten." +msgstr "Vul het volledige pad in naar het php programma. Je kunt dit leeg laten om de installatie verder te zetten." #: mod/install.php:335 msgid "Command line PHP" @@ -3880,879 +3889,6 @@ msgstr "Wijzigingen compleet" msgid "Image uploaded successfully." msgstr "Uploaden van afbeelding gelukt." -#: mod/settings.php:56 mod/admin.php:1781 -msgid "Account" -msgstr "Account" - -#: mod/settings.php:65 mod/admin.php:187 -msgid "Additional features" -msgstr "Extra functies" - -#: mod/settings.php:73 -msgid "Display" -msgstr "Weergave" - -#: mod/settings.php:80 mod/settings.php:841 -msgid "Social Networks" -msgstr "Sociale netwerken" - -#: mod/settings.php:87 mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 -msgid "Addons" -msgstr "" - -#: mod/settings.php:94 src/Content/Nav.php:204 -msgid "Delegations" -msgstr "" - -#: mod/settings.php:101 -msgid "Connected apps" -msgstr "Verbonden applicaties" - -#: mod/settings.php:115 -msgid "Remove account" -msgstr "Account verwijderen" - -#: mod/settings.php:169 -msgid "Missing some important data!" -msgstr "Een belangrijk gegeven ontbreekt!" - -#: mod/settings.php:171 mod/settings.php:701 mod/contacts.php:826 -msgid "Update" -msgstr "Wijzigen" - -#: mod/settings.php:279 -msgid "Failed to connect with email account using the settings provided." -msgstr "Ik kon geen verbinding maken met het e-mail account met de gegeven instellingen." - -#: mod/settings.php:284 -msgid "Email settings updated." -msgstr "E-mail instellingen bijgewerkt.." - -#: mod/settings.php:300 -msgid "Features updated" -msgstr "Functies bijgewerkt" - -#: mod/settings.php:372 -msgid "Relocate message has been send to your contacts" -msgstr "" - -#: mod/settings.php:384 src/Model/User.php:325 -msgid "Passwords do not match. Password unchanged." -msgstr "Wachtwoorden komen niet overeen. Wachtwoord niet gewijzigd." - -#: mod/settings.php:389 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Lege wachtwoorden zijn niet toegelaten. Wachtwoord niet gewijzigd." - -#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 -msgid "" -"The new password has been exposed in a public data dump, please choose " -"another." -msgstr "" - -#: mod/settings.php:400 -msgid "Wrong password." -msgstr "Verkeerd wachtwoord." - -#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 -msgid "Password changed." -msgstr "Wachtwoord gewijzigd." - -#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 -msgid "Password update failed. Please try again." -msgstr "Wachtwoord-)wijziging mislukt. Probeer opnieuw." - -#: mod/settings.php:496 -msgid " Please use a shorter name." -msgstr "Gebruik een kortere naam." - -#: mod/settings.php:499 -msgid " Name too short." -msgstr "Naam te kort." - -#: mod/settings.php:507 -msgid "Wrong Password" -msgstr "Verkeerd wachtwoord" - -#: mod/settings.php:512 -msgid "Invalid email." -msgstr "" - -#: mod/settings.php:519 -msgid "Cannot change to that email." -msgstr "" - -#: mod/settings.php:572 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Privéforum/-groep heeft geen privacyrechten. De standaard privacygroep wordt gebruikt." - -#: mod/settings.php:575 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Privéforum/-groep heeft geen privacyrechten en geen standaard privacygroep." - -#: mod/settings.php:615 -msgid "Settings updated." -msgstr "Instellingen bijgewerkt." - -#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 -msgid "Add application" -msgstr "Toepassing toevoegen" - -#: mod/settings.php:678 mod/settings.php:704 -msgid "Consumer Key" -msgstr "Gebruikerssleutel" - -#: mod/settings.php:679 mod/settings.php:705 -msgid "Consumer Secret" -msgstr "Gebruikersgeheim" - -#: mod/settings.php:680 mod/settings.php:706 -msgid "Redirect" -msgstr "Doorverwijzing" - -#: mod/settings.php:681 mod/settings.php:707 -msgid "Icon url" -msgstr "URL pictogram" - -#: mod/settings.php:692 -msgid "You can't edit this application." -msgstr "Je kunt deze toepassing niet wijzigen." - -#: mod/settings.php:735 -msgid "Connected Apps" -msgstr "Verbonden applicaties" - -#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 -msgid "Edit" -msgstr "Bewerken" - -#: mod/settings.php:739 -msgid "Client key starts with" -msgstr "" - -#: mod/settings.php:740 -msgid "No name" -msgstr "Geen naam" - -#: mod/settings.php:741 -msgid "Remove authorization" -msgstr "Verwijder authorisatie" - -#: mod/settings.php:752 -msgid "No Addon settings configured" -msgstr "" - -#: mod/settings.php:761 -msgid "Addon Settings" -msgstr "" - -#: mod/settings.php:775 mod/admin.php:2428 mod/admin.php:2429 -msgid "Off" -msgstr "Uit" - -#: mod/settings.php:775 mod/admin.php:2428 mod/admin.php:2429 -msgid "On" -msgstr "Aan" - -#: mod/settings.php:782 -msgid "Additional Features" -msgstr "Extra functies" - -#: mod/settings.php:804 src/Content/ContactSelector.php:83 -msgid "Diaspora" -msgstr "Diaspora" - -#: mod/settings.php:804 mod/settings.php:805 -msgid "enabled" -msgstr "ingeschakeld" - -#: mod/settings.php:804 mod/settings.php:805 -msgid "disabled" -msgstr "uitgeschakeld" - -#: mod/settings.php:804 mod/settings.php:805 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Ingebouwde ondersteuning voor connectiviteit met %s is %s" - -#: mod/settings.php:805 -msgid "GNU Social (OStatus)" -msgstr "" - -#: mod/settings.php:836 -msgid "Email access is disabled on this site." -msgstr "E-mailtoegang is op deze website uitgeschakeld." - -#: mod/settings.php:846 -msgid "General Social Media Settings" -msgstr "" - -#: mod/settings.php:847 -msgid "Disable intelligent shortening" -msgstr "" - -#: mod/settings.php:847 -msgid "" -"Normally the system tries to find the best link to add to shortened posts. " -"If this option is enabled then every shortened post will always point to the" -" original friendica post." -msgstr "" - -#: mod/settings.php:848 -msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" -msgstr "" - -#: mod/settings.php:848 -msgid "" -"If you receive a message from an unknown OStatus user, this option decides " -"what to do. If it is checked, a new contact will be created for every " -"unknown user." -msgstr "" - -#: mod/settings.php:849 -msgid "Default group for OStatus contacts" -msgstr "" - -#: mod/settings.php:850 -msgid "Your legacy GNU Social account" -msgstr "" - -#: mod/settings.php:850 -msgid "" -"If you enter your old GNU Social/Statusnet account name here (in the format " -"user@domain.tld), your contacts will be added automatically. The field will " -"be emptied when done." -msgstr "" - -#: mod/settings.php:853 -msgid "Repair OStatus subscriptions" -msgstr "" - -#: mod/settings.php:857 -msgid "Email/Mailbox Setup" -msgstr "E-mail Instellen" - -#: mod/settings.php:858 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Als je wilt communiceren met e-mail contacten via deze dienst (optioneel), moet je hier opgeven hoe ik jouw mailbox kan bereiken." - -#: mod/settings.php:859 -msgid "Last successful email check:" -msgstr "Laatste succesvolle e-mail controle:" - -#: mod/settings.php:861 -msgid "IMAP server name:" -msgstr "IMAP server naam:" - -#: mod/settings.php:862 -msgid "IMAP port:" -msgstr "IMAP poort:" - -#: mod/settings.php:863 -msgid "Security:" -msgstr "Beveiliging:" - -#: mod/settings.php:863 mod/settings.php:868 -msgid "None" -msgstr "Geen" - -#: mod/settings.php:864 -msgid "Email login name:" -msgstr "E-mail login naam:" - -#: mod/settings.php:865 -msgid "Email password:" -msgstr "E-mail wachtwoord:" - -#: mod/settings.php:866 -msgid "Reply-to address:" -msgstr "Antwoord adres:" - -#: mod/settings.php:867 -msgid "Send public posts to all email contacts:" -msgstr "Openbare posts naar alle e-mail contacten versturen:" - -#: mod/settings.php:868 -msgid "Action after import:" -msgstr "Actie na importeren:" - -#: mod/settings.php:868 src/Content/Nav.php:191 -msgid "Mark as seen" -msgstr "Als 'gelezen' markeren" - -#: mod/settings.php:868 -msgid "Move to folder" -msgstr "Naar map verplaatsen" - -#: mod/settings.php:869 -msgid "Move to folder:" -msgstr "Verplaatsen naar map:" - -#: mod/settings.php:903 mod/admin.php:1236 -msgid "No special theme for mobile devices" -msgstr "Geen speciaal thema voor mobiele apparaten" - -#: mod/settings.php:912 -#, php-format -msgid "%s - (Unsupported)" -msgstr "" - -#: mod/settings.php:914 -#, php-format -msgid "%s - (Experimental)" -msgstr "" - -#: mod/settings.php:957 -msgid "Display Settings" -msgstr "Scherminstellingen" - -#: mod/settings.php:963 mod/settings.php:987 -msgid "Display Theme:" -msgstr "Schermthema:" - -#: mod/settings.php:964 -msgid "Mobile Theme:" -msgstr "Mobiel thema:" - -#: mod/settings.php:965 -msgid "Suppress warning of insecure networks" -msgstr "" - -#: mod/settings.php:965 -msgid "" -"Should the system suppress the warning that the current group contains " -"members of networks that can't receive non public postings." -msgstr "" - -#: mod/settings.php:966 -msgid "Update browser every xx seconds" -msgstr "Browser elke xx seconden verversen" - -#: mod/settings.php:966 -msgid "Minimum of 10 seconds. Enter -1 to disable it." -msgstr "" - -#: mod/settings.php:967 -msgid "Number of items to display per page:" -msgstr "Aantal items te tonen per pagina:" - -#: mod/settings.php:967 mod/settings.php:968 -msgid "Maximum of 100 items" -msgstr "Maximum 100 items" - -#: mod/settings.php:968 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Aantal items per pagina als je een mobiel toestel gebruikt:" - -#: mod/settings.php:969 -msgid "Don't show emoticons" -msgstr "Emoticons niet tonen" - -#: mod/settings.php:970 -msgid "Calendar" -msgstr "" - -#: mod/settings.php:971 -msgid "Beginning of week:" -msgstr "" - -#: mod/settings.php:972 -msgid "Don't show notices" -msgstr "" - -#: mod/settings.php:973 -msgid "Infinite scroll" -msgstr "Oneindig scrollen" - -#: mod/settings.php:974 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: mod/settings.php:974 -msgid "" -"When disabled, the network page is updated all the time, which could be " -"confusing while reading." -msgstr "" - -#: mod/settings.php:975 -msgid "Bandwith Saver Mode" -msgstr "" - -#: mod/settings.php:975 -msgid "" -"When enabled, embedded content is not displayed on automatic updates, they " -"only show on page reload." -msgstr "" - -#: mod/settings.php:976 -msgid "Smart Threading" -msgstr "" - -#: mod/settings.php:976 -msgid "" -"When enabled, suppress extraneous thread indentation while keeping it where " -"it matters. Only works if threading is available and enabled." -msgstr "" - -#: mod/settings.php:978 -msgid "General Theme Settings" -msgstr "" - -#: mod/settings.php:979 -msgid "Custom Theme Settings" -msgstr "" - -#: mod/settings.php:980 -msgid "Content Settings" -msgstr "" - -#: mod/settings.php:981 view/theme/duepuntozero/config.php:73 -#: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 -#: view/theme/vier/config.php:121 -msgid "Theme settings" -msgstr "Thema-instellingen" - -#: mod/settings.php:1000 -msgid "Unable to find your profile. Please contact your admin." -msgstr "" - -#: mod/settings.php:1042 -msgid "Account Types" -msgstr "" - -#: mod/settings.php:1043 -msgid "Personal Page Subtypes" -msgstr "" - -#: mod/settings.php:1044 -msgid "Community Forum Subtypes" -msgstr "" - -#: mod/settings.php:1051 -msgid "Personal Page" -msgstr "" - -#: mod/settings.php:1052 -msgid "Account for a personal profile." -msgstr "" - -#: mod/settings.php:1055 -msgid "Organisation Page" -msgstr "" - -#: mod/settings.php:1056 -msgid "" -"Account for an organisation that automatically approves contact requests as " -"\"Followers\"." -msgstr "" - -#: mod/settings.php:1059 -msgid "News Page" -msgstr "" - -#: mod/settings.php:1060 -msgid "" -"Account for a news reflector that automatically approves contact requests as" -" \"Followers\"." -msgstr "" - -#: mod/settings.php:1063 -msgid "Community Forum" -msgstr "" - -#: mod/settings.php:1064 -msgid "Account for community discussions." -msgstr "" - -#: mod/settings.php:1067 -msgid "Normal Account Page" -msgstr "Normale accountpagina" - -#: mod/settings.php:1068 -msgid "" -"Account for a regular personal profile that requires manual approval of " -"\"Friends\" and \"Followers\"." -msgstr "" - -#: mod/settings.php:1071 -msgid "Soapbox Page" -msgstr "Zeepkist-pagina" - -#: mod/settings.php:1072 -msgid "" -"Account for a public profile that automatically approves contact requests as" -" \"Followers\"." -msgstr "" - -#: mod/settings.php:1075 -msgid "Public Forum" -msgstr "" - -#: mod/settings.php:1076 -msgid "Automatically approves all contact requests." -msgstr "" - -#: mod/settings.php:1079 -msgid "Automatic Friend Page" -msgstr "Automatisch Vriendschapspagina" - -#: mod/settings.php:1080 -msgid "" -"Account for a popular profile that automatically approves contact requests " -"as \"Friends\"." -msgstr "" - -#: mod/settings.php:1083 -msgid "Private Forum [Experimental]" -msgstr "Privé-forum [experimenteel]" - -#: mod/settings.php:1084 -msgid "Requires manual approval of contact requests." -msgstr "" - -#: mod/settings.php:1095 -msgid "OpenID:" -msgstr "OpenID:" - -#: mod/settings.php:1095 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Optioneel) Laat dit OpenID toe om in te loggen op deze account." - -#: mod/settings.php:1103 -msgid "Publish your default profile in your local site directory?" -msgstr "Je standaardprofiel in je lokale gids publiceren?" - -#: mod/settings.php:1103 -#, php-format -msgid "" -"Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." -msgstr "" - -#: mod/settings.php:1109 -msgid "Publish your default profile in the global social directory?" -msgstr "Je standaardprofiel in de globale sociale gids publiceren?" - -#: mod/settings.php:1109 -#, php-format -msgid "" -"Your profile will be published in this node's local " -"directory. Your profile details may be publicly visible depending on the" -" system settings." -msgstr "" - -#: mod/settings.php:1116 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Je vrienden/contacten verbergen voor bezoekers van je standaard profiel?" - -#: mod/settings.php:1116 -msgid "" -"Your contact list won't be shown in your default profile page. You can " -"decide to show your contact list separately for each additional profile you " -"create" -msgstr "" - -#: mod/settings.php:1120 -msgid "Hide your profile details from anonymous viewers?" -msgstr "" - -#: mod/settings.php:1120 -msgid "" -"Anonymous visitors will only see your profile picture, your display name and" -" the nickname you are using on your profile page. Disables posting public " -"messages to Diaspora and other networks." -msgstr "" - -#: mod/settings.php:1124 -msgid "Allow friends to post to your profile page?" -msgstr "Vrienden toestaan om op jou profielpagina te posten?" - -#: mod/settings.php:1124 -msgid "" -"Your contacts may write posts on your profile wall. These posts will be " -"distributed to your contacts" -msgstr "" - -#: mod/settings.php:1128 -msgid "Allow friends to tag your posts?" -msgstr "Sta vrienden toe om jouw berichten te labelen?" - -#: mod/settings.php:1128 -msgid "Your contacts can add additional tags to your posts." -msgstr "" - -#: mod/settings.php:1132 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Sta je mij toe om jou als mogelijke vriend voor te stellen aan nieuwe leden?" - -#: mod/settings.php:1132 -msgid "" -"If you like, Friendica may suggest new members to add you as a contact." -msgstr "" - -#: mod/settings.php:1136 -msgid "Permit unknown people to send you private mail?" -msgstr "Mogen onbekende personen jou privé berichten sturen?" - -#: mod/settings.php:1136 -msgid "" -"Friendica network users may send you private messages even if they are not " -"in your contact list." -msgstr "" - -#: mod/settings.php:1140 -msgid "Profile is not published." -msgstr "Profiel is niet gepubliceerd." - -#: mod/settings.php:1146 -#, php-format -msgid "Your Identity Address is '%s' or '%s'." -msgstr "" - -#: mod/settings.php:1153 -msgid "Automatically expire posts after this many days:" -msgstr "Laat berichten automatisch vervallen na zo veel dagen:" - -#: mod/settings.php:1153 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Berichten zullen niet vervallen indien leeg. Vervallen berichten zullen worden verwijderd." - -#: mod/settings.php:1154 -msgid "Advanced expiration settings" -msgstr "Geavanceerde instellingen voor vervallen" - -#: mod/settings.php:1155 -msgid "Advanced Expiration" -msgstr "Geavanceerd Verval:" - -#: mod/settings.php:1156 -msgid "Expire posts:" -msgstr "Laat berichten vervallen:" - -#: mod/settings.php:1157 -msgid "Expire personal notes:" -msgstr "Laat persoonlijke aantekeningen verlopen:" - -#: mod/settings.php:1158 -msgid "Expire starred posts:" -msgstr "Laat berichten met ster verlopen" - -#: mod/settings.php:1159 -msgid "Expire photos:" -msgstr "Laat foto's vervallen:" - -#: mod/settings.php:1160 -msgid "Only expire posts by others:" -msgstr "Laat alleen berichten door anderen vervallen:" - -#: mod/settings.php:1190 -msgid "Account Settings" -msgstr "Account Instellingen" - -#: mod/settings.php:1198 -msgid "Password Settings" -msgstr "Wachtwoord Instellingen" - -#: mod/settings.php:1199 mod/register.php:273 -msgid "New Password:" -msgstr "Nieuw Wachtwoord:" - -#: mod/settings.php:1200 mod/register.php:274 -msgid "Confirm:" -msgstr "Bevestig:" - -#: mod/settings.php:1200 -msgid "Leave password fields blank unless changing" -msgstr "Laat de wachtwoord-velden leeg, tenzij je het wilt veranderen" - -#: mod/settings.php:1201 -msgid "Current Password:" -msgstr "Huidig wachtwoord:" - -#: mod/settings.php:1201 mod/settings.php:1202 -msgid "Your current password to confirm the changes" -msgstr "Je huidig wachtwoord om de wijzigingen te bevestigen" - -#: mod/settings.php:1202 -msgid "Password:" -msgstr "Wachtwoord:" - -#: mod/settings.php:1206 -msgid "Basic Settings" -msgstr "Basis Instellingen" - -#: mod/settings.php:1207 src/Model/Profile.php:738 -msgid "Full Name:" -msgstr "Volledige Naam:" - -#: mod/settings.php:1208 -msgid "Email Address:" -msgstr "E-mailadres:" - -#: mod/settings.php:1209 -msgid "Your Timezone:" -msgstr "Je Tijdzone:" - -#: mod/settings.php:1210 -msgid "Your Language:" -msgstr "" - -#: mod/settings.php:1210 -msgid "" -"Set the language we use to show you friendica interface and to send you " -"emails" -msgstr "" - -#: mod/settings.php:1211 -msgid "Default Post Location:" -msgstr "Standaard locatie:" - -#: mod/settings.php:1212 -msgid "Use Browser Location:" -msgstr "Gebruik Webbrowser Locatie:" - -#: mod/settings.php:1215 -msgid "Security and Privacy Settings" -msgstr "Instellingen voor Beveiliging en Privacy" - -#: mod/settings.php:1217 -msgid "Maximum Friend Requests/Day:" -msgstr "Maximum aantal vriendschapsverzoeken per dag:" - -#: mod/settings.php:1217 mod/settings.php:1246 -msgid "(to prevent spam abuse)" -msgstr "(om spam misbruik te voorkomen)" - -#: mod/settings.php:1218 -msgid "Default Post Permissions" -msgstr "Standaard rechten voor nieuwe berichten" - -#: mod/settings.php:1219 -msgid "(click to open/close)" -msgstr "(klik om te openen/sluiten)" - -#: mod/settings.php:1229 -msgid "Default Private Post" -msgstr "Standaard Privé Post" - -#: mod/settings.php:1230 -msgid "Default Public Post" -msgstr "Standaard Publieke Post" - -#: mod/settings.php:1234 -msgid "Default Permissions for New Posts" -msgstr "Standaard rechten voor nieuwe berichten" - -#: mod/settings.php:1246 -msgid "Maximum private messages per day from unknown people:" -msgstr "Maximum aantal privé-berichten per dag van onbekende personen:" - -#: mod/settings.php:1249 -msgid "Notification Settings" -msgstr "Notificatie Instellingen" - -#: mod/settings.php:1250 -msgid "By default post a status message when:" -msgstr "Post automatisch een bericht op je tijdlijn wanneer:" - -#: mod/settings.php:1251 -msgid "accepting a friend request" -msgstr "Een vriendschapsverzoek accepteren" - -#: mod/settings.php:1252 -msgid "joining a forum/community" -msgstr "Lid worden van een groep/forum" - -#: mod/settings.php:1253 -msgid "making an interesting profile change" -msgstr "Een interessante verandering aan je profiel" - -#: mod/settings.php:1254 -msgid "Send a notification email when:" -msgstr "Stuur een notificatie e-mail wanneer:" - -#: mod/settings.php:1255 -msgid "You receive an introduction" -msgstr "Je ontvangt een vriendschaps- of connectieverzoek" - -#: mod/settings.php:1256 -msgid "Your introductions are confirmed" -msgstr "Jouw vriendschaps- of connectieverzoeken zijn bevestigd" - -#: mod/settings.php:1257 -msgid "Someone writes on your profile wall" -msgstr "Iemand iets op je tijdlijn schrijft" - -#: mod/settings.php:1258 -msgid "Someone writes a followup comment" -msgstr "Iemand een reactie schrijft" - -#: mod/settings.php:1259 -msgid "You receive a private message" -msgstr "Je een privé-bericht ontvangt" - -#: mod/settings.php:1260 -msgid "You receive a friend suggestion" -msgstr "Je een suggestie voor een vriendschap ontvangt" - -#: mod/settings.php:1261 -msgid "You are tagged in a post" -msgstr "Je expliciet in een bericht bent genoemd" - -#: mod/settings.php:1262 -msgid "You are poked/prodded/etc. in a post" -msgstr "Je in een bericht bent aangestoten/gepord/etc." - -#: mod/settings.php:1264 -msgid "Activate desktop notifications" -msgstr "" - -#: mod/settings.php:1264 -msgid "Show desktop popup on new notifications" -msgstr "" - -#: mod/settings.php:1266 -msgid "Text-only notification emails" -msgstr "" - -#: mod/settings.php:1268 -msgid "Send text only notification emails, without the html part" -msgstr "" - -#: mod/settings.php:1270 -msgid "Show detailled notifications" -msgstr "" - -#: mod/settings.php:1272 -msgid "" -"Per default, notifications are condensed to a single notification per item. " -"When enabled every notification is displayed." -msgstr "" - -#: mod/settings.php:1274 -msgid "Advanced Account/Page Type Settings" -msgstr "" - -#: mod/settings.php:1275 -msgid "Change the behaviour of this account for special situations" -msgstr "" - -#: mod/settings.php:1278 -msgid "Relocate" -msgstr "" - -#: mod/settings.php:1279 -msgid "" -"If you have moved this profile from another server, and some of your " -"contacts don't receive your updates, try pushing this button." -msgstr "" - -#: mod/settings.php:1280 -msgid "Resend relocate message to contacts" -msgstr "" - #: mod/directory.php:152 src/Model/Profile.php:421 src/Model/Profile.php:769 msgid "Status:" msgstr "Tijdlijn:" @@ -5532,6 +4668,10 @@ msgstr "Toon alleen verborgen contacten" msgid "Search your contacts" msgstr "Doorzoek je contacten" +#: mod/contacts.php:826 mod/settings.php:170 mod/settings.php:701 +msgid "Update" +msgstr "Wijzigen" + #: mod/contacts.php:829 mod/contacts.php:1027 msgid "Archive" msgstr "Archiveer" @@ -5873,10 +5013,18 @@ msgid "" "be an existing address.)" msgstr "" +#: mod/register.php:273 mod/settings.php:1201 +msgid "New Password:" +msgstr "Nieuw Wachtwoord:" + #: mod/register.php:273 msgid "Leave empty for an auto generated password." msgstr "" +#: mod/register.php:274 mod/settings.php:1202 +msgid "Confirm:" +msgstr "Bevestig:" + #: mod/register.php:275 #, php-format msgid "" @@ -5924,10 +5072,18 @@ msgstr "Website" msgid "Users" msgstr "Gebruiker" +#: mod/admin.php:185 mod/admin.php:1904 mod/admin.php:1964 mod/settings.php:86 +msgid "Addons" +msgstr "" + #: mod/admin.php:186 mod/admin.php:2173 mod/admin.php:2217 msgid "Themes" msgstr "Thema's" +#: mod/admin.php:187 mod/settings.php:64 +msgid "Additional features" +msgstr "Extra functies" + #: mod/admin.php:189 msgid "Database" msgstr "" @@ -6349,6 +5505,10 @@ msgstr "" msgid "Site settings updated." msgstr "Site instellingen gewijzigd." +#: mod/admin.php:1236 mod/settings.php:905 +msgid "No special theme for mobile devices" +msgstr "Geen speciaal thema voor mobiele apparaten" + #: mod/admin.php:1265 msgid "No community page" msgstr "" @@ -7243,7 +6403,7 @@ msgstr "" #: mod/admin.php:1526 msgid "No failed updates." -msgstr "Geen misluke wijzigingen" +msgstr "Geen mislukte wijzigingen" #: mod/admin.php:1527 msgid "Check database structure" @@ -7251,7 +6411,7 @@ msgstr "" #: mod/admin.php:1532 msgid "Failed Updates" -msgstr "Misluke wijzigingen" +msgstr "Mislukte wijzigingen" #: mod/admin.php:1533 msgid "" @@ -7274,7 +6434,7 @@ msgid "" "\t\t\t\tthe administrator of %2$s has set up an account for you." msgstr "" -#: mod/admin.php:1577 src/Model/User.php:615 +#: mod/admin.php:1577 #, php-format msgid "" "\n" @@ -7357,6 +6517,10 @@ msgstr "Laatste login" msgid "Last item" msgstr "Laatste item" +#: mod/admin.php:1781 mod/settings.php:55 +msgid "Account" +msgstr "Account" + #: mod/admin.php:1789 msgid "Add User" msgstr "Gebruiker toevoegen" @@ -7557,6 +6721,14 @@ msgid "" " %1$s is readable." msgstr "" +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "Off" +msgstr "Uit" + +#: mod/admin.php:2428 mod/admin.php:2429 mod/settings.php:775 +msgid "On" +msgstr "Aan" + #: mod/admin.php:2429 #, php-format msgid "Lock feature %s" @@ -7566,6 +6738,855 @@ msgstr "" msgid "Manage Additional Features" msgstr "" +#: mod/settings.php:72 +msgid "Display" +msgstr "Weergave" + +#: mod/settings.php:79 mod/settings.php:842 +msgid "Social Networks" +msgstr "Sociale netwerken" + +#: mod/settings.php:93 src/Content/Nav.php:204 +msgid "Delegations" +msgstr "" + +#: mod/settings.php:100 +msgid "Connected apps" +msgstr "Verbonden applicaties" + +#: mod/settings.php:114 +msgid "Remove account" +msgstr "Account verwijderen" + +#: mod/settings.php:168 +msgid "Missing some important data!" +msgstr "Een belangrijk gegeven ontbreekt!" + +#: mod/settings.php:279 +msgid "Failed to connect with email account using the settings provided." +msgstr "Ik kon geen verbinding maken met het e-mail account met de gegeven instellingen." + +#: mod/settings.php:284 +msgid "Email settings updated." +msgstr "E-mail instellingen bijgewerkt.." + +#: mod/settings.php:300 +msgid "Features updated" +msgstr "Functies bijgewerkt" + +#: mod/settings.php:372 +msgid "Relocate message has been send to your contacts" +msgstr "" + +#: mod/settings.php:384 src/Model/User.php:325 +msgid "Passwords do not match. Password unchanged." +msgstr "Wachtwoorden komen niet overeen. Wachtwoord niet gewijzigd." + +#: mod/settings.php:389 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Lege wachtwoorden zijn niet toegelaten. Wachtwoord niet gewijzigd." + +#: mod/settings.php:394 src/Core/Console/NewPassword.php:78 +msgid "" +"The new password has been exposed in a public data dump, please choose " +"another." +msgstr "" + +#: mod/settings.php:400 +msgid "Wrong password." +msgstr "Verkeerd wachtwoord." + +#: mod/settings.php:407 src/Core/Console/NewPassword.php:85 +msgid "Password changed." +msgstr "Wachtwoord gewijzigd." + +#: mod/settings.php:409 src/Core/Console/NewPassword.php:82 +msgid "Password update failed. Please try again." +msgstr "Wachtwoord-)wijziging mislukt. Probeer opnieuw." + +#: mod/settings.php:496 +msgid " Please use a shorter name." +msgstr "Gebruik een kortere naam." + +#: mod/settings.php:499 +msgid " Name too short." +msgstr "Naam te kort." + +#: mod/settings.php:507 +msgid "Wrong Password" +msgstr "Verkeerd wachtwoord" + +#: mod/settings.php:512 +msgid "Invalid email." +msgstr "" + +#: mod/settings.php:519 +msgid "Cannot change to that email." +msgstr "" + +#: mod/settings.php:572 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Privéforum/-groep heeft geen privacyrechten. De standaard privacygroep wordt gebruikt." + +#: mod/settings.php:575 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Privéforum/-groep heeft geen privacyrechten en geen standaard privacygroep." + +#: mod/settings.php:615 +msgid "Settings updated." +msgstr "Instellingen bijgewerkt." + +#: mod/settings.php:674 mod/settings.php:700 mod/settings.php:736 +msgid "Add application" +msgstr "Toepassing toevoegen" + +#: mod/settings.php:678 mod/settings.php:704 +msgid "Consumer Key" +msgstr "Gebruikerssleutel" + +#: mod/settings.php:679 mod/settings.php:705 +msgid "Consumer Secret" +msgstr "Gebruikersgeheim" + +#: mod/settings.php:680 mod/settings.php:706 +msgid "Redirect" +msgstr "Doorverwijzing" + +#: mod/settings.php:681 mod/settings.php:707 +msgid "Icon url" +msgstr "URL pictogram" + +#: mod/settings.php:692 +msgid "You can't edit this application." +msgstr "Je kunt deze toepassing niet wijzigen." + +#: mod/settings.php:735 +msgid "Connected Apps" +msgstr "Verbonden applicaties" + +#: mod/settings.php:737 src/Object/Post.php:155 src/Object/Post.php:157 +msgid "Edit" +msgstr "Bewerken" + +#: mod/settings.php:739 +msgid "Client key starts with" +msgstr "" + +#: mod/settings.php:740 +msgid "No name" +msgstr "Geen naam" + +#: mod/settings.php:741 +msgid "Remove authorization" +msgstr "Verwijder authorisatie" + +#: mod/settings.php:752 +msgid "No Addon settings configured" +msgstr "" + +#: mod/settings.php:761 +msgid "Addon Settings" +msgstr "" + +#: mod/settings.php:782 +msgid "Additional Features" +msgstr "Extra functies" + +#: mod/settings.php:805 src/Content/ContactSelector.php:83 +msgid "Diaspora" +msgstr "Diaspora" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "enabled" +msgstr "ingeschakeld" + +#: mod/settings.php:805 mod/settings.php:806 +msgid "disabled" +msgstr "uitgeschakeld" + +#: mod/settings.php:805 mod/settings.php:806 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Ingebouwde ondersteuning voor connectiviteit met %s is %s" + +#: mod/settings.php:806 +msgid "GNU Social (OStatus)" +msgstr "" + +#: mod/settings.php:837 +msgid "Email access is disabled on this site." +msgstr "E-mailtoegang is op deze website uitgeschakeld." + +#: mod/settings.php:847 +msgid "General Social Media Settings" +msgstr "" + +#: mod/settings.php:848 +msgid "Disable Content Warning" +msgstr "" + +#: mod/settings.php:848 +msgid "" +"Users on networks like Mastodon or Pleroma are able to set a content warning" +" field which collapse their post by default. This disables the automatic " +"collapsing and sets the content warning as the post title. Doesn't affect " +"any other content filtering you eventually set up." +msgstr "" + +#: mod/settings.php:849 +msgid "Disable intelligent shortening" +msgstr "" + +#: mod/settings.php:849 +msgid "" +"Normally the system tries to find the best link to add to shortened posts. " +"If this option is enabled then every shortened post will always point to the" +" original friendica post." +msgstr "" + +#: mod/settings.php:850 +msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" +msgstr "" + +#: mod/settings.php:850 +msgid "" +"If you receive a message from an unknown OStatus user, this option decides " +"what to do. If it is checked, a new contact will be created for every " +"unknown user." +msgstr "" + +#: mod/settings.php:851 +msgid "Default group for OStatus contacts" +msgstr "" + +#: mod/settings.php:852 +msgid "Your legacy GNU Social account" +msgstr "" + +#: mod/settings.php:852 +msgid "" +"If you enter your old GNU Social/Statusnet account name here (in the format " +"user@domain.tld), your contacts will be added automatically. The field will " +"be emptied when done." +msgstr "" + +#: mod/settings.php:855 +msgid "Repair OStatus subscriptions" +msgstr "" + +#: mod/settings.php:859 +msgid "Email/Mailbox Setup" +msgstr "E-mail Instellen" + +#: mod/settings.php:860 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Als je wilt communiceren met e-mail contacten via deze dienst (optioneel), moet je hier opgeven hoe ik jouw mailbox kan bereiken." + +#: mod/settings.php:861 +msgid "Last successful email check:" +msgstr "Laatste succesvolle e-mail controle:" + +#: mod/settings.php:863 +msgid "IMAP server name:" +msgstr "IMAP server naam:" + +#: mod/settings.php:864 +msgid "IMAP port:" +msgstr "IMAP poort:" + +#: mod/settings.php:865 +msgid "Security:" +msgstr "Beveiliging:" + +#: mod/settings.php:865 mod/settings.php:870 +msgid "None" +msgstr "Geen" + +#: mod/settings.php:866 +msgid "Email login name:" +msgstr "E-mail login naam:" + +#: mod/settings.php:867 +msgid "Email password:" +msgstr "E-mail wachtwoord:" + +#: mod/settings.php:868 +msgid "Reply-to address:" +msgstr "Antwoord adres:" + +#: mod/settings.php:869 +msgid "Send public posts to all email contacts:" +msgstr "Openbare posts naar alle e-mail contacten versturen:" + +#: mod/settings.php:870 +msgid "Action after import:" +msgstr "Actie na importeren:" + +#: mod/settings.php:870 src/Content/Nav.php:191 +msgid "Mark as seen" +msgstr "Als 'gelezen' markeren" + +#: mod/settings.php:870 +msgid "Move to folder" +msgstr "Naar map verplaatsen" + +#: mod/settings.php:871 +msgid "Move to folder:" +msgstr "Verplaatsen naar map:" + +#: mod/settings.php:914 +#, php-format +msgid "%s - (Unsupported)" +msgstr "" + +#: mod/settings.php:916 +#, php-format +msgid "%s - (Experimental)" +msgstr "" + +#: mod/settings.php:959 +msgid "Display Settings" +msgstr "Scherminstellingen" + +#: mod/settings.php:965 mod/settings.php:989 +msgid "Display Theme:" +msgstr "Schermthema:" + +#: mod/settings.php:966 +msgid "Mobile Theme:" +msgstr "Mobiel thema:" + +#: mod/settings.php:967 +msgid "Suppress warning of insecure networks" +msgstr "" + +#: mod/settings.php:967 +msgid "" +"Should the system suppress the warning that the current group contains " +"members of networks that can't receive non public postings." +msgstr "" + +#: mod/settings.php:968 +msgid "Update browser every xx seconds" +msgstr "Browser elke xx seconden verversen" + +#: mod/settings.php:968 +msgid "Minimum of 10 seconds. Enter -1 to disable it." +msgstr "" + +#: mod/settings.php:969 +msgid "Number of items to display per page:" +msgstr "Aantal items te tonen per pagina:" + +#: mod/settings.php:969 mod/settings.php:970 +msgid "Maximum of 100 items" +msgstr "Maximum 100 items" + +#: mod/settings.php:970 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Aantal items per pagina als je een mobiel toestel gebruikt:" + +#: mod/settings.php:971 +msgid "Don't show emoticons" +msgstr "Emoticons niet tonen" + +#: mod/settings.php:972 +msgid "Calendar" +msgstr "" + +#: mod/settings.php:973 +msgid "Beginning of week:" +msgstr "" + +#: mod/settings.php:974 +msgid "Don't show notices" +msgstr "" + +#: mod/settings.php:975 +msgid "Infinite scroll" +msgstr "Oneindig scrollen" + +#: mod/settings.php:976 +msgid "Automatic updates only at the top of the network page" +msgstr "" + +#: mod/settings.php:976 +msgid "" +"When disabled, the network page is updated all the time, which could be " +"confusing while reading." +msgstr "" + +#: mod/settings.php:977 +msgid "Bandwith Saver Mode" +msgstr "" + +#: mod/settings.php:977 +msgid "" +"When enabled, embedded content is not displayed on automatic updates, they " +"only show on page reload." +msgstr "" + +#: mod/settings.php:978 +msgid "Smart Threading" +msgstr "" + +#: mod/settings.php:978 +msgid "" +"When enabled, suppress extraneous thread indentation while keeping it where " +"it matters. Only works if threading is available and enabled." +msgstr "" + +#: mod/settings.php:980 +msgid "General Theme Settings" +msgstr "" + +#: mod/settings.php:981 +msgid "Custom Theme Settings" +msgstr "" + +#: mod/settings.php:982 +msgid "Content Settings" +msgstr "" + +#: mod/settings.php:983 view/theme/duepuntozero/config.php:73 +#: view/theme/frio/config.php:115 view/theme/quattro/config.php:75 +#: view/theme/vier/config.php:121 +msgid "Theme settings" +msgstr "Thema-instellingen" + +#: mod/settings.php:1002 +msgid "Unable to find your profile. Please contact your admin." +msgstr "" + +#: mod/settings.php:1044 +msgid "Account Types" +msgstr "" + +#: mod/settings.php:1045 +msgid "Personal Page Subtypes" +msgstr "" + +#: mod/settings.php:1046 +msgid "Community Forum Subtypes" +msgstr "" + +#: mod/settings.php:1053 +msgid "Personal Page" +msgstr "" + +#: mod/settings.php:1054 +msgid "Account for a personal profile." +msgstr "" + +#: mod/settings.php:1057 +msgid "Organisation Page" +msgstr "" + +#: mod/settings.php:1058 +msgid "" +"Account for an organisation that automatically approves contact requests as " +"\"Followers\"." +msgstr "" + +#: mod/settings.php:1061 +msgid "News Page" +msgstr "" + +#: mod/settings.php:1062 +msgid "" +"Account for a news reflector that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1065 +msgid "Community Forum" +msgstr "" + +#: mod/settings.php:1066 +msgid "Account for community discussions." +msgstr "" + +#: mod/settings.php:1069 +msgid "Normal Account Page" +msgstr "Normale accountpagina" + +#: mod/settings.php:1070 +msgid "" +"Account for a regular personal profile that requires manual approval of " +"\"Friends\" and \"Followers\"." +msgstr "" + +#: mod/settings.php:1073 +msgid "Soapbox Page" +msgstr "Zeepkist-pagina" + +#: mod/settings.php:1074 +msgid "" +"Account for a public profile that automatically approves contact requests as" +" \"Followers\"." +msgstr "" + +#: mod/settings.php:1077 +msgid "Public Forum" +msgstr "" + +#: mod/settings.php:1078 +msgid "Automatically approves all contact requests." +msgstr "" + +#: mod/settings.php:1081 +msgid "Automatic Friend Page" +msgstr "Automatisch Vriendschapspagina" + +#: mod/settings.php:1082 +msgid "" +"Account for a popular profile that automatically approves contact requests " +"as \"Friends\"." +msgstr "" + +#: mod/settings.php:1085 +msgid "Private Forum [Experimental]" +msgstr "Privé-forum [experimenteel]" + +#: mod/settings.php:1086 +msgid "Requires manual approval of contact requests." +msgstr "" + +#: mod/settings.php:1097 +msgid "OpenID:" +msgstr "OpenID:" + +#: mod/settings.php:1097 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(Optioneel) Laat dit OpenID toe om in te loggen op deze account." + +#: mod/settings.php:1105 +msgid "Publish your default profile in your local site directory?" +msgstr "Je standaardprofiel in je lokale gids publiceren?" + +#: mod/settings.php:1105 +#, php-format +msgid "" +"Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public." +msgstr "" + +#: mod/settings.php:1111 +msgid "Publish your default profile in the global social directory?" +msgstr "Je standaardprofiel in de globale sociale gids publiceren?" + +#: mod/settings.php:1111 +#, php-format +msgid "" +"Your profile will be published in this node's local " +"directory. Your profile details may be publicly visible depending on the" +" system settings." +msgstr "" + +#: mod/settings.php:1118 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Je vrienden/contacten verbergen voor bezoekers van je standaard profiel?" + +#: mod/settings.php:1118 +msgid "" +"Your contact list won't be shown in your default profile page. You can " +"decide to show your contact list separately for each additional profile you " +"create" +msgstr "" + +#: mod/settings.php:1122 +msgid "Hide your profile details from anonymous viewers?" +msgstr "" + +#: mod/settings.php:1122 +msgid "" +"Anonymous visitors will only see your profile picture, your display name and" +" the nickname you are using on your profile page. Disables posting public " +"messages to Diaspora and other networks." +msgstr "" + +#: mod/settings.php:1126 +msgid "Allow friends to post to your profile page?" +msgstr "Vrienden toestaan om op jou profielpagina te posten?" + +#: mod/settings.php:1126 +msgid "" +"Your contacts may write posts on your profile wall. These posts will be " +"distributed to your contacts" +msgstr "" + +#: mod/settings.php:1130 +msgid "Allow friends to tag your posts?" +msgstr "Sta vrienden toe om jouw berichten te labelen?" + +#: mod/settings.php:1130 +msgid "Your contacts can add additional tags to your posts." +msgstr "" + +#: mod/settings.php:1134 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Sta je mij toe om jou als mogelijke vriend voor te stellen aan nieuwe leden?" + +#: mod/settings.php:1134 +msgid "" +"If you like, Friendica may suggest new members to add you as a contact." +msgstr "" + +#: mod/settings.php:1138 +msgid "Permit unknown people to send you private mail?" +msgstr "Mogen onbekende personen jou privé berichten sturen?" + +#: mod/settings.php:1138 +msgid "" +"Friendica network users may send you private messages even if they are not " +"in your contact list." +msgstr "" + +#: mod/settings.php:1142 +msgid "Profile is not published." +msgstr "Profiel is niet gepubliceerd." + +#: mod/settings.php:1148 +#, php-format +msgid "Your Identity Address is '%s' or '%s'." +msgstr "" + +#: mod/settings.php:1155 +msgid "Automatically expire posts after this many days:" +msgstr "Laat berichten automatisch vervallen na zo veel dagen:" + +#: mod/settings.php:1155 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Berichten zullen niet vervallen indien leeg. Vervallen berichten zullen worden verwijderd." + +#: mod/settings.php:1156 +msgid "Advanced expiration settings" +msgstr "Geavanceerde instellingen voor vervallen" + +#: mod/settings.php:1157 +msgid "Advanced Expiration" +msgstr "Geavanceerd Verval:" + +#: mod/settings.php:1158 +msgid "Expire posts:" +msgstr "Laat berichten vervallen:" + +#: mod/settings.php:1159 +msgid "Expire personal notes:" +msgstr "Laat persoonlijke aantekeningen verlopen:" + +#: mod/settings.php:1160 +msgid "Expire starred posts:" +msgstr "Laat berichten met ster verlopen" + +#: mod/settings.php:1161 +msgid "Expire photos:" +msgstr "Laat foto's vervallen:" + +#: mod/settings.php:1162 +msgid "Only expire posts by others:" +msgstr "Laat alleen berichten door anderen vervallen:" + +#: mod/settings.php:1192 +msgid "Account Settings" +msgstr "Account Instellingen" + +#: mod/settings.php:1200 +msgid "Password Settings" +msgstr "Wachtwoord Instellingen" + +#: mod/settings.php:1202 +msgid "Leave password fields blank unless changing" +msgstr "Laat de wachtwoord-velden leeg, tenzij je het wilt veranderen" + +#: mod/settings.php:1203 +msgid "Current Password:" +msgstr "Huidig wachtwoord:" + +#: mod/settings.php:1203 mod/settings.php:1204 +msgid "Your current password to confirm the changes" +msgstr "Je huidig wachtwoord om de wijzigingen te bevestigen" + +#: mod/settings.php:1204 +msgid "Password:" +msgstr "Wachtwoord:" + +#: mod/settings.php:1208 +msgid "Basic Settings" +msgstr "Basis Instellingen" + +#: mod/settings.php:1209 src/Model/Profile.php:738 +msgid "Full Name:" +msgstr "Volledige Naam:" + +#: mod/settings.php:1210 +msgid "Email Address:" +msgstr "E-mailadres:" + +#: mod/settings.php:1211 +msgid "Your Timezone:" +msgstr "Je Tijdzone:" + +#: mod/settings.php:1212 +msgid "Your Language:" +msgstr "" + +#: mod/settings.php:1212 +msgid "" +"Set the language we use to show you friendica interface and to send you " +"emails" +msgstr "" + +#: mod/settings.php:1213 +msgid "Default Post Location:" +msgstr "Standaard locatie:" + +#: mod/settings.php:1214 +msgid "Use Browser Location:" +msgstr "Gebruik Webbrowser Locatie:" + +#: mod/settings.php:1217 +msgid "Security and Privacy Settings" +msgstr "Instellingen voor Beveiliging en Privacy" + +#: mod/settings.php:1219 +msgid "Maximum Friend Requests/Day:" +msgstr "Maximum aantal vriendschapsverzoeken per dag:" + +#: mod/settings.php:1219 mod/settings.php:1248 +msgid "(to prevent spam abuse)" +msgstr "(om spam misbruik te voorkomen)" + +#: mod/settings.php:1220 +msgid "Default Post Permissions" +msgstr "Standaard rechten voor nieuwe berichten" + +#: mod/settings.php:1221 +msgid "(click to open/close)" +msgstr "(klik om te openen/sluiten)" + +#: mod/settings.php:1231 +msgid "Default Private Post" +msgstr "Standaard Privé Post" + +#: mod/settings.php:1232 +msgid "Default Public Post" +msgstr "Standaard Publieke Post" + +#: mod/settings.php:1236 +msgid "Default Permissions for New Posts" +msgstr "Standaard rechten voor nieuwe berichten" + +#: mod/settings.php:1248 +msgid "Maximum private messages per day from unknown people:" +msgstr "Maximum aantal privé-berichten per dag van onbekende personen:" + +#: mod/settings.php:1251 +msgid "Notification Settings" +msgstr "Notificatie Instellingen" + +#: mod/settings.php:1252 +msgid "By default post a status message when:" +msgstr "Post automatisch een bericht op je tijdlijn wanneer:" + +#: mod/settings.php:1253 +msgid "accepting a friend request" +msgstr "Een vriendschapsverzoek accepteren" + +#: mod/settings.php:1254 +msgid "joining a forum/community" +msgstr "Lid worden van een groep/forum" + +#: mod/settings.php:1255 +msgid "making an interesting profile change" +msgstr "Een interessante verandering aan je profiel" + +#: mod/settings.php:1256 +msgid "Send a notification email when:" +msgstr "Stuur een notificatie e-mail wanneer:" + +#: mod/settings.php:1257 +msgid "You receive an introduction" +msgstr "Je ontvangt een vriendschaps- of connectieverzoek" + +#: mod/settings.php:1258 +msgid "Your introductions are confirmed" +msgstr "Jouw vriendschaps- of connectieverzoeken zijn bevestigd" + +#: mod/settings.php:1259 +msgid "Someone writes on your profile wall" +msgstr "Iemand iets op je tijdlijn schrijft" + +#: mod/settings.php:1260 +msgid "Someone writes a followup comment" +msgstr "Iemand een reactie schrijft" + +#: mod/settings.php:1261 +msgid "You receive a private message" +msgstr "Je een privé-bericht ontvangt" + +#: mod/settings.php:1262 +msgid "You receive a friend suggestion" +msgstr "Je een suggestie voor een vriendschap ontvangt" + +#: mod/settings.php:1263 +msgid "You are tagged in a post" +msgstr "Je expliciet in een bericht bent genoemd" + +#: mod/settings.php:1264 +msgid "You are poked/prodded/etc. in a post" +msgstr "Je in een bericht bent aangestoten/gepord/etc." + +#: mod/settings.php:1266 +msgid "Activate desktop notifications" +msgstr "" + +#: mod/settings.php:1266 +msgid "Show desktop popup on new notifications" +msgstr "" + +#: mod/settings.php:1268 +msgid "Text-only notification emails" +msgstr "" + +#: mod/settings.php:1270 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: mod/settings.php:1272 +msgid "Show detailled notifications" +msgstr "" + +#: mod/settings.php:1274 +msgid "" +"Per default, notifications are condensed to a single notification per item. " +"When enabled every notification is displayed." +msgstr "" + +#: mod/settings.php:1276 +msgid "Advanced Account/Page Type Settings" +msgstr "" + +#: mod/settings.php:1277 +msgid "Change the behaviour of this account for special situations" +msgstr "" + +#: mod/settings.php:1280 +msgid "Relocate" +msgstr "" + +#: mod/settings.php:1281 +msgid "" +"If you have moved this profile from another server, and some of your " +"contacts don't receive your updates, try pushing this button." +msgstr "" + +#: mod/settings.php:1282 +msgid "Resend relocate message to contacts" +msgstr "" + #: src/Core/UserImport.php:104 msgid "Error decoding account file" msgstr "" @@ -7757,33 +7778,33 @@ msgstr "secondes" msgid "%1$d %2$s ago" msgstr "%1$d %2$s geleden" -#: src/Content/Text/BBCode.php:552 +#: src/Content/Text/BBCode.php:555 msgid "view full size" msgstr "Volledig formaat" -#: src/Content/Text/BBCode.php:978 src/Content/Text/BBCode.php:1739 -#: src/Content/Text/BBCode.php:1740 +#: src/Content/Text/BBCode.php:981 src/Content/Text/BBCode.php:1750 +#: src/Content/Text/BBCode.php:1751 msgid "Image/photo" msgstr "Afbeelding/foto" -#: src/Content/Text/BBCode.php:1116 +#: src/Content/Text/BBCode.php:1119 #, php-format msgid "%2$s %3$s" msgstr "" -#: src/Content/Text/BBCode.php:1674 src/Content/Text/BBCode.php:1696 +#: src/Content/Text/BBCode.php:1677 src/Content/Text/BBCode.php:1699 msgid "$1 wrote:" msgstr "$1 schreef:" -#: src/Content/Text/BBCode.php:1748 src/Content/Text/BBCode.php:1749 +#: src/Content/Text/BBCode.php:1759 src/Content/Text/BBCode.php:1760 msgid "Encrypted content" msgstr "Versleutelde inhoud" -#: src/Content/Text/BBCode.php:1866 +#: src/Content/Text/BBCode.php:1879 msgid "Invalid source protocol" msgstr "" -#: src/Content/Text/BBCode.php:1877 +#: src/Content/Text/BBCode.php:1890 msgid "Invalid link protocol" msgstr "" @@ -8274,23 +8295,23 @@ msgstr "Frequent" #: src/Content/ContactSelector.php:56 msgid "Hourly" -msgstr "elk uur" +msgstr "Ieder uur" #: src/Content/ContactSelector.php:57 msgid "Twice daily" -msgstr "Twee keer per dag" +msgstr "Twee maal daags" #: src/Content/ContactSelector.php:58 msgid "Daily" -msgstr "dagelijks" +msgstr "Dagelijks" #: src/Content/ContactSelector.php:59 msgid "Weekly" -msgstr "wekelijks" +msgstr "Wekelijks" #: src/Content/ContactSelector.php:60 msgid "Monthly" -msgstr "maandelijks" +msgstr "Maandelijks" #: src/Content/ContactSelector.php:80 msgid "OStatus" @@ -8310,15 +8331,15 @@ msgstr "Zot!" #: src/Content/ContactSelector.php:86 msgid "LinkedIn" -msgstr "Linkedln" +msgstr "LinkedIn" #: src/Content/ContactSelector.php:87 msgid "XMPP/IM" -msgstr "XMPP/IM" +msgstr "XMPP/Chat" #: src/Content/ContactSelector.php:88 msgid "MySpace" -msgstr "Myspace" +msgstr "MySpace" #: src/Content/ContactSelector.php:89 msgid "Google+" @@ -8334,27 +8355,27 @@ msgstr "Twitter" #: src/Content/ContactSelector.php:92 msgid "Diaspora Connector" -msgstr "Diaspora-connector" +msgstr "Diaspora Connector" #: src/Content/ContactSelector.php:93 msgid "GNU Social Connector" -msgstr "" +msgstr "GNU Social Connector" #: src/Content/ContactSelector.php:94 msgid "pnut" -msgstr "" +msgstr "pnut" #: src/Content/ContactSelector.php:95 msgid "App.net" -msgstr "" +msgstr "App.net" #: src/Content/ContactSelector.php:125 msgid "Male" -msgstr "Man" +msgstr "Mannelijk" #: src/Content/ContactSelector.php:125 msgid "Female" -msgstr "Vrouw" +msgstr "Vrouwelijk" #: src/Content/ContactSelector.php:125 msgid "Currently Male" @@ -8366,11 +8387,11 @@ msgstr "Momenteel vrouwelijk" #: src/Content/ContactSelector.php:125 msgid "Mostly Male" -msgstr "Meestal mannelijk" +msgstr "Hoofdzakelijk mannelijk" #: src/Content/ContactSelector.php:125 msgid "Mostly Female" -msgstr "Meestal vrouwelijk" +msgstr "Hoofdzakelijk vrouwelijk" #: src/Content/ContactSelector.php:125 msgid "Transgender" @@ -8378,11 +8399,11 @@ msgstr "Transgender" #: src/Content/ContactSelector.php:125 msgid "Intersex" -msgstr "Interseksueel" +msgstr "Intersex" #: src/Content/ContactSelector.php:125 msgid "Transsexual" -msgstr "Transseksueel" +msgstr "Transeksueel" #: src/Content/ContactSelector.php:125 msgid "Hermaphrodite" @@ -8390,7 +8411,7 @@ msgstr "Hermafrodiet" #: src/Content/ContactSelector.php:125 msgid "Neuter" -msgstr "Genderneutraal" +msgstr "Onzijdig" #: src/Content/ContactSelector.php:125 msgid "Non-specific" @@ -8578,7 +8599,7 @@ msgstr "Vraag me" #: src/Database/DBStructure.php:32 msgid "There are no tables on MyISAM." -msgstr "" +msgstr "Er zijn geen MyISAM tabellen." #: src/Database/DBStructure.php:75 #, php-format @@ -8588,14 +8609,14 @@ msgid "" "\t\t\t\tbut when I tried to install it, something went terribly wrong.\n" "\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n" "\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid." -msgstr "" +msgstr "\n\t\t\t\tDe Friendica ontwikkelaars hebben recent update %svrijgegeven,\n \t\t\t\tmaar wanneer ik deze probeerde te installeren ging het verschrikkelijk fout.\n \t\t\t\tDit moet snel opgelost worden en ik kan het niet alleen. Contacteer alstublieft\n \t\t\t\teen Friendica ontwikkelaar als je mij zelf niet kan helpen. Mijn database kan ongeldig zijn." #: src/Database/DBStructure.php:80 #, php-format msgid "" "The error message is\n" "[pre]%s[/pre]" -msgstr "" +msgstr "De foutboodschap is\n[pre]%s[/pre]" #: src/Database/DBStructure.php:191 #, php-format @@ -9045,6 +9066,38 @@ msgid "" "\t\t" msgstr "" +#: src/Model/User.php:615 +#, php-format +msgid "" +"\n" +"\t\t\tThe login details are as follows:\n" +"\n" +"\t\t\tSite Location:\t%3$s\n" +"\t\t\tLogin Name:\t\t%1$s\n" +"\t\t\tPassword:\t\t%5$s\n" +"\n" +"\t\t\tYou may change your password from your account \"Settings\" page after logging\n" +"\t\t\tin.\n" +"\n" +"\t\t\tPlease take a few moments to review the other account settings on that page.\n" +"\n" +"\t\t\tYou may also wish to add some basic information to your default profile\n" +"\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n" +"\n" +"\t\t\tWe recommend setting your full name, adding a profile photo,\n" +"\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n" +"\t\t\tperhaps what country you live in; if you do not wish to be more specific\n" +"\t\t\tthan that.\n" +"\n" +"\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n" +"\t\t\tIf you are new and do not know anybody here, they may help\n" +"\t\t\tyou to make some new and interesting friends.\n" +"\n" +"\t\t\tIf you ever want to delete your account, you can do so at %3$s/removeme\n" +"\n" +"\t\t\tThank you and welcome to %2$s." +msgstr "" + #: src/Protocol/OStatus.php:1799 #, php-format msgid "%s is now following %s." @@ -9072,7 +9125,7 @@ msgstr "%s\\'s verjaardag" msgid "Sharing notification from Diaspora network" msgstr "Deelt notificatie van het Diaspora netwerk" -#: src/Protocol/Diaspora.php:3736 +#: src/Protocol/Diaspora.php:3738 msgid "Attachments:" msgstr "Bijlagen:" @@ -9148,58 +9201,58 @@ msgstr "Delen" msgid "share" msgstr "Delen" -#: src/Object/Post.php:359 +#: src/Object/Post.php:365 msgid "to" msgstr "aan" -#: src/Object/Post.php:360 +#: src/Object/Post.php:366 msgid "via" msgstr "via" -#: src/Object/Post.php:361 +#: src/Object/Post.php:367 msgid "Wall-to-Wall" msgstr "wall-to-wall" -#: src/Object/Post.php:362 +#: src/Object/Post.php:368 msgid "via Wall-To-Wall:" msgstr "via wall-to-wall" -#: src/Object/Post.php:421 +#: src/Object/Post.php:427 #, php-format msgid "%d comment" msgid_plural "%d comments" msgstr[0] "%d reactie" msgstr[1] "%d reacties" -#: src/Object/Post.php:791 +#: src/Object/Post.php:797 msgid "Bold" msgstr "Vet" -#: src/Object/Post.php:792 +#: src/Object/Post.php:798 msgid "Italic" msgstr "Cursief" -#: src/Object/Post.php:793 +#: src/Object/Post.php:799 msgid "Underline" msgstr "Onderstrepen" -#: src/Object/Post.php:794 +#: src/Object/Post.php:800 msgid "Quote" msgstr "Citeren" -#: src/Object/Post.php:795 +#: src/Object/Post.php:801 msgid "Code" msgstr "Broncode" -#: src/Object/Post.php:796 +#: src/Object/Post.php:802 msgid "Image" msgstr "Afbeelding" -#: src/Object/Post.php:797 +#: src/Object/Post.php:803 msgid "Link" msgstr "Link" -#: src/Object/Post.php:798 +#: src/Object/Post.php:804 msgid "Video" msgstr "Video" @@ -9337,7 +9390,7 @@ msgstr "" #: view/theme/frio/config.php:119 msgid "Link color" -msgstr "" +msgstr "Link kleur" #: view/theme/frio/config.php:120 msgid "Set the background color" diff --git a/view/lang/nl/strings.php b/view/lang/nl/strings.php index be5133110..64ba69524 100644 --- a/view/lang/nl/strings.php +++ b/view/lang/nl/strings.php @@ -20,6 +20,72 @@ $a->strings["Weekly posting limit of %d post reached. The post was rejected."] = ]; $a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "De maandelijkse limiet van %d berichten is bereikt. Dit bericht werd niet aanvaard."; $a->strings["Profile Photos"] = "Profielfoto's"; +$a->strings["Friendica Notification"] = "Friendica Notificatie"; +$a->strings["Thank You,"] = "Bedankt"; +$a->strings["%s Administrator"] = "%s Beheerder"; +$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Beheerder"; +$a->strings["noreply"] = "geen reactie"; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notificatie] Nieuw bericht ontvangen op %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s sent you a new private message at %2\$s."; +$a->strings["a private message"] = "een prive bericht"; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s stuurde jou %2\$s."; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Bezoek %s om je privé-berichten te bekijken en/of te beantwoorden."; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s gaf een reactie op [url=%2\$s]a %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s gaf een reactie op [url=%2\$s]%3\$s's %4\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s gaf een reactie op [url=%2\$s]jouw %3\$s[/url]"; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notificatie] Reactie op gesprek #%1\$d door %2\$s"; +$a->strings["%s commented on an item/conversation you have been following."] = "%s gaf een reactie op een bericht/gesprek die jij volgt."; +$a->strings["Please visit %s to view and/or reply to the conversation."] = "Bezoek %s om het gesprek te bekijken en/of te beantwoorden."; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Melding] %s plaatste een bericht op je tijdlijn"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$splaatste een bericht op je tijdlijn op %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s schreef op [url=%2\$s]jouw tijdlijn[/url]"; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notificatie] %s heeft jou genoemd"; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s heeft jou in %2\$s genoemd"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]heeft jou genoemd[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Melding] %s deelde een nieuw bericht"; +$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s deelde een nieuw bericht op %2\$s"; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]deelde een bericht[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Melding] %1\$s heeft jou gepord"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s heeft jou gepord op %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]porde jou[/url]"; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notificatie] %s heeft jouw bericht gelabeld"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s heeft jouw bericht gelabeld in %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s labelde [url=%2\$s]jouw bericht[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notificatie] Vriendschaps-/connectieverzoek ontvangen"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Je hebt een vriendschaps- of connectieverzoek ontvangen van '%1\$s' om %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Je ontving [url=%1\$s]een vriendschaps- of connectieverzoek[/url] van %2\$s."; +$a->strings["You may visit their profile at %s"] = "U kunt hun profiel bezoeken op %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Bezoek %s om het verzoek goed of af te keuren."; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Melding] Iemand nieuw deelt met jou."; +$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s deelt met jouw in %2\$s"; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Melding] Je hebt een nieuwe volger"; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "Je hebt een nieuwe volger op %2\$s: %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Melding] Vriendschapsvoorstel ontvangen"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Je kreeg een vriendschapssuggestie van '%1\$s' op %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Je kreeg een [url=%1\$s]vriendschapssuggestie[/url] voor %2\$s op %3\$s."; +$a->strings["Name:"] = "Naam:"; +$a->strings["Photo:"] = "Foto: "; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Bezoek %s om de suggestie goed of af te keuren."; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Melding] Verbinding aanvaard"; +$a->strings["'%1\$s' has accepted your connection request at %2\$s"] = "'%1\$s' aanvaarde je contactaanvraag op %2\$s"; +$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$saanvaarde jouw [url=%1\$s]contactaanvraag[/url]."; +$a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = "Jullie zijn nu in contact met elkaar en kunnen statusberichten, foto's en email delen zonder beperkingen."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Bezoek alstublieft %s als je deze relatie wil wijzigen."; +$a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = "'%1\$s' koos om je te accepteren als fan, wat sommige communicatievormen beperkt - zoals privéberichten en sommige profielfuncties. Als dit een beroemdheid- of groepspagina is, werd dit automatisch toegepast."; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = "'%1\$s' kan er later voor kiezen om deze beperkingen aan te passen."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Bezoek %s wanneer je deze relatie wil wijzigen."; +$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Melding] Registratieaanvraag"; +$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Je kreeg een registratieaanvraag van '%1\$s' op %2\$s"; +$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Je kreeg een [url=%1\$s]registratieaanvraag[/url] van %2\$s."; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Volledige naam:\t%1\$s\\nAdres van de site\t%2\$s\\nLoginnaam:\t%3\$s (%4\$s)"; +$a->strings["Please visit %s to approve or reject the request."] = "Bezoek %s om de aanvraag goed of af te keuren."; +$a->strings["Item not found."] = "Item niet gevonden."; +$a->strings["Do you really want to delete this item?"] = "Wil je echt dit item verwijderen?"; +$a->strings["Yes"] = "Ja"; +$a->strings["Cancel"] = "Annuleren"; +$a->strings["Permission denied."] = "Toegang geweigerd"; +$a->strings["Archives"] = "Archieven"; +$a->strings["show more"] = "toon meer"; $a->strings["event"] = "gebeurtenis"; $a->strings["status"] = "status"; $a->strings["photo"] = "foto"; @@ -85,6 +151,7 @@ $a->strings["Tag term:"] = "Label:"; $a->strings["Save to Folder:"] = "Bewaren in map:"; $a->strings["Where are you right now?"] = "Waar ben je nu?"; $a->strings["Delete item(s)?"] = "Item(s) verwijderen?"; +$a->strings["New Post"] = "Nieuw bericht"; $a->strings["Share"] = "Delen"; $a->strings["Upload photo"] = "Foto uploaden"; $a->strings["upload photo"] = "Foto uploaden"; @@ -106,7 +173,6 @@ $a->strings["Permission settings"] = "Instellingen van rechten"; $a->strings["permissions"] = "rechten"; $a->strings["Public post"] = "Openbare post"; $a->strings["Preview"] = "Voorvertoning"; -$a->strings["Cancel"] = "Annuleren"; $a->strings["Post to Groups"] = "Verzenden naar Groepen"; $a->strings["Post to Contacts"] = "Verzenden naar Contacten"; $a->strings["Private post"] = "Privé verzending"; @@ -129,78 +195,13 @@ $a->strings["Undecided"] = [ 0 => "Onbeslist", 1 => "Onbeslist", ]; -$a->strings["Friendica Notification"] = "Friendica Notificatie"; -$a->strings["Thank You,"] = "Bedankt"; -$a->strings["%s Administrator"] = "%s Beheerder"; -$a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Beheerder"; -$a->strings["noreply"] = "geen reactie"; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notificatie] Nieuw bericht ontvangen op %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s sent you a new private message at %2\$s."; -$a->strings["a private message"] = "een prive bericht"; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s stuurde jou %2\$s."; -$a->strings["Please visit %s to view and/or reply to your private messages."] = "Bezoek %s om je privé-berichten te bekijken en/of te beantwoorden."; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s gaf een reactie op [url=%2\$s]a %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s gaf een reactie op [url=%2\$s]%3\$s's %4\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s gaf een reactie op [url=%2\$s]jouw %3\$s[/url]"; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notificatie] Reactie op gesprek #%1\$d door %2\$s"; -$a->strings["%s commented on an item/conversation you have been following."] = "%s gaf een reactie op een bericht/gesprek die jij volgt."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Bezoek %s om het gesprek te bekijken en/of te beantwoorden."; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Melding] %s plaatste een bericht op je tijdlijn"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$splaatste een bericht op je tijdlijn op %2\$s"; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s schreef op [url=%2\$s]jouw tijdlijn[/url]"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notificatie] %s heeft jou genoemd"; -$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s heeft jou in %2\$s genoemd"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]heeft jou genoemd[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Melding] %s deelde een nieuw bericht"; -$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s deelde een nieuw bericht op %2\$s"; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]deelde een bericht[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Melding] %1\$s heeft jou gepord"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s heeft jou gepord op %2\$s"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]porde jou[/url]"; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notificatie] %s heeft jouw bericht gelabeld"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s heeft jouw bericht gelabeld in %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s labelde [url=%2\$s]jouw bericht[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notificatie] Vriendschaps-/connectieverzoek ontvangen"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Je hebt een vriendschaps- of connectieverzoek ontvangen van '%1\$s' om %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Je ontving [url=%1\$s]een vriendschaps- of connectieverzoek[/url] van %2\$s."; -$a->strings["You may visit their profile at %s"] = "U kunt hun profiel bezoeken op %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Bezoek %s om het verzoek goed of af te keuren."; -$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Melding] Iemand nieuw deelt met jou."; -$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s deelt met jouw in %2\$s"; -$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Melding] Je hebt een nieuwe volger"; -$a->strings["You have a new follower at %2\$s : %1\$s"] = "Je hebt een nieuwe volger op %2\$s: %1\$s"; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Melding] Vriendschapsvoorstel ontvangen"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Je kreeg een vriendschapssuggestie van '%1\$s' op %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Je kreeg een [url=%1\$s]vriendschapssuggestie[/url] voor %2\$s op %3\$s."; -$a->strings["Name:"] = "Naam:"; -$a->strings["Photo:"] = "Foto: "; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Bezoek %s om de suggestie goed of af te keuren."; -$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Melding] Verbinding aanvaard"; -$a->strings["'%1\$s' has accepted your connection request at %2\$s"] = "'%1\$s' aanvaarde je contactaanvraag op %2\$s"; -$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$saanvaarde jouw [url=%1\$s]contactaanvraag[/url]."; -$a->strings["You are now mutual friends and may exchange status updates, photos, and email without restriction."] = "Jullie zijn nu in contact met elkaar en kunnen statusberichten, foto's en email delen zonder beperkingen."; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Bezoek alstublieft %s als je deze relatie wil wijzigen."; -$a->strings["'%1\$s' has chosen to accept you a fan, which restricts some forms of communication - such as private messaging and some profile interactions. If this is a celebrity or community page, these settings were applied automatically."] = "'%1\$s' koos om je te accepteren als fan, wat sommige communicatievormen beperkt - zoals privéberichten en sommige profielfuncties. Als dit een beroemdheid- of groepspagina is, werd dit automatisch toegepast."; -$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future."] = "'%1\$s' kan er later voor kiezen om deze beperkingen aan te passen."; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Bezoek %s wanneer je deze relatie wil wijzigen."; -$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Melding] Registratieaanvraag"; -$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Je kreeg een registratieaanvraag van '%1\$s' op %2\$s"; -$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Je kreeg een [url=%1\$s]registratieaanvraag[/url] van %2\$s."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Volledige naam:\t%1\$s\\nAdres van de site\t%2\$s\\nLoginnaam:\t%3\$s (%4\$s)"; -$a->strings["Please visit %s to approve or reject the request."] = "Bezoek %s om de aanvraag goed of af te keuren."; -$a->strings["Item not found."] = "Item niet gevonden."; -$a->strings["Do you really want to delete this item?"] = "Wil je echt dit item verwijderen?"; -$a->strings["Yes"] = "Ja"; -$a->strings["Permission denied."] = "Toegang geweigerd"; -$a->strings["Archives"] = "Archieven"; -$a->strings["show more"] = "toon meer"; $a->strings["newer"] = "nieuwere berichten"; $a->strings["older"] = "oudere berichten"; $a->strings["first"] = "eerste"; $a->strings["prev"] = "vorige"; $a->strings["next"] = "volgende"; $a->strings["last"] = "laatste"; -$a->strings["Loading more entries..."] = ""; +$a->strings["Loading more entries..."] = "Meer berichten aan het laden..."; $a->strings["The end"] = "Het einde"; $a->strings["No contacts"] = "Geen contacten"; $a->strings["%d Contact"] = [ @@ -264,6 +265,7 @@ $a->strings["Sep"] = "Sep"; $a->strings["Oct"] = "Okt"; $a->strings["Nov"] = "Nov"; $a->strings["Dec"] = "Dec"; +$a->strings["Content warning: %s"] = "Waarschuwing inhoud: %s"; $a->strings["View Video"] = "Bekijk Video"; $a->strings["bytes"] = "bytes"; $a->strings["Click to open/close"] = "klik om te openen/sluiten"; @@ -291,12 +293,12 @@ $a->strings["Item not available."] = "Item niet beschikbaar"; $a->strings["Item was not found."] = "Item niet gevonden"; $a->strings["No contacts in common."] = "Geen gedeelde contacten."; $a->strings["Common Friends"] = "Gedeelde Vrienden"; -$a->strings["Credits"] = ""; -$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = ""; +$a->strings["Credits"] = "Credits"; +$a->strings["Friendica is a community project, that would not be possible without the help of many people. Here is a list of those who have contributed to the code or the translation of Friendica. Thank you all!"] = "Friendica is een gemeenschapsproject dat niet mogelijk zou zijn zonder de hulp van vele mensen. Hier is een lijst van alle mensen die aan de code of vertalingen van Friendica hebben meegewerkt. Allen van harte bedankt!"; $a->strings["Contact settings applied."] = "Contactinstellingen toegepast."; $a->strings["Contact update failed."] = "Aanpassen van contact mislukt."; $a->strings["Contact not found."] = "Contact niet gevonden"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = ""; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "WAARSCHUWING: Dit is zeer geavanceerd en als je verkeerde informatie invult, zal je mogelijk niet meer kunnen communiceren met deze contactpersoon."; $a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Gebruik nu de \"terug\"-knop in je webbrowser wanneer je niet weet wat je op deze pagina moet doen."; $a->strings["No mirroring"] = ""; $a->strings["Mirror as forwarded posting"] = ""; @@ -777,7 +779,7 @@ $a->strings["Set the default language for your Friendica installation interface $a->strings["Could not find a command line version of PHP in the web server PATH."] = "Kan geen command-line-versie van PHP vinden in het PATH van de webserver."; $a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = ""; $a->strings["PHP executable path"] = "PATH van het PHP commando"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Vul het volledige path in naar het php programma. Je kunt dit blanco laten om de installatie verder te zetten."; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Vul het volledige pad in naar het php programma. Je kunt dit leeg laten om de installatie verder te zetten."; $a->strings["Command line PHP"] = "PHP-opdrachtregel"; $a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = ""; $a->strings["Found PHP version: "] = "Gevonden PHP versie:"; @@ -881,209 +883,6 @@ $a->strings["Crop Image"] = "Afbeelding bijsnijden"; $a->strings["Please adjust the image cropping for optimum viewing."] = "Pas het afsnijden van de afbeelding aan voor het beste resultaat."; $a->strings["Done Editing"] = "Wijzigingen compleet"; $a->strings["Image uploaded successfully."] = "Uploaden van afbeelding gelukt."; -$a->strings["Account"] = "Account"; -$a->strings["Additional features"] = "Extra functies"; -$a->strings["Display"] = "Weergave"; -$a->strings["Social Networks"] = "Sociale netwerken"; -$a->strings["Addons"] = ""; -$a->strings["Delegations"] = ""; -$a->strings["Connected apps"] = "Verbonden applicaties"; -$a->strings["Remove account"] = "Account verwijderen"; -$a->strings["Missing some important data!"] = "Een belangrijk gegeven ontbreekt!"; -$a->strings["Update"] = "Wijzigen"; -$a->strings["Failed to connect with email account using the settings provided."] = "Ik kon geen verbinding maken met het e-mail account met de gegeven instellingen."; -$a->strings["Email settings updated."] = "E-mail instellingen bijgewerkt.."; -$a->strings["Features updated"] = "Functies bijgewerkt"; -$a->strings["Relocate message has been send to your contacts"] = ""; -$a->strings["Passwords do not match. Password unchanged."] = "Wachtwoorden komen niet overeen. Wachtwoord niet gewijzigd."; -$a->strings["Empty passwords are not allowed. Password unchanged."] = "Lege wachtwoorden zijn niet toegelaten. Wachtwoord niet gewijzigd."; -$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; -$a->strings["Wrong password."] = "Verkeerd wachtwoord."; -$a->strings["Password changed."] = "Wachtwoord gewijzigd."; -$a->strings["Password update failed. Please try again."] = "Wachtwoord-)wijziging mislukt. Probeer opnieuw."; -$a->strings[" Please use a shorter name."] = "Gebruik een kortere naam."; -$a->strings[" Name too short."] = "Naam te kort."; -$a->strings["Wrong Password"] = "Verkeerd wachtwoord"; -$a->strings["Invalid email."] = ""; -$a->strings["Cannot change to that email."] = ""; -$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Privéforum/-groep heeft geen privacyrechten. De standaard privacygroep wordt gebruikt."; -$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Privéforum/-groep heeft geen privacyrechten en geen standaard privacygroep."; -$a->strings["Settings updated."] = "Instellingen bijgewerkt."; -$a->strings["Add application"] = "Toepassing toevoegen"; -$a->strings["Consumer Key"] = "Gebruikerssleutel"; -$a->strings["Consumer Secret"] = "Gebruikersgeheim"; -$a->strings["Redirect"] = "Doorverwijzing"; -$a->strings["Icon url"] = "URL pictogram"; -$a->strings["You can't edit this application."] = "Je kunt deze toepassing niet wijzigen."; -$a->strings["Connected Apps"] = "Verbonden applicaties"; -$a->strings["Edit"] = "Bewerken"; -$a->strings["Client key starts with"] = ""; -$a->strings["No name"] = "Geen naam"; -$a->strings["Remove authorization"] = "Verwijder authorisatie"; -$a->strings["No Addon settings configured"] = ""; -$a->strings["Addon Settings"] = ""; -$a->strings["Off"] = "Uit"; -$a->strings["On"] = "Aan"; -$a->strings["Additional Features"] = "Extra functies"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings["enabled"] = "ingeschakeld"; -$a->strings["disabled"] = "uitgeschakeld"; -$a->strings["Built-in support for %s connectivity is %s"] = "Ingebouwde ondersteuning voor connectiviteit met %s is %s"; -$a->strings["GNU Social (OStatus)"] = ""; -$a->strings["Email access is disabled on this site."] = "E-mailtoegang is op deze website uitgeschakeld."; -$a->strings["General Social Media Settings"] = ""; -$a->strings["Disable intelligent shortening"] = ""; -$a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = ""; -$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = ""; -$a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = ""; -$a->strings["Default group for OStatus contacts"] = ""; -$a->strings["Your legacy GNU Social account"] = ""; -$a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = ""; -$a->strings["Repair OStatus subscriptions"] = ""; -$a->strings["Email/Mailbox Setup"] = "E-mail Instellen"; -$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Als je wilt communiceren met e-mail contacten via deze dienst (optioneel), moet je hier opgeven hoe ik jouw mailbox kan bereiken."; -$a->strings["Last successful email check:"] = "Laatste succesvolle e-mail controle:"; -$a->strings["IMAP server name:"] = "IMAP server naam:"; -$a->strings["IMAP port:"] = "IMAP poort:"; -$a->strings["Security:"] = "Beveiliging:"; -$a->strings["None"] = "Geen"; -$a->strings["Email login name:"] = "E-mail login naam:"; -$a->strings["Email password:"] = "E-mail wachtwoord:"; -$a->strings["Reply-to address:"] = "Antwoord adres:"; -$a->strings["Send public posts to all email contacts:"] = "Openbare posts naar alle e-mail contacten versturen:"; -$a->strings["Action after import:"] = "Actie na importeren:"; -$a->strings["Mark as seen"] = "Als 'gelezen' markeren"; -$a->strings["Move to folder"] = "Naar map verplaatsen"; -$a->strings["Move to folder:"] = "Verplaatsen naar map:"; -$a->strings["No special theme for mobile devices"] = "Geen speciaal thema voor mobiele apparaten"; -$a->strings["%s - (Unsupported)"] = ""; -$a->strings["%s - (Experimental)"] = ""; -$a->strings["Display Settings"] = "Scherminstellingen"; -$a->strings["Display Theme:"] = "Schermthema:"; -$a->strings["Mobile Theme:"] = "Mobiel thema:"; -$a->strings["Suppress warning of insecure networks"] = ""; -$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = ""; -$a->strings["Update browser every xx seconds"] = "Browser elke xx seconden verversen"; -$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = ""; -$a->strings["Number of items to display per page:"] = "Aantal items te tonen per pagina:"; -$a->strings["Maximum of 100 items"] = "Maximum 100 items"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = "Aantal items per pagina als je een mobiel toestel gebruikt:"; -$a->strings["Don't show emoticons"] = "Emoticons niet tonen"; -$a->strings["Calendar"] = ""; -$a->strings["Beginning of week:"] = ""; -$a->strings["Don't show notices"] = ""; -$a->strings["Infinite scroll"] = "Oneindig scrollen"; -$a->strings["Automatic updates only at the top of the network page"] = ""; -$a->strings["When disabled, the network page is updated all the time, which could be confusing while reading."] = ""; -$a->strings["Bandwith Saver Mode"] = ""; -$a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = ""; -$a->strings["Smart Threading"] = ""; -$a->strings["When enabled, suppress extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled."] = ""; -$a->strings["General Theme Settings"] = ""; -$a->strings["Custom Theme Settings"] = ""; -$a->strings["Content Settings"] = ""; -$a->strings["Theme settings"] = "Thema-instellingen"; -$a->strings["Unable to find your profile. Please contact your admin."] = ""; -$a->strings["Account Types"] = ""; -$a->strings["Personal Page Subtypes"] = ""; -$a->strings["Community Forum Subtypes"] = ""; -$a->strings["Personal Page"] = ""; -$a->strings["Account for a personal profile."] = ""; -$a->strings["Organisation Page"] = ""; -$a->strings["Account for an organisation that automatically approves contact requests as \"Followers\"."] = ""; -$a->strings["News Page"] = ""; -$a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; -$a->strings["Community Forum"] = ""; -$a->strings["Account for community discussions."] = ""; -$a->strings["Normal Account Page"] = "Normale accountpagina"; -$a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; -$a->strings["Soapbox Page"] = "Zeepkist-pagina"; -$a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; -$a->strings["Public Forum"] = ""; -$a->strings["Automatically approves all contact requests."] = ""; -$a->strings["Automatic Friend Page"] = "Automatisch Vriendschapspagina"; -$a->strings["Account for a popular profile that automatically approves contact requests as \"Friends\"."] = ""; -$a->strings["Private Forum [Experimental]"] = "Privé-forum [experimenteel]"; -$a->strings["Requires manual approval of contact requests."] = ""; -$a->strings["OpenID:"] = "OpenID:"; -$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Optioneel) Laat dit OpenID toe om in te loggen op deze account."; -$a->strings["Publish your default profile in your local site directory?"] = "Je standaardprofiel in je lokale gids publiceren?"; -$a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; -$a->strings["Publish your default profile in the global social directory?"] = "Je standaardprofiel in de globale sociale gids publiceren?"; -$a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Je vrienden/contacten verbergen voor bezoekers van je standaard profiel?"; -$a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; -$a->strings["Hide your profile details from anonymous viewers?"] = ""; -$a->strings["Anonymous visitors will only see your profile picture, your display name and the nickname you are using on your profile page. Disables posting public messages to Diaspora and other networks."] = ""; -$a->strings["Allow friends to post to your profile page?"] = "Vrienden toestaan om op jou profielpagina te posten?"; -$a->strings["Your contacts may write posts on your profile wall. These posts will be distributed to your contacts"] = ""; -$a->strings["Allow friends to tag your posts?"] = "Sta vrienden toe om jouw berichten te labelen?"; -$a->strings["Your contacts can add additional tags to your posts."] = ""; -$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Sta je mij toe om jou als mogelijke vriend voor te stellen aan nieuwe leden?"; -$a->strings["If you like, Friendica may suggest new members to add you as a contact."] = ""; -$a->strings["Permit unknown people to send you private mail?"] = "Mogen onbekende personen jou privé berichten sturen?"; -$a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; -$a->strings["Profile is not published."] = "Profiel is niet gepubliceerd."; -$a->strings["Your Identity Address is '%s' or '%s'."] = ""; -$a->strings["Automatically expire posts after this many days:"] = "Laat berichten automatisch vervallen na zo veel dagen:"; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Berichten zullen niet vervallen indien leeg. Vervallen berichten zullen worden verwijderd."; -$a->strings["Advanced expiration settings"] = "Geavanceerde instellingen voor vervallen"; -$a->strings["Advanced Expiration"] = "Geavanceerd Verval:"; -$a->strings["Expire posts:"] = "Laat berichten vervallen:"; -$a->strings["Expire personal notes:"] = "Laat persoonlijke aantekeningen verlopen:"; -$a->strings["Expire starred posts:"] = "Laat berichten met ster verlopen"; -$a->strings["Expire photos:"] = "Laat foto's vervallen:"; -$a->strings["Only expire posts by others:"] = "Laat alleen berichten door anderen vervallen:"; -$a->strings["Account Settings"] = "Account Instellingen"; -$a->strings["Password Settings"] = "Wachtwoord Instellingen"; -$a->strings["New Password:"] = "Nieuw Wachtwoord:"; -$a->strings["Confirm:"] = "Bevestig:"; -$a->strings["Leave password fields blank unless changing"] = "Laat de wachtwoord-velden leeg, tenzij je het wilt veranderen"; -$a->strings["Current Password:"] = "Huidig wachtwoord:"; -$a->strings["Your current password to confirm the changes"] = "Je huidig wachtwoord om de wijzigingen te bevestigen"; -$a->strings["Password:"] = "Wachtwoord:"; -$a->strings["Basic Settings"] = "Basis Instellingen"; -$a->strings["Full Name:"] = "Volledige Naam:"; -$a->strings["Email Address:"] = "E-mailadres:"; -$a->strings["Your Timezone:"] = "Je Tijdzone:"; -$a->strings["Your Language:"] = ""; -$a->strings["Set the language we use to show you friendica interface and to send you emails"] = ""; -$a->strings["Default Post Location:"] = "Standaard locatie:"; -$a->strings["Use Browser Location:"] = "Gebruik Webbrowser Locatie:"; -$a->strings["Security and Privacy Settings"] = "Instellingen voor Beveiliging en Privacy"; -$a->strings["Maximum Friend Requests/Day:"] = "Maximum aantal vriendschapsverzoeken per dag:"; -$a->strings["(to prevent spam abuse)"] = "(om spam misbruik te voorkomen)"; -$a->strings["Default Post Permissions"] = "Standaard rechten voor nieuwe berichten"; -$a->strings["(click to open/close)"] = "(klik om te openen/sluiten)"; -$a->strings["Default Private Post"] = "Standaard Privé Post"; -$a->strings["Default Public Post"] = "Standaard Publieke Post"; -$a->strings["Default Permissions for New Posts"] = "Standaard rechten voor nieuwe berichten"; -$a->strings["Maximum private messages per day from unknown people:"] = "Maximum aantal privé-berichten per dag van onbekende personen:"; -$a->strings["Notification Settings"] = "Notificatie Instellingen"; -$a->strings["By default post a status message when:"] = "Post automatisch een bericht op je tijdlijn wanneer:"; -$a->strings["accepting a friend request"] = "Een vriendschapsverzoek accepteren"; -$a->strings["joining a forum/community"] = "Lid worden van een groep/forum"; -$a->strings["making an interesting profile change"] = "Een interessante verandering aan je profiel"; -$a->strings["Send a notification email when:"] = "Stuur een notificatie e-mail wanneer:"; -$a->strings["You receive an introduction"] = "Je ontvangt een vriendschaps- of connectieverzoek"; -$a->strings["Your introductions are confirmed"] = "Jouw vriendschaps- of connectieverzoeken zijn bevestigd"; -$a->strings["Someone writes on your profile wall"] = "Iemand iets op je tijdlijn schrijft"; -$a->strings["Someone writes a followup comment"] = "Iemand een reactie schrijft"; -$a->strings["You receive a private message"] = "Je een privé-bericht ontvangt"; -$a->strings["You receive a friend suggestion"] = "Je een suggestie voor een vriendschap ontvangt"; -$a->strings["You are tagged in a post"] = "Je expliciet in een bericht bent genoemd"; -$a->strings["You are poked/prodded/etc. in a post"] = "Je in een bericht bent aangestoten/gepord/etc."; -$a->strings["Activate desktop notifications"] = ""; -$a->strings["Show desktop popup on new notifications"] = ""; -$a->strings["Text-only notification emails"] = ""; -$a->strings["Send text only notification emails, without the html part"] = ""; -$a->strings["Show detailled notifications"] = ""; -$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; -$a->strings["Advanced Account/Page Type Settings"] = ""; -$a->strings["Change the behaviour of this account for special situations"] = ""; -$a->strings["Relocate"] = ""; -$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = ""; -$a->strings["Resend relocate message to contacts"] = ""; $a->strings["Status:"] = "Tijdlijn:"; $a->strings["Homepage:"] = "Website:"; $a->strings["Global Directory"] = "Globale gids"; @@ -1275,6 +1074,7 @@ $a->strings["Only show archived contacts"] = "Toon alleen gearchiveerde contacte $a->strings["Hidden"] = "Verborgen"; $a->strings["Only show hidden contacts"] = "Toon alleen verborgen contacten"; $a->strings["Search your contacts"] = "Doorzoek je contacten"; +$a->strings["Update"] = "Wijzigen"; $a->strings["Archive"] = "Archiveer"; $a->strings["Unarchive"] = "Archiveer niet meer"; $a->strings["Batch Actions"] = ""; @@ -1340,7 +1140,9 @@ $a->strings["Your invitation code: "] = ""; $a->strings["Registration"] = "Registratie"; $a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = ""; $a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = ""; +$a->strings["New Password:"] = "Nieuw Wachtwoord:"; $a->strings["Leave empty for an auto generated password."] = ""; +$a->strings["Confirm:"] = "Bevestig:"; $a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@%s'."] = ""; $a->strings["Choose a nickname: "] = "Kies een bijnaam:"; $a->strings["Register"] = "Registreer"; @@ -1352,7 +1154,9 @@ $a->strings["Federation Statistics"] = ""; $a->strings["Configuration"] = ""; $a->strings["Site"] = "Website"; $a->strings["Users"] = "Gebruiker"; +$a->strings["Addons"] = ""; $a->strings["Themes"] = "Thema's"; +$a->strings["Additional features"] = "Extra functies"; $a->strings["Database"] = ""; $a->strings["DB updates"] = "DB aanpassingen"; $a->strings["Inspect Queue"] = ""; @@ -1449,6 +1253,7 @@ $a->strings["Version"] = "Versie"; $a->strings["Active addons"] = ""; $a->strings["Can not parse base url. Must have at least ://"] = ""; $a->strings["Site settings updated."] = "Site instellingen gewijzigd."; +$a->strings["No special theme for mobile devices"] = "Geen speciaal thema voor mobiele apparaten"; $a->strings["No community page"] = ""; $a->strings["Public postings from users of this site"] = ""; $a->strings["Public postings from the federated network"] = ""; @@ -1638,9 +1443,9 @@ $a->strings["Executing %s failed with error: %s"] = ""; $a->strings["Update %s was successfully applied."] = "Wijziging %s geslaagd."; $a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Wijziging %s gaf geen status terug. We weten niet of de wijziging geslaagd is."; $a->strings["There was no additional update function %s that needed to be called."] = ""; -$a->strings["No failed updates."] = "Geen misluke wijzigingen"; +$a->strings["No failed updates."] = "Geen mislukte wijzigingen"; $a->strings["Check database structure"] = ""; -$a->strings["Failed Updates"] = "Misluke wijzigingen"; +$a->strings["Failed Updates"] = "Mislukte wijzigingen"; $a->strings["This does not include updates prior to 1139, which did not return a status."] = "Dit is zonder de wijzigingen voor 1139, welke geen status teruggaven."; $a->strings["Mark success (if update was manually applied)"] = "Markeren als succes (als aanpassing manueel doorgevoerd werd)"; $a->strings["Attempt to execute this update step automatically"] = "Probeer deze stap automatisch uit te voeren"; @@ -1662,6 +1467,7 @@ $a->strings["Email"] = "E-mail"; $a->strings["Register date"] = "Registratiedatum"; $a->strings["Last login"] = "Laatste login"; $a->strings["Last item"] = "Laatste item"; +$a->strings["Account"] = "Account"; $a->strings["Add User"] = "Gebruiker toevoegen"; $a->strings["User registrations waiting for confirm"] = "Gebruikersregistraties wachten op een bevestiging"; $a->strings["User waiting for permanent deletion"] = ""; @@ -1706,8 +1512,206 @@ $a->strings["PHP logging"] = ""; $a->strings["To enable logging of PHP errors and warnings you can add the following to the .htconfig.php file of your installation. The filename set in the 'error_log' line is relative to the friendica top-level directory and must be writeable by the web server. The option '1' for 'log_errors' and 'display_errors' is to enable these options, set to '0' to disable them."] = ""; $a->strings["Error trying to open %1\$s log file.\\r\\n
Check to see if file %1\$s exist and is readable."] = ""; $a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = ""; +$a->strings["Off"] = "Uit"; +$a->strings["On"] = "Aan"; $a->strings["Lock feature %s"] = ""; $a->strings["Manage Additional Features"] = ""; +$a->strings["Display"] = "Weergave"; +$a->strings["Social Networks"] = "Sociale netwerken"; +$a->strings["Delegations"] = ""; +$a->strings["Connected apps"] = "Verbonden applicaties"; +$a->strings["Remove account"] = "Account verwijderen"; +$a->strings["Missing some important data!"] = "Een belangrijk gegeven ontbreekt!"; +$a->strings["Failed to connect with email account using the settings provided."] = "Ik kon geen verbinding maken met het e-mail account met de gegeven instellingen."; +$a->strings["Email settings updated."] = "E-mail instellingen bijgewerkt.."; +$a->strings["Features updated"] = "Functies bijgewerkt"; +$a->strings["Relocate message has been send to your contacts"] = ""; +$a->strings["Passwords do not match. Password unchanged."] = "Wachtwoorden komen niet overeen. Wachtwoord niet gewijzigd."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Lege wachtwoorden zijn niet toegelaten. Wachtwoord niet gewijzigd."; +$a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; +$a->strings["Wrong password."] = "Verkeerd wachtwoord."; +$a->strings["Password changed."] = "Wachtwoord gewijzigd."; +$a->strings["Password update failed. Please try again."] = "Wachtwoord-)wijziging mislukt. Probeer opnieuw."; +$a->strings[" Please use a shorter name."] = "Gebruik een kortere naam."; +$a->strings[" Name too short."] = "Naam te kort."; +$a->strings["Wrong Password"] = "Verkeerd wachtwoord"; +$a->strings["Invalid email."] = ""; +$a->strings["Cannot change to that email."] = ""; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Privéforum/-groep heeft geen privacyrechten. De standaard privacygroep wordt gebruikt."; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Privéforum/-groep heeft geen privacyrechten en geen standaard privacygroep."; +$a->strings["Settings updated."] = "Instellingen bijgewerkt."; +$a->strings["Add application"] = "Toepassing toevoegen"; +$a->strings["Consumer Key"] = "Gebruikerssleutel"; +$a->strings["Consumer Secret"] = "Gebruikersgeheim"; +$a->strings["Redirect"] = "Doorverwijzing"; +$a->strings["Icon url"] = "URL pictogram"; +$a->strings["You can't edit this application."] = "Je kunt deze toepassing niet wijzigen."; +$a->strings["Connected Apps"] = "Verbonden applicaties"; +$a->strings["Edit"] = "Bewerken"; +$a->strings["Client key starts with"] = ""; +$a->strings["No name"] = "Geen naam"; +$a->strings["Remove authorization"] = "Verwijder authorisatie"; +$a->strings["No Addon settings configured"] = ""; +$a->strings["Addon Settings"] = ""; +$a->strings["Additional Features"] = "Extra functies"; +$a->strings["Diaspora"] = "Diaspora"; +$a->strings["enabled"] = "ingeschakeld"; +$a->strings["disabled"] = "uitgeschakeld"; +$a->strings["Built-in support for %s connectivity is %s"] = "Ingebouwde ondersteuning voor connectiviteit met %s is %s"; +$a->strings["GNU Social (OStatus)"] = ""; +$a->strings["Email access is disabled on this site."] = "E-mailtoegang is op deze website uitgeschakeld."; +$a->strings["General Social Media Settings"] = ""; +$a->strings["Disable Content Warning"] = ""; +$a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = ""; +$a->strings["Disable intelligent shortening"] = ""; +$a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = ""; +$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = ""; +$a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = ""; +$a->strings["Default group for OStatus contacts"] = ""; +$a->strings["Your legacy GNU Social account"] = ""; +$a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = ""; +$a->strings["Repair OStatus subscriptions"] = ""; +$a->strings["Email/Mailbox Setup"] = "E-mail Instellen"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Als je wilt communiceren met e-mail contacten via deze dienst (optioneel), moet je hier opgeven hoe ik jouw mailbox kan bereiken."; +$a->strings["Last successful email check:"] = "Laatste succesvolle e-mail controle:"; +$a->strings["IMAP server name:"] = "IMAP server naam:"; +$a->strings["IMAP port:"] = "IMAP poort:"; +$a->strings["Security:"] = "Beveiliging:"; +$a->strings["None"] = "Geen"; +$a->strings["Email login name:"] = "E-mail login naam:"; +$a->strings["Email password:"] = "E-mail wachtwoord:"; +$a->strings["Reply-to address:"] = "Antwoord adres:"; +$a->strings["Send public posts to all email contacts:"] = "Openbare posts naar alle e-mail contacten versturen:"; +$a->strings["Action after import:"] = "Actie na importeren:"; +$a->strings["Mark as seen"] = "Als 'gelezen' markeren"; +$a->strings["Move to folder"] = "Naar map verplaatsen"; +$a->strings["Move to folder:"] = "Verplaatsen naar map:"; +$a->strings["%s - (Unsupported)"] = ""; +$a->strings["%s - (Experimental)"] = ""; +$a->strings["Display Settings"] = "Scherminstellingen"; +$a->strings["Display Theme:"] = "Schermthema:"; +$a->strings["Mobile Theme:"] = "Mobiel thema:"; +$a->strings["Suppress warning of insecure networks"] = ""; +$a->strings["Should the system suppress the warning that the current group contains members of networks that can't receive non public postings."] = ""; +$a->strings["Update browser every xx seconds"] = "Browser elke xx seconden verversen"; +$a->strings["Minimum of 10 seconds. Enter -1 to disable it."] = ""; +$a->strings["Number of items to display per page:"] = "Aantal items te tonen per pagina:"; +$a->strings["Maximum of 100 items"] = "Maximum 100 items"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = "Aantal items per pagina als je een mobiel toestel gebruikt:"; +$a->strings["Don't show emoticons"] = "Emoticons niet tonen"; +$a->strings["Calendar"] = ""; +$a->strings["Beginning of week:"] = ""; +$a->strings["Don't show notices"] = ""; +$a->strings["Infinite scroll"] = "Oneindig scrollen"; +$a->strings["Automatic updates only at the top of the network page"] = ""; +$a->strings["When disabled, the network page is updated all the time, which could be confusing while reading."] = ""; +$a->strings["Bandwith Saver Mode"] = ""; +$a->strings["When enabled, embedded content is not displayed on automatic updates, they only show on page reload."] = ""; +$a->strings["Smart Threading"] = ""; +$a->strings["When enabled, suppress extraneous thread indentation while keeping it where it matters. Only works if threading is available and enabled."] = ""; +$a->strings["General Theme Settings"] = ""; +$a->strings["Custom Theme Settings"] = ""; +$a->strings["Content Settings"] = ""; +$a->strings["Theme settings"] = "Thema-instellingen"; +$a->strings["Unable to find your profile. Please contact your admin."] = ""; +$a->strings["Account Types"] = ""; +$a->strings["Personal Page Subtypes"] = ""; +$a->strings["Community Forum Subtypes"] = ""; +$a->strings["Personal Page"] = ""; +$a->strings["Account for a personal profile."] = ""; +$a->strings["Organisation Page"] = ""; +$a->strings["Account for an organisation that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["News Page"] = ""; +$a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["Community Forum"] = ""; +$a->strings["Account for community discussions."] = ""; +$a->strings["Normal Account Page"] = "Normale accountpagina"; +$a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; +$a->strings["Soapbox Page"] = "Zeepkist-pagina"; +$a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; +$a->strings["Public Forum"] = ""; +$a->strings["Automatically approves all contact requests."] = ""; +$a->strings["Automatic Friend Page"] = "Automatisch Vriendschapspagina"; +$a->strings["Account for a popular profile that automatically approves contact requests as \"Friends\"."] = ""; +$a->strings["Private Forum [Experimental]"] = "Privé-forum [experimenteel]"; +$a->strings["Requires manual approval of contact requests."] = ""; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Optioneel) Laat dit OpenID toe om in te loggen op deze account."; +$a->strings["Publish your default profile in your local site directory?"] = "Je standaardprofiel in je lokale gids publiceren?"; +$a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; +$a->strings["Publish your default profile in the global social directory?"] = "Je standaardprofiel in de globale sociale gids publiceren?"; +$a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Je vrienden/contacten verbergen voor bezoekers van je standaard profiel?"; +$a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; +$a->strings["Hide your profile details from anonymous viewers?"] = ""; +$a->strings["Anonymous visitors will only see your profile picture, your display name and the nickname you are using on your profile page. Disables posting public messages to Diaspora and other networks."] = ""; +$a->strings["Allow friends to post to your profile page?"] = "Vrienden toestaan om op jou profielpagina te posten?"; +$a->strings["Your contacts may write posts on your profile wall. These posts will be distributed to your contacts"] = ""; +$a->strings["Allow friends to tag your posts?"] = "Sta vrienden toe om jouw berichten te labelen?"; +$a->strings["Your contacts can add additional tags to your posts."] = ""; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Sta je mij toe om jou als mogelijke vriend voor te stellen aan nieuwe leden?"; +$a->strings["If you like, Friendica may suggest new members to add you as a contact."] = ""; +$a->strings["Permit unknown people to send you private mail?"] = "Mogen onbekende personen jou privé berichten sturen?"; +$a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; +$a->strings["Profile is not published."] = "Profiel is niet gepubliceerd."; +$a->strings["Your Identity Address is '%s' or '%s'."] = ""; +$a->strings["Automatically expire posts after this many days:"] = "Laat berichten automatisch vervallen na zo veel dagen:"; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Berichten zullen niet vervallen indien leeg. Vervallen berichten zullen worden verwijderd."; +$a->strings["Advanced expiration settings"] = "Geavanceerde instellingen voor vervallen"; +$a->strings["Advanced Expiration"] = "Geavanceerd Verval:"; +$a->strings["Expire posts:"] = "Laat berichten vervallen:"; +$a->strings["Expire personal notes:"] = "Laat persoonlijke aantekeningen verlopen:"; +$a->strings["Expire starred posts:"] = "Laat berichten met ster verlopen"; +$a->strings["Expire photos:"] = "Laat foto's vervallen:"; +$a->strings["Only expire posts by others:"] = "Laat alleen berichten door anderen vervallen:"; +$a->strings["Account Settings"] = "Account Instellingen"; +$a->strings["Password Settings"] = "Wachtwoord Instellingen"; +$a->strings["Leave password fields blank unless changing"] = "Laat de wachtwoord-velden leeg, tenzij je het wilt veranderen"; +$a->strings["Current Password:"] = "Huidig wachtwoord:"; +$a->strings["Your current password to confirm the changes"] = "Je huidig wachtwoord om de wijzigingen te bevestigen"; +$a->strings["Password:"] = "Wachtwoord:"; +$a->strings["Basic Settings"] = "Basis Instellingen"; +$a->strings["Full Name:"] = "Volledige Naam:"; +$a->strings["Email Address:"] = "E-mailadres:"; +$a->strings["Your Timezone:"] = "Je Tijdzone:"; +$a->strings["Your Language:"] = ""; +$a->strings["Set the language we use to show you friendica interface and to send you emails"] = ""; +$a->strings["Default Post Location:"] = "Standaard locatie:"; +$a->strings["Use Browser Location:"] = "Gebruik Webbrowser Locatie:"; +$a->strings["Security and Privacy Settings"] = "Instellingen voor Beveiliging en Privacy"; +$a->strings["Maximum Friend Requests/Day:"] = "Maximum aantal vriendschapsverzoeken per dag:"; +$a->strings["(to prevent spam abuse)"] = "(om spam misbruik te voorkomen)"; +$a->strings["Default Post Permissions"] = "Standaard rechten voor nieuwe berichten"; +$a->strings["(click to open/close)"] = "(klik om te openen/sluiten)"; +$a->strings["Default Private Post"] = "Standaard Privé Post"; +$a->strings["Default Public Post"] = "Standaard Publieke Post"; +$a->strings["Default Permissions for New Posts"] = "Standaard rechten voor nieuwe berichten"; +$a->strings["Maximum private messages per day from unknown people:"] = "Maximum aantal privé-berichten per dag van onbekende personen:"; +$a->strings["Notification Settings"] = "Notificatie Instellingen"; +$a->strings["By default post a status message when:"] = "Post automatisch een bericht op je tijdlijn wanneer:"; +$a->strings["accepting a friend request"] = "Een vriendschapsverzoek accepteren"; +$a->strings["joining a forum/community"] = "Lid worden van een groep/forum"; +$a->strings["making an interesting profile change"] = "Een interessante verandering aan je profiel"; +$a->strings["Send a notification email when:"] = "Stuur een notificatie e-mail wanneer:"; +$a->strings["You receive an introduction"] = "Je ontvangt een vriendschaps- of connectieverzoek"; +$a->strings["Your introductions are confirmed"] = "Jouw vriendschaps- of connectieverzoeken zijn bevestigd"; +$a->strings["Someone writes on your profile wall"] = "Iemand iets op je tijdlijn schrijft"; +$a->strings["Someone writes a followup comment"] = "Iemand een reactie schrijft"; +$a->strings["You receive a private message"] = "Je een privé-bericht ontvangt"; +$a->strings["You receive a friend suggestion"] = "Je een suggestie voor een vriendschap ontvangt"; +$a->strings["You are tagged in a post"] = "Je expliciet in een bericht bent genoemd"; +$a->strings["You are poked/prodded/etc. in a post"] = "Je in een bericht bent aangestoten/gepord/etc."; +$a->strings["Activate desktop notifications"] = ""; +$a->strings["Show desktop popup on new notifications"] = ""; +$a->strings["Text-only notification emails"] = ""; +$a->strings["Send text only notification emails, without the html part"] = ""; +$a->strings["Show detailled notifications"] = ""; +$a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; +$a->strings["Advanced Account/Page Type Settings"] = ""; +$a->strings["Change the behaviour of this account for special situations"] = ""; +$a->strings["Relocate"] = ""; +$a->strings["If you have moved this profile from another server, and some of your contacts don't receive your updates, try pushing this button."] = ""; +$a->strings["Resend relocate message to contacts"] = ""; $a->strings["Error decoding account file"] = ""; $a->strings["Error! No version data in file! This is not a Friendica account file?"] = ""; $a->strings["User '%s' already exists on this server!"] = "Gebruiker '%s' bestaat al op deze server!"; @@ -1886,36 +1890,36 @@ $a->strings["%d contact in common"] = [ 1 => "%d gedeelde contacten", ]; $a->strings["Frequently"] = "Frequent"; -$a->strings["Hourly"] = "elk uur"; -$a->strings["Twice daily"] = "Twee keer per dag"; -$a->strings["Daily"] = "dagelijks"; -$a->strings["Weekly"] = "wekelijks"; -$a->strings["Monthly"] = "maandelijks"; +$a->strings["Hourly"] = "Ieder uur"; +$a->strings["Twice daily"] = "Twee maal daags"; +$a->strings["Daily"] = "Dagelijks"; +$a->strings["Weekly"] = "Wekelijks"; +$a->strings["Monthly"] = "Maandelijks"; $a->strings["OStatus"] = "OStatus"; $a->strings["RSS/Atom"] = "RSS/Atom"; $a->strings["Facebook"] = "Facebook"; $a->strings["Zot!"] = "Zot!"; -$a->strings["LinkedIn"] = "Linkedln"; -$a->strings["XMPP/IM"] = "XMPP/IM"; -$a->strings["MySpace"] = "Myspace"; +$a->strings["LinkedIn"] = "LinkedIn"; +$a->strings["XMPP/IM"] = "XMPP/Chat"; +$a->strings["MySpace"] = "MySpace"; $a->strings["Google+"] = "Google+"; $a->strings["pump.io"] = "pump.io"; $a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = "Diaspora-connector"; -$a->strings["GNU Social Connector"] = ""; -$a->strings["pnut"] = ""; -$a->strings["App.net"] = ""; -$a->strings["Male"] = "Man"; -$a->strings["Female"] = "Vrouw"; +$a->strings["Diaspora Connector"] = "Diaspora Connector"; +$a->strings["GNU Social Connector"] = "GNU Social Connector"; +$a->strings["pnut"] = "pnut"; +$a->strings["App.net"] = "App.net"; +$a->strings["Male"] = "Mannelijk"; +$a->strings["Female"] = "Vrouwelijk"; $a->strings["Currently Male"] = "Momenteel mannelijk"; $a->strings["Currently Female"] = "Momenteel vrouwelijk"; -$a->strings["Mostly Male"] = "Meestal mannelijk"; -$a->strings["Mostly Female"] = "Meestal vrouwelijk"; +$a->strings["Mostly Male"] = "Hoofdzakelijk mannelijk"; +$a->strings["Mostly Female"] = "Hoofdzakelijk vrouwelijk"; $a->strings["Transgender"] = "Transgender"; -$a->strings["Intersex"] = "Interseksueel"; -$a->strings["Transsexual"] = "Transseksueel"; +$a->strings["Intersex"] = "Intersex"; +$a->strings["Transsexual"] = "Transeksueel"; $a->strings["Hermaphrodite"] = "Hermafrodiet"; -$a->strings["Neuter"] = "Genderneutraal"; +$a->strings["Neuter"] = "Onzijdig"; $a->strings["Non-specific"] = "Niet-specifiek"; $a->strings["Other"] = "Anders"; $a->strings["Males"] = "Mannen"; @@ -1962,9 +1966,9 @@ $a->strings["Uncertain"] = "Onzeker"; $a->strings["It's complicated"] = "Het is gecompliceerd"; $a->strings["Don't care"] = "Kan me niet schelen"; $a->strings["Ask me"] = "Vraag me"; -$a->strings["There are no tables on MyISAM."] = ""; -$a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; -$a->strings["The error message is\n[pre]%s[/pre]"] = ""; +$a->strings["There are no tables on MyISAM."] = "Er zijn geen MyISAM tabellen."; +$a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = "\n\t\t\t\tDe Friendica ontwikkelaars hebben recent update %svrijgegeven,\n \t\t\t\tmaar wanneer ik deze probeerde te installeren ging het verschrikkelijk fout.\n \t\t\t\tDit moet snel opgelost worden en ik kan het niet alleen. Contacteer alstublieft\n \t\t\t\teen Friendica ontwikkelaar als je mij zelf niet kan helpen. Mijn database kan ongeldig zijn."; +$a->strings["The error message is\n[pre]%s[/pre]"] = "De foutboodschap is\n[pre]%s[/pre]"; $a->strings["\nError %d occurred during database update:\n%s\n"] = ""; $a->strings["Errors encountered performing database changes: "] = ""; $a->strings[": Database update"] = ""; @@ -2067,6 +2071,7 @@ $a->strings["An error occurred creating your default contact group. Please try a $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = ""; $a->strings["Registration at %s"] = ""; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = ""; +$a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; $a->strings["%s is now following %s."] = "%s volgt nu %s."; $a->strings["following"] = "volgend"; $a->strings["%s stopped following %s."] = "%s stopte %s te volgen."; @@ -2141,7 +2146,7 @@ $a->strings["Check image permissions if all users are allowed to visit the image $a->strings["Select scheme"] = ""; $a->strings["Navigation bar background color"] = ""; $a->strings["Navigation bar icon color "] = ""; -$a->strings["Link color"] = ""; +$a->strings["Link color"] = "Link kleur"; $a->strings["Set the background color"] = ""; $a->strings["Content background opacity"] = ""; $a->strings["Set the background image"] = ""; From 4fd4d277f00b61ab413faf66758229e1dcd0ff09 Mon Sep 17 00:00:00 2001 From: Michael Date: Thu, 12 Apr 2018 08:55:36 +0000 Subject: [PATCH 041/112] Store in lowercase to avoid duplicates --- src/Protocol/PortableContact.php | 1 + 1 file changed, 1 insertion(+) diff --git a/src/Protocol/PortableContact.php b/src/Protocol/PortableContact.php index 20f5cb0b0..f7ea27d67 100644 --- a/src/Protocol/PortableContact.php +++ b/src/Protocol/PortableContact.php @@ -1421,6 +1421,7 @@ class PortableContact // Avoid duplicates $tags = []; foreach ($data->tags as $tag) { + $tag = strtolower($tag); $tags[$tag] = $tag; } From 130e16968ee35dbe02b73753b0a651b9eeb411cf Mon Sep 17 00:00:00 2001 From: rabuzarus Date: Thu, 12 Apr 2018 17:10:48 +0200 Subject: [PATCH 042/112] local_user() could also be a remote_user() --- boot.php | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/boot.php b/boot.php index 65867593d..217a5f4e1 100644 --- a/boot.php +++ b/boot.php @@ -953,10 +953,12 @@ function public_contact() */ function remote_user() { - // You cannot be both local and remote - if (local_user()) { - return false; - } + // You cannot be both local and remote. + // Unncommented by rabuzarus because remote authentication to local + // profiles wasn't possible anymore (2018-04-12). +// if (local_user()) { +// return false; +// } if (x($_SESSION, 'authenticated') && x($_SESSION, 'visitor_id')) { return intval($_SESSION['visitor_id']); } From e382dfcfbd6f5aebfb0b25ab0ceb05056b69857a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Thu, 12 Apr 2018 19:14:53 +0200 Subject: [PATCH 043/112] [BUGFIX] DB: Don't check DNS on IPs Fixes https://github.com/friendica/friendica/issues/4786 --- include/dba.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/include/dba.php b/include/dba.php index 586fc092f..425255834 100644 --- a/include/dba.php +++ b/include/dba.php @@ -52,7 +52,8 @@ class dba { } if ($install) { - if (strlen($server) && ($server !== 'localhost') && ($server !== '127.0.0.1')) { + // server has to be a non-empty string that is not 'localhost' and not an IP + if (strlen($server) && ($server !== 'localhost') && filter_var($server, FILTER_VALIDATE_IP) === false) { if (! dns_get_record($server, DNS_A + DNS_CNAME + DNS_PTR)) { self::$error = L10n::t('Cannot locate DNS info for database server \'%s\'', $server); return false; From f9c34fee5a0793704478ece2ee25f1f8e0a33eb5 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Thu, 12 Apr 2018 19:28:52 +0200 Subject: [PATCH 044/112] [BUGFIX] Network: Remove URL/domain DNS_PTR checks --- src/Util/Network.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/Util/Network.php b/src/Util/Network.php index bbdc51fbb..4a11f9259 100644 --- a/src/Util/Network.php +++ b/src/Util/Network.php @@ -446,7 +446,7 @@ class Network /// @TODO Really suppress function outcomes? Why not find them + debug them? $h = @parse_url($url); - if ((is_array($h)) && (@dns_get_record($h['host'], DNS_A + DNS_CNAME + DNS_PTR) || filter_var($h['host'], FILTER_VALIDATE_IP) )) { + if ((is_array($h)) && (@dns_get_record($h['host'], DNS_A + DNS_CNAME) || filter_var($h['host'], FILTER_VALIDATE_IP) )) { return $url; } @@ -471,7 +471,7 @@ class Network $h = substr($addr, strpos($addr, '@') + 1); - if (($h) && (dns_get_record($h, DNS_A + DNS_CNAME + DNS_PTR + DNS_MX) || filter_var($h, FILTER_VALIDATE_IP) )) { + if (($h) && (dns_get_record($h, DNS_A + DNS_CNAME + DNS_MX) || filter_var($h, FILTER_VALIDATE_IP) )) { return true; } return false; From 89ba3b78ff5e16301aba8f79ae5568edf4c34ed3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Thu, 12 Apr 2018 19:32:04 +0200 Subject: [PATCH 045/112] [BUGFIX] DB: Remove host DNS_PTR check DNS_PTR checks fail on some domains and result in the return value `false`, even if the domain is valid and reachable. --- include/dba.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/dba.php b/include/dba.php index 586fc092f..208cf5812 100644 --- a/include/dba.php +++ b/include/dba.php @@ -53,7 +53,7 @@ class dba { if ($install) { if (strlen($server) && ($server !== 'localhost') && ($server !== '127.0.0.1')) { - if (! dns_get_record($server, DNS_A + DNS_CNAME + DNS_PTR)) { + if (! dns_get_record($server, DNS_A + DNS_CNAME)) { self::$error = L10n::t('Cannot locate DNS info for database server \'%s\'', $server); return false; } From 145efbda7a4e6cda1eff8c2fc1f6717ec00699de Mon Sep 17 00:00:00 2001 From: Andy H3 Date: Fri, 13 Apr 2018 11:03:22 +0700 Subject: [PATCH 046/112] Update Accesskeys.md Expand intro Format keys, Capitalization Style Line breaks --- doc/Accesskeys.md | 123 ++++++++++++++++++++++++---------------------- 1 file changed, 65 insertions(+), 58 deletions(-) diff --git a/doc/Accesskeys.md b/doc/Accesskeys.md index 550a00e5a..a1807e51f 100644 --- a/doc/Accesskeys.md +++ b/doc/Accesskeys.md @@ -1,81 +1,88 @@ -Accesskeys in Friendica +Accesskeys reference ======================= * [Home](help) -For an overview of the modifier key of the different browsers we suggest this [Wikipedia](https://en.wikipedia.org/wiki/Access_key) article. +Access keys are keyboard shortcuts that allow you to easily navigate the user interface. +Access keys are currently not available with the Frio theme. + +The specific key combinations depend on how your browser's the modifier key setting. +For an overview of modifier keys in different browsers, have a lookat [Wikipedia](https://en.wikipedia.org/wiki/Access_key) article. +For example, for moving to profile page in Firefox, press these four keys simultaneously. + +[Shift] [Alt] [:] [p] General ------- -* p: profile -* n: network -* c: community -* s: search -* a: admin -* f: notifications -* u: user menu (in themes "vier" and "quattro") +* :p Profile +* :n Network +* :c Community +* :s Search +* :a Admin +* :f Notifications +* :u User menu -/community +../community -------- -* l: Local community -* g: Global community +* :l Local community +* :g Global community -/profile +../profile -------- -* m: Status Messages and Posts -* r: Profile Details -* h: Photo Albums -* v: Videos -* e: Events and Calendar -* t: Personal Notes -* k: View Contacts +* :m Status Messages and Posts +* :r Profile Details +* :h Photo Albums +* :v Videos +* :e Events and Calendar +* :t Personal Notes +* :k View Contacts -/contacts (contact list) +../contacts (contact list) --------- -* g: Suggestions -* l: Show all Contacts -* o: Only show unblocked contacts -* b: Only show blocked contacts -* i: Only show ignored contacts -* y: Only show archived contacts -* h: Only show hidden contacts +* :g Suggestions +* :l Show all Contacts +* :o Only show unblocked contacts +* :b Only show blocked contacts +* :i Only show ignored contacts +* :y Only show archived contacts +* :h Only show hidden contacts -/contacts (single contact view) +../contacts (single contact view) ------------------------------- -* m: Status messages -* o: Profile -* t: Contacts -* d: Common friends -* r: Advanced +* :m Status messages +* :o Profile +* :t Contacts +* :d Common friends +* :r Advanced -/message +../message -------- -* m: New message +* :m New message -/network +../network -------- -* e: Sort by Comment Date -* t: Sort by Post Date -* r: Conversation (Posts that mention or involve you) -* w: New posts -* b: Bookmarks -* m: Favourite Posts +* :e Sort by Comment Date +* :t Sort by Post Date +* :r Conversation (Posts that mention or involve you) +* :w New posts +* :b Bookmarks +* :m Favourite Posts -/notifications +../notifications -------------- -* y: System -* w: Network -* r: Personal -* h: Home -* i: Introductions +* :y System +* :w Network +* :r Personal +* :h Home +* :i Introductions -/settings +../settings --------- -* o: Account -* t: Additional features -* w: Social Networks -* l: Addons -* d: Delegations -* b: Connected apps -* e: Export personal data -* r: Remove account +* :o Account +* :t Additional features +* :w Social Networks +* :l Addons +* :d Delegations +* :b Connected apps +* :e Export personal data +* :r Remove account From 053cad1de5d6ff5fc0623d86f0a356d99fd68d1d Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Fri, 13 Apr 2018 07:20:36 +0200 Subject: [PATCH 047/112] update to the NL translation THX Karel --- view/lang/nl/messages.po | 6 +++--- view/lang/nl/strings.php | 4 ++-- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/view/lang/nl/messages.po b/view/lang/nl/messages.po index b3665824e..43ddd04cb 100644 --- a/view/lang/nl/messages.po +++ b/view/lang/nl/messages.po @@ -17,7 +17,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-11 14:34+0000\n" +"PO-Revision-Date: 2018-04-12 13:16+0000\n" "Last-Translator: Karel \n" "Language-Team: Dutch (http://www.transifex.com/Friendica/friendica/language/nl/)\n" "MIME-Version: 1.0\n" @@ -1649,7 +1649,7 @@ msgstr "" #: mod/repair_ostatus.php:34 msgid "Error" -msgstr "" +msgstr "Fout" #: mod/repair_ostatus.php:48 mod/ostatus_subscribe.php:64 msgid "Done" @@ -5653,7 +5653,7 @@ msgstr "" #: mod/admin.php:1364 msgid "Touch icon" -msgstr "" +msgstr "Pictogram voor smartphones" #: mod/admin.php:1364 msgid "Link to an icon that will be used for tablets and mobiles." diff --git a/view/lang/nl/strings.php b/view/lang/nl/strings.php index 64ba69524..5b74f580a 100644 --- a/view/lang/nl/strings.php +++ b/view/lang/nl/strings.php @@ -370,7 +370,7 @@ $a->strings["Edit contact"] = "Contact bewerken"; $a->strings["Contacts who are not members of a group"] = "Contacten die geen leden zijn van een groep"; $a->strings["Not Extended"] = ""; $a->strings["Resubscribing to OStatus contacts"] = ""; -$a->strings["Error"] = ""; +$a->strings["Error"] = "Fout"; $a->strings["Done"] = "Klaar"; $a->strings["Keep this window open until done."] = "Houd dit scherm open tot het klaar is"; $a->strings["Do you really want to delete this suggestion?"] = "Wil je echt dit voorstel verwijderen?"; @@ -1289,7 +1289,7 @@ $a->strings["The email address your server shall use to send notification emails $a->strings["Banner/Logo"] = "Banner/Logo"; $a->strings["Shortcut icon"] = ""; $a->strings["Link to an icon that will be used for browsers."] = ""; -$a->strings["Touch icon"] = ""; +$a->strings["Touch icon"] = "Pictogram voor smartphones"; $a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; $a->strings["Additional Info"] = ""; $a->strings["For public servers: you can add additional information here that will be listed at %s/servers."] = ""; From 27267d8e63b9da9afdcbbd18be9e570753a02bd4 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Fri, 13 Apr 2018 07:21:05 +0200 Subject: [PATCH 048/112] update to the FI translation THX Kris --- view/lang/fi-fi/messages.po | 24 ++++++++++++------------ 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/view/lang/fi-fi/messages.po b/view/lang/fi-fi/messages.po index c49bde651..172fe8ec3 100644 --- a/view/lang/fi-fi/messages.po +++ b/view/lang/fi-fi/messages.po @@ -15,7 +15,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-10 18:27+0000\n" +"PO-Revision-Date: 2018-04-12 15:55+0000\n" "Last-Translator: Kris\n" "Language-Team: Finnish (Finland) (http://www.transifex.com/Friendica/friendica/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -1298,15 +1298,15 @@ msgstr "Ole hyvä ja paina selaimesi 'Takaisin'-painiketta nyt, #: mod/crepair.php:129 mod/crepair.php:131 msgid "No mirroring" -msgstr "" +msgstr "Ei peilausta" #: mod/crepair.php:129 msgid "Mirror as forwarded posting" -msgstr "" +msgstr "Peilaa välitettynä julkaisuna" #: mod/crepair.php:129 mod/crepair.php:131 msgid "Mirror as my own posting" -msgstr "" +msgstr "Peilaa omana julkaisuna" #: mod/crepair.php:144 msgid "Return to contact editor" @@ -1334,7 +1334,7 @@ msgstr "" #: mod/crepair.php:152 msgid "Mirror postings from this contact" -msgstr "" +msgstr "Peilaa tämän kontaktin julkaisut" #: mod/crepair.php:154 msgid "" @@ -1561,7 +1561,7 @@ msgstr "" #: mod/newmember.php:40 msgid "Go to Your Site's Directory" -msgstr "" +msgstr "Näytä oman sivuston luettelo" #: mod/newmember.php:40 msgid "" @@ -1615,7 +1615,7 @@ msgstr "Avun saaminen" #: mod/newmember.php:54 msgid "Go to the Help Section" -msgstr "" +msgstr "Näytä ohjeet" #: mod/newmember.php:54 msgid "" @@ -1956,7 +1956,7 @@ msgstr "" #: mod/dfrn_confirm.php:396 msgid "Unable to set contact photo." -msgstr "" +msgstr "Kontaktin kuvaa ei voitu asettaa" #: mod/dfrn_confirm.php:498 #, php-format @@ -2387,7 +2387,7 @@ msgstr "" #: mod/profperm.php:115 mod/group.php:265 msgid "Click on a contact to add or remove." -msgstr "" +msgstr "Valitse kontakti, jota haluat poistaa tai lisätä." #: mod/profperm.php:124 msgid "Visible To" @@ -4861,7 +4861,7 @@ msgstr "" #: mod/lostpass.php:102 msgid "Request has expired, please make a new one." -msgstr "" +msgstr "Pyyntö on vanhentunut, tehkää uusi pyyntö." #: mod/lostpass.php:117 msgid "Forgot your Password?" @@ -4955,7 +4955,7 @@ msgstr "Rekisteröityminen onnistui." #: mod/register.php:115 msgid "Your registration can not be processed." -msgstr "" +msgstr "Rekisteröintisi ei voida käsitellä." #: mod/register.php:162 msgid "Your registration is pending approval by the site owner." @@ -5597,7 +5597,7 @@ msgstr "Tiedoston lataus" #: mod/admin.php:1350 msgid "Policies" -msgstr "" +msgstr "Käytännöt" #: mod/admin.php:1352 msgid "Auto Discovered Contact Directory" From 84d2906bb0b7cc6980297e9d405bda2b3e341fc1 Mon Sep 17 00:00:00 2001 From: Andy H3 Date: Fri, 13 Apr 2018 12:27:19 +0700 Subject: [PATCH 049/112] Update Accesskeys.md --- doc/Accesskeys.md | 100 +++++++++++++++++++++++----------------------- 1 file changed, 50 insertions(+), 50 deletions(-) diff --git a/doc/Accesskeys.md b/doc/Accesskeys.md index a1807e51f..dcab6698d 100644 --- a/doc/Accesskeys.md +++ b/doc/Accesskeys.md @@ -8,81 +8,81 @@ Access keys are currently not available with the Frio theme. The specific key combinations depend on how your browser's the modifier key setting. For an overview of modifier keys in different browsers, have a lookat [Wikipedia](https://en.wikipedia.org/wiki/Access_key) article. -For example, for moving to profile page in Firefox, press these four keys simultaneously. +For example, for moving to profile page in Firefox, press these three keys simultaneously. -[Shift] [Alt] [:] [p] +[Shift] [Alt] [p] General ------- -* :p Profile -* :n Network -* :c Community -* :s Search -* :a Admin -* :f Notifications -* :u User menu +* p Profile +* n Network +* c Community +* s Search +* a Admin +* f Notifications +* u User menu ../community -------- -* :l Local community -* :g Global community +* l Local community +* g Global community ../profile -------- -* :m Status Messages and Posts -* :r Profile Details -* :h Photo Albums -* :v Videos -* :e Events and Calendar -* :t Personal Notes -* :k View Contacts +* m Status Messages and Posts +* r Profile Details +* h Photo Albums +* v Videos +* e Events and Calendar +* t Personal Notes +* k View Contacts ../contacts (contact list) --------- -* :g Suggestions -* :l Show all Contacts -* :o Only show unblocked contacts -* :b Only show blocked contacts -* :i Only show ignored contacts -* :y Only show archived contacts -* :h Only show hidden contacts +* g Suggestions +* l Show all Contacts +* o Only show unblocked contacts +* b Only show blocked contacts +* i Only show ignored contacts +* y Only show archived contacts +* h Only show hidden contacts ../contacts (single contact view) ------------------------------- -* :m Status messages -* :o Profile -* :t Contacts -* :d Common friends -* :r Advanced +* m Status messages +* o Profile +* t Contacts +* d Common friends +* r Advanced ../message -------- -* :m New message +* m New message ../network -------- -* :e Sort by Comment Date -* :t Sort by Post Date -* :r Conversation (Posts that mention or involve you) -* :w New posts -* :b Bookmarks -* :m Favourite Posts +* e Sort by Comment Date +* t Sort by Post Date +* r Conversation (Posts that mention or involve you) +* w New posts +* b Bookmarks +* m Favourite Posts ../notifications -------------- -* :y System -* :w Network -* :r Personal -* :h Home -* :i Introductions +* y System +* w Network +* r Personal +* h Home +* i Introductions ../settings --------- -* :o Account -* :t Additional features -* :w Social Networks -* :l Addons -* :d Delegations -* :b Connected apps -* :e Export personal data -* :r Remove account +* o Account +* t Additional features +* w Social Networks +* l Addons +* d Delegations +* b Connected apps +* e Export personal data +* r Remove account From 62102cad7406190ca8d6ef43df29f6d0476bea04 Mon Sep 17 00:00:00 2001 From: Andy H3 Date: Fri, 13 Apr 2018 12:29:10 +0700 Subject: [PATCH 050/112] Update Accesskeys.md --- doc/Accesskeys.md | 96 +++++++++++++++++++++++------------------------ 1 file changed, 48 insertions(+), 48 deletions(-) diff --git a/doc/Accesskeys.md b/doc/Accesskeys.md index dcab6698d..7434fc049 100644 --- a/doc/Accesskeys.md +++ b/doc/Accesskeys.md @@ -14,75 +14,75 @@ For example, for moving to profile page in Firefox, press these three keys simul General ------- -* p Profile -* n Network -* c Community -* s Search -* a Admin -* f Notifications -* u User menu +* p - Profile +* n - Network +* c - Community +* s - Search +* a - Admin +* f - Notifications +* u - User menu ../community -------- -* l Local community -* g Global community +* l - Local community +* g - Global community ../profile -------- -* m Status Messages and Posts -* r Profile Details -* h Photo Albums -* v Videos -* e Events and Calendar -* t Personal Notes -* k View Contacts +* m - Status Messages and Posts +* r - Profile Details +* h - Photo Albums +* v - Videos +* e - Events and Calendar +* t - Personal Notes +* k - View Contacts ../contacts (contact list) --------- -* g Suggestions -* l Show all Contacts -* o Only show unblocked contacts -* b Only show blocked contacts -* i Only show ignored contacts -* y Only show archived contacts -* h Only show hidden contacts +* g - Suggestions +* l - Show all Contacts +* o - Only show unblocked contacts +* b - Only show blocked contacts +* i - Only show ignored contacts +* y - Only show archived contacts +* h - Only show hidden contacts ../contacts (single contact view) ------------------------------- -* m Status messages -* o Profile -* t Contacts -* d Common friends -* r Advanced +* m - Status messages +* o - Profile +* t - Contacts +* d - Common friends +* r - Advanced ../message -------- -* m New message +* m - New message ../network -------- -* e Sort by Comment Date -* t Sort by Post Date -* r Conversation (Posts that mention or involve you) -* w New posts -* b Bookmarks -* m Favourite Posts +* e - Sort by Comment Date +* t - Sort by Post Date +* r - Conversation (Posts that mention or involve you) +* w - New posts +* b - Bookmarks +* m - Favourite Posts ../notifications -------------- -* y System -* w Network -* r Personal -* h Home -* i Introductions +* y - System +* w - Network +* r - Personal +* h - Home +* i - Introductions ../settings --------- -* o Account -* t Additional features -* w Social Networks -* l Addons -* d Delegations -* b Connected apps -* e Export personal data -* r Remove account +* o - Account +* t - Additional features +* w - Social Networks +* l - Addons +* d - Delegations +* b - Connected apps +* e - Export personal data +* r - Remove account From 8686c1247896959bf3a6b61af806c8c9e924cfa2 Mon Sep 17 00:00:00 2001 From: Andy H3 Date: Fri, 13 Apr 2018 21:25:16 +0700 Subject: [PATCH 051/112] Update Account-Basics.md Minor changes to wording + rm dead link --- doc/Account-Basics.md | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/doc/Account-Basics.md b/doc/Account-Basics.md index 6d7f86c08..9dbcadc0d 100644 --- a/doc/Account-Basics.md +++ b/doc/Account-Basics.md @@ -7,10 +7,10 @@ Registration --- Not all Friendica sites allow open registration. -If registration is allowed, you will see a "Register" link immediately below the login prompt on the site home page. +If registration is allowed, you will see a "Register" link immediately below the login prompt on the site's home page. Following this link will take you to the site registration page. The strength of our network is that lots of different sites are all completely compatible with each other. -If the site you're visting doesn't allow registration, or you think you might prefer another one, you can find a [list of public servers here](https://dir.friendica.social/servers), and find one that meets your needs. +If the site you're visting doesn't allow registration, or you think you might prefer another one, there is a [list of public servers here](https://dir.friendica.social/servers) and hopefully you will find one that meets your needs. If you'd like to have your own server, you can do that too. Visit [the Friendica website](http://friendi.ca/) to download the code with setup instructions. @@ -44,7 +44,7 @@ A nickname is used to generate web addresses for many of your personal pages, an Due to the way that the nickname is used, it has some limitations. It must contain only US-ASCII text characters and numbers, and must also start with a text character. It also must be unique on this system. -This is used in many places to identify your account, and once set - cannot be changed. +This is used in many places to identify your account, and once set it cannot be changed. ###Directory Publishing @@ -59,7 +59,7 @@ Whichever you choose, this can be changed any time from your Settings page after Once you have provided the necessary details, click the 'Register' button. An email will be sent to you providing your account login details. -Please watch your email (including spam folders) for your registration details and initial password. +Please check your email (including spam folders) for your registration details and initial password. Login Page --- @@ -67,9 +67,9 @@ Login Page On the 'Login' page, please enter your login information that was provided during registration. You may use either your nickname or email address as a Login Name. -If you use your account to manage multiple '[Pages](help/Pages)' and these all have the same email address, please enter the nickname for the account you wish to manage. +If you use your account to manage other accounts and these all have the same email address, please enter the nickname for the account you wish to manage. -*If* your account has been OpenID enabled, you may use your OpenID address as a login name and leave the password blank. +If your account has been OpenID enabled, you may use your OpenID address as a login name and leave the password blank. You will be redirected to your OpenID provider to complete your authorisation. Otherwise, enter your password. @@ -84,7 +84,7 @@ After your first login, please visit the 'Settings' page from the top menu bar a Getting Started --- -A ['Tips for New Members'](newmember) link will show up on your network and home pages for two weeks to provide some important Getting Started information. +A link with ['Tips for New Members'](newmember) will show up on your network and home pages for two weeks providing key information for getting started. Retrieving Personal Data --- From eb01c61a56ec2c200e8a1f0516bfdadcda8135af Mon Sep 17 00:00:00 2001 From: Andy H3 Date: Fri, 13 Apr 2018 21:41:41 +0700 Subject: [PATCH 052/112] Update Account-Basics.md --- doc/Account-Basics.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/doc/Account-Basics.md b/doc/Account-Basics.md index 9dbcadc0d..7883a346f 100644 --- a/doc/Account-Basics.md +++ b/doc/Account-Basics.md @@ -49,7 +49,7 @@ This is used in many places to identify your account, and once set it cannot be ###Directory Publishing -The registration form also allows you to choose whether or not to list your account in the online directory. +The registration form also allows you to choose whether or not to list your account in the online directory of your node. This is like a "phone book" and you may choose to be unlisted. We recommend that you select 'Yes' so that other people (friends, family, etc.) will be able to find you. If you choose 'No', you will essentially be invisible and have few opportunities for interaction. @@ -99,6 +99,8 @@ See Also * [Profiles](help/Profiles) +* [Global Directory](help/Making-Friends#1_1) + * [Groups and Privacy](help/Groups-and-Privacy) * [Move Account](help/Move-Account) From ce7f45119605a9a846a6ad3b11cdc1cbcc389ed2 Mon Sep 17 00:00:00 2001 From: Michael Date: Fri, 13 Apr 2018 20:09:12 +0000 Subject: [PATCH 053/112] Don't show multiple calls from the "dba" class to show the essential parts of the callstack --- src/Core/System.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/Core/System.php b/src/Core/System.php index 9d360dff0..1db417eb8 100644 --- a/src/Core/System.php +++ b/src/Core/System.php @@ -64,8 +64,8 @@ class System extends BaseObject while ($func = array_pop($trace)) { if (!empty($func['class'])) { - // Don't show multiple calls from the same function (mostly used for "dba" class) - if (($previous['class'] != $func['class']) && ($previous['function'] != 'q')) { + // Don't show multiple calls from the "dba" class to show the essential parts of the callstack + if ((($previous['class'] != $func['class']) || ($func['class'] != 'dba')) && ($previous['function'] != 'q')) { $classparts = explode("\\", $func['class']); $callstack[] = array_pop($classparts).'::'.$func['function']; $previous = $func; From a53f01bacca156390799c94912264675fe0e47d8 Mon Sep 17 00:00:00 2001 From: Michael Date: Sat, 14 Apr 2018 08:03:15 +0000 Subject: [PATCH 054/112] Update the "photo" and "thumb" field in the "profile" table --- src/Model/Contact.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/src/Model/Contact.php b/src/Model/Contact.php index 644662e4e..eeecac146 100644 --- a/src/Model/Contact.php +++ b/src/Model/Contact.php @@ -220,6 +220,11 @@ class Contact extends BaseObject // Update the public contact as well dba::update('contact', $fields, ['uid' => 0, 'nurl' => $self['nurl']]); + + // Update the profile + $fields = ['photo' => System::baseUrl() . '/photo/profile/' .$uid . '.jpg', + 'thumb' => System::baseUrl() . '/photo/avatar/' . $uid .'.jpg']; + dba::update('profile', $fields, ['uid' => $uid, 'is-default' => true]); } } From c039c3083762f3f5b926a1a420f63bfa629b179d Mon Sep 17 00:00:00 2001 From: Andy H3 Date: Sat, 14 Apr 2018 16:27:49 +0700 Subject: [PATCH 055/112] Update Making-Friends.md Major changes to some outdated sections. Minor improvements, elsewhere. --- doc/Making-Friends.md | 68 ++++++++++++++++++++++++------------------- 1 file changed, 38 insertions(+), 30 deletions(-) diff --git a/doc/Making-Friends.md b/doc/Making-Friends.md index 448f125d7..d7f18298c 100644 --- a/doc/Making-Friends.md +++ b/doc/Making-Friends.md @@ -3,21 +3,23 @@ Making Friends * [Home](help) -Friendship in Friendica can take on a great many different meanings. -But let's keep it simple, you want to be friends with somebody. +Friendship in Friendica can sometimes take on different meaning. +But let's keep it simple; you want to be friends with somebody. How do you do it? The Directories --- -Friendica has two different kinds of "address book": -The directory of the Friendica server you are registered on and the global directory that collects account information across all Friendica instances. +Friendica has two different kinds of "address book". +The directory of the Friendica server you are registered on and a global directory to which your and other Friendica servers submit account information. The first thing you can do is look at the **Directory**. The directory is split up into two parts. If you click the directory button, you will be presented with a list of all members (who chose to be listed) on your server. -You'll also see a link to the **Global Directory**. -If you click through to the global directory, you will be presented with a list of everybody who chose to be listed across all instances of Friendica. +You'll also see a link to a **Global Directory**. +There are several global directories across the globe that regularly exchange information with each other. +The specific global directory that you see usually depends on where your server is located. +If you click through to the global directory, you will be presented with a list of everybody who choses to be listed across all instances of Friendica. You will also see a "Show Community Forums" link, which will direct you to Groups, Forums and Fanpages. You connect to people, groups and forums in the same way, except groups and forums will automatically accept your introduction request, whereas a human will approve you manually. @@ -26,21 +28,18 @@ Connect to other Friendica users Visit their profile. Just beneath their profile picture will be the word 'Connect' (we're assuming this is an English language profile). -Click that 'Connect' button. -It will take you to a 'Connect' form. +Click that 'Connect' button and it will take you to a 'Connect' form. The form is going to ask you for your Identity Address. This is necessary so that this person's website can find yours. -What do you put in the box? - -If your Friendica site is called "demo.friendica.com" and your username/nickname on that site is "bob", you would put in "bob@demo.friendica.com". +If your Friendica site is called "demo.friendica.com" and your username/nickname on that site is "bob", you would enter "bob@demo.friendica.com" in this form. Notice this looks just like an email address. -It was meant to be that way. +It's meant to be that way. It's easy for people to remember. -You *could* also put in the URL of your "home" page, such as "http://demo.friendica.com/profile/bob", but the email-style address is certainly easier. +You *could* also put in the URL of your "home" page, such as "http://demo.friendica.com/profile/bob" instead of the email-style address. When you've submitted the connection page, it will take you back to your own site where you must then login (if necessary) and verify the connection request on *your* site. Once you've done this, the two websites can communicate with each other to complete the process (after your new friend has approved the request). @@ -51,31 +50,40 @@ This will take you through a similar process. Connect to users of alternate networks --- -###GNU Social, Twitter, Diaspora -You can also use your Identity Address or other people's Identity Addresses to become friends across networks. -The list of possible networks is growing all the time. -If you know (for instance) "bob" on gnusocial.de (a GNU Social site) you could put bob@gnusocial.de into your Contact page and become friends across networks. -(Or you can put in the URL to Bob's gnusocial.de page if you wish). +###Across the Federation and Fedivese +You can also use your Identity Address or other people's Identity Addresses to become friends across the so-called Federation/Fedivese of open source social media. +Currently, Friendica supports connections with people on diaspora*, Red, Hubzilla, GNU Social, StatusNet, Mastodon, Pleroma, socialhome, and ganggo platforms. -You can do the same for Twitter accounts and Diaspora accounts. +If you know (for instance) "alice" on gnusocial.net (a GNU Social site) you could put alice@gnusocial.net into your Contact page and become friends across networks. +Likwise you can put in the URL to Alice's gnusocial.net page, if you wish. +Note: Some versions of GNU Social software may require the full URL to your profile and may not work with the identity address. -In fact, you can "follow" almost anybody or any website that produces a syndication feed (RSS/Atom,etc.). -If we can find an information stream and a name to attach to the contact, we'll try to connect with them. +People on these networks can also initiate contact with you, if they know your contact details. + +###Other social media +If you server provides this functionality, you can also connect with people one +Twitter or important feeds from Tumblr, Wordpress, and many more. + +To connect, enter their contact details in the "connect" box on your "Contacts" page. ###Email If you have supplied your mailbox connection information on your Settings page, you can enter the email address of anybody that has sent you a message recently and have their email messages show up in your social stream. You can also reply to them from within Friendica. -People can also become friends with you from other networks. -If a friend of yours has an GNU Social account, they can become friends with you by putting your Friendica Identity Address into their GNU Social subscription dialog box. -A similar mechanism is available for Diaspora members, by putting your identity address into their search bar. +Create an email contact with for example Alice on Gmail, enter her email in following format "mailto:alice@gmail.no". +In order to avoid abuse or spam, you must have an email from Alice with the correct email address in your email inbox. -Note: Some versions of GNU Social software may require the full URL to your profile and may not work with the identity address. +Subscribing to mailing lists is done in the same way, but without the use of the "mailto:" prefix. +To subscribe to a mailing list, enter the email in following example format "mailling-list@list-server.net". + +###Syndication feeds +You can "follow" almost anybody or any website that produces a syndication feed (RSS/Atom,etc.). +If we can find an information stream and a name to attach to the contact, we'll try to connect with them. Notification --- When somebody requests friendship you will receive a notification. -You will need to approve this before the friendship is complete. +You will usually need to approve this before the friendship is complete. Approval --- @@ -84,16 +92,16 @@ Friendica does not allow this by default, as it would open a gateway for spam. Unilateral or bilateral friendships --- -When you receive a friendship notification from another Friendica member, you will have the option of allowing them as a "fan" or as a "friend". -If they are a fan, they can see what you have to say, including private communications that you send to them, but not vice versa. +When you receive a friendship notification from another Friendica member, you will have the option of allowing them as a "Follower" or as a "Friend". +If they are a follower, they can see what you have to say, including private communications that you send to them, but not vice versa. As a friend, you can both communicate with each other. -Diaspora uses a different terminology, and you are given the option of allowing them to "share with you", or being full friends. +diaspora* uses a different terminology, and you are given the option of allowing them to "share with you", or being full friends. Ignoring, blocking and deleting contacts --- Once you have become friends, if you find the person constantly sends you spam or worthless information, you can "Ignore" them - without breaking off the friendship or even alerting them to the fact that you aren't interested in anything they are saying. -In many ways they are like a "fan" - but they don't know this. +In many ways they are like a "follower" - but they don't know this. They think they are a friend. You can also "block" a person. From 991a3d959e658f4335ffb182d417e6edd3d8fcf4 Mon Sep 17 00:00:00 2001 From: Alexandre Alapetite Date: Sun, 15 Apr 2018 10:51:22 +0200 Subject: [PATCH 056/112] Revert "Remove SQL column legacy_password" This reverts commit 82f1f2f00e4493c3d1d4ff1df9161cc0957defee. --- database.sql | 1 + src/Database/DBStructure.php | 1 + src/Model/User.php | 6 ++++-- src/Util/ExAuth.php | 2 +- update.php | 7 +++++-- 5 files changed, 12 insertions(+), 5 deletions(-) diff --git a/database.sql b/database.sql index c4b93e287..aa87247db 100644 --- a/database.sql +++ b/database.sql @@ -1019,6 +1019,7 @@ CREATE TABLE IF NOT EXISTS `user` ( `guid` varchar(64) NOT NULL DEFAULT '' COMMENT '', `username` varchar(255) NOT NULL DEFAULT '' COMMENT '', `password` varchar(255) NOT NULL DEFAULT '' COMMENT '', + `legacy_password` boolean NOT NULL DEFAULT '0' COMMENT 'Is the password hash double-hashed?', `nickname` varchar(255) NOT NULL DEFAULT '' COMMENT '', `email` varchar(255) NOT NULL DEFAULT '' COMMENT '', `openid` varchar(255) NOT NULL DEFAULT '' COMMENT '', diff --git a/src/Database/DBStructure.php b/src/Database/DBStructure.php index 275d9562b..67c8d7b8a 100644 --- a/src/Database/DBStructure.php +++ b/src/Database/DBStructure.php @@ -1726,6 +1726,7 @@ class DBStructure "guid" => ["type" => "varchar(64)", "not null" => "1", "default" => "", "comment" => ""], "username" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], "password" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], + "legacy_password" => ["type" => "boolean", "not null" => "1", "default" => "0", "comment" => "Is the password hash double-hashed?"], "nickname" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], "email" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], "openid" => ["type" => "varchar(255)", "not null" => "1", "default" => "", "comment" => ""], diff --git a/src/Model/User.php b/src/Model/User.php index 27f7ff66f..d66c73d7e 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -170,12 +170,13 @@ class User if (!isset($user['uid']) || !isset($user['password']) + || !isset($user['legacy_password']) ) { throw new Exception(L10n::t('Not enough information to authenticate')); } } elseif (is_int($user_info) || is_string($user_info)) { if (is_int($user_info)) { - $user = dba::selectFirst('user', ['uid', 'password'], + $user = dba::selectFirst('user', ['uid', 'password', 'legacy_password'], [ 'uid' => $user_info, 'blocked' => 0, @@ -185,7 +186,7 @@ class User ] ); } else { - $user = dba::fetch_first('SELECT `uid`, `password` + $user = dba::fetch_first('SELECT `uid`, `password`, `legacy_password` FROM `user` WHERE (`email` = ? OR `username` = ? OR `nickname` = ?) AND `blocked` = 0 @@ -276,6 +277,7 @@ class User 'password' => $pasword_hashed, 'pwdreset' => null, 'pwdreset_time' => null, + 'legacy_password' => false ]; return dba::update('user', $fields, ['uid' => $uid]); } diff --git a/src/Util/ExAuth.php b/src/Util/ExAuth.php index cdf663b42..d4436e32a 100644 --- a/src/Util/ExAuth.php +++ b/src/Util/ExAuth.php @@ -226,7 +226,7 @@ class ExAuth if ($a->get_hostname() == $aCommand[2]) { $this->writeLog(LOG_INFO, 'internal auth for ' . $sUser . '@' . $aCommand[2]); - $aUser = dba::selectFirst('user', ['uid', 'password'], ['nickname' => $sUser]); + $aUser = dba::selectFirst('user', ['uid', 'password', 'legacy_password'], ['nickname' => $sUser]); if (DBM::is_result($aUser)) { $uid = $aUser['uid']; $success = User::authenticate($aUser, $aCommand[3]); diff --git a/update.php b/update.php index 0cbc0302f..bc14b3a29 100644 --- a/update.php +++ b/update.php @@ -149,9 +149,12 @@ function update_1203() { } function update_1244() { + // Sets legacy_password for all legacy hashes + dba::update('user', ['legacy_password' => true], ['SUBSTR(password, 1, 4) != "$2y$"']); + // All legacy hashes are re-hashed using the new secure hashing function - $stmt = dba::select('user', ['uid', 'password'], ['password NOT LIKE "$%"']); - while ($user = dba::fetch($stmt)) { + $stmt = dba::select('user', ['uid', 'password'], ['legacy_password' => true]); + while($user = dba::fetch($stmt)) { dba::update('user', ['password' => User::hashPassword($user['password'])], ['uid' => $user['uid']]); } From 360e2e6342499cc2fc071cc8a8c1729ca3cd3460 Mon Sep 17 00:00:00 2001 From: Alexandre Alapetite Date: Sun, 15 Apr 2018 11:12:32 +0200 Subject: [PATCH 057/112] Revert removal of legacy_password column https://github.com/friendica/friendica/pull/4782#issuecomment-380978218 --- src/Model/User.php | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/src/Model/User.php b/src/Model/User.php index d66c73d7e..2621897f4 100644 --- a/src/Model/User.php +++ b/src/Model/User.php @@ -128,12 +128,22 @@ class User $user = self::getAuthenticationInfo($user_info); if (strpos($user['password'], '$') === false) { + //Legacy hash that has not been replaced by a new hash yet if (self::hashPasswordLegacy($password) === $user['password']) { self::updatePassword($user['uid'], $password); + return $user['uid']; + } + } elseif (!empty($user['legacy_password'])) { + //Legacy hash that has been double-hashed and not replaced by a new hash yet + //Warning: `legacy_password` is not necessary in sync with the content of `password` + if (password_verify(self::hashPasswordLegacy($password), $user['password'])) { + self::updatePassword($user['uid'], $password); + return $user['uid']; } } elseif (password_verify($password, $user['password'])) { + //New password hash if (password_needs_rehash($user['password'], PASSWORD_DEFAULT)) { self::updatePassword($user['uid'], $password); } From d149541dba6f7f548e1cddd9ce3eb5ed00881e62 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Sun, 15 Apr 2018 11:39:05 +0200 Subject: [PATCH 058/112] notify admin when user deletes account --- include/enotify.php | 2 +- mod/removeme.php | 21 +++++++++++++++++++++ 2 files changed, 22 insertions(+), 1 deletion(-) diff --git a/include/enotify.php b/include/enotify.php index 68208ec5a..39c74fdc6 100644 --- a/include/enotify.php +++ b/include/enotify.php @@ -357,7 +357,7 @@ function notification($params) if ($params['type'] == NOTIFY_SYSTEM) { switch($params['event']) { case "SYSTEM_REGISTER_REQUEST": - $subject = L10n::t('[Friendica System:Notify] registration request'); + $subject = L10n::t('[Friendica System Notify]') . ' ' . L10n::t('registration request'); $preamble = L10n::t('You\'ve received a registration request from \'%1$s\' at %2$s', $params['source_name'], $sitename); $epreamble = L10n::t('You\'ve received a [url=%1$s]registration request[/url] from %2$s.', diff --git a/mod/removeme.php b/mod/removeme.php index 0363bf9f3..252357c80 100644 --- a/mod/removeme.php +++ b/mod/removeme.php @@ -7,6 +7,8 @@ use Friendica\Core\L10n; use Friendica\Core\System; use Friendica\Model\User; +require_once 'include/enotify.php'; + function removeme_post(App $a) { if (!local_user()) { @@ -29,6 +31,25 @@ function removeme_post(App $a) return; } + // send notification to admins so that they can clean um the backups + // send email to admins + $admin_mail_list = "'" . implode("','", array_map(dbesc, explode(",", str_replace(" ", "", $a->config['admin_email'])))) . "'"; + $adminlist = q("SELECT uid, language, email FROM user WHERE email IN (%s)", + $admin_mail_list + ); + foreach ($adminlist as $admin) { + notification([ + 'type' => SYSTEM_EMAIL, + 'subject' => L10n::t('[Friendica System Notify]') . ' ' . L10n::t('User deleted their account'), + 'preamble' => L10n::t('On your Friendica node an user deleted their account. Please ensure that their data is removed from the backups.'), + 'body' => L10n::t('The user id is %d', local_user()), + 'to_email' => $admin['email'], + 'uid' => $admin['uid'], + 'language' => $admin['language'] ? $admin['language'] : 'en', + 'show_in_notification_page' => false + ]); + } + if (User::authenticate($a->user, trim($_POST['qxz_password']))) { User::remove($a->user['uid']); // NOTREACHED From 6eba2ccd9bba904f2486eb0606d514dea3f7f441 Mon Sep 17 00:00:00 2001 From: Michael Date: Sun, 15 Apr 2018 19:01:19 +0000 Subject: [PATCH 059/112] Forum posts now show the author when posted to Diaspora --- src/Protocol/Diaspora.php | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/src/Protocol/Diaspora.php b/src/Protocol/Diaspora.php index f8e4c11b2..5d69b13d7 100644 --- a/src/Protocol/Diaspora.php +++ b/src/Protocol/Diaspora.php @@ -3760,6 +3760,12 @@ class Diaspora $title = $item["title"]; $body = $item["body"]; + if ($item['author-link'] != $item['owner-link']) { + require_once 'mod/share.php'; + $body = share_header($item['author-name'], $item['author-link'], $item['author-avatar'], + "", $item['created'], $item['plink']) . $body . '[/share]'; + } + // convert to markdown $body = html_entity_decode(BBCode::toMarkdown($body)); From 537394e45c17b078cc8d5f73976f5d3821e44318 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 16 Apr 2018 07:09:08 +0200 Subject: [PATCH 060/112] update to the PL translation THX waldis --- view/lang/pl/messages.po | 34 +++++++++++++++++----------------- view/lang/pl/strings.php | 32 ++++++++++++++++---------------- 2 files changed, 33 insertions(+), 33 deletions(-) diff --git a/view/lang/pl/messages.po b/view/lang/pl/messages.po index d3781fc73..986f551d1 100644 --- a/view/lang/pl/messages.po +++ b/view/lang/pl/messages.po @@ -39,7 +39,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-10 19:14+0000\n" +"PO-Revision-Date: 2018-04-15 10:14+0000\n" "Last-Translator: Waldemar Stoczkowski \n" "Language-Team: Polish (http://www.transifex.com/Friendica/friendica/language/pl/)\n" "MIME-Version: 1.0\n" @@ -229,17 +229,17 @@ msgstr "%1$s[url=%2$s]udostępnił wpis[/url]." #: include/enotify.php:228 #, php-format msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica: Powiadomienie] %1$s poked you" +msgstr "[Friendica: Powiadomienie] %1$s zaczepia Cię" #: include/enotify.php:230 #, php-format msgid "%1$s poked you at %2$s" -msgstr "" +msgstr "%1$s zaczepił Cię %2$s" #: include/enotify.php:231 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "" +msgstr "%1$s[url=%2$s] zaczepił Cię[/url]." #: include/enotify.php:247 #, php-format @@ -511,7 +511,7 @@ msgstr "%1$s jest teraz znajomym z %2$s" #: include/conversation.php:250 #, php-format msgid "%1$s poked %2$s" -msgstr "" +msgstr "%1$s zaczepił Cię %2$s" #: include/conversation.php:304 mod/tagger.php:110 #, php-format @@ -520,7 +520,7 @@ msgstr "%1$s zaznaczył %2$s'go %3$s przy użyciu %4$s" #: include/conversation.php:331 msgid "post/item" -msgstr "" +msgstr "stanowisko/pozycja" #: include/conversation.php:332 #, php-format @@ -1001,7 +1001,7 @@ msgstr "zaczep" #: include/text.php:1074 msgid "poked" -msgstr "zaczepiony" +msgstr "zaczepił Cię" #: include/text.php:1075 msgid "ping" @@ -1502,7 +1502,7 @@ msgstr "Pierwsze kroki" #: mod/newmember.php:17 msgid "Friendica Walk-Through" -msgstr "" +msgstr "Friendica Przejdź-Przez" #: mod/newmember.php:17 msgid "" @@ -2384,7 +2384,7 @@ msgstr "Wyślij zgłoszenie" #: mod/localtime.php:19 src/Model/Event.php:36 src/Model/Event.php:814 msgid "l F d, Y \\@ g:i A" -msgstr "l F d, R \\@ g:m AM/PM" +msgstr "" #: mod/localtime.php:33 msgid "Time Conversion" @@ -6969,7 +6969,7 @@ msgstr "Wbudowane wsparcie dla %s łączność jest %s" #: mod/settings.php:806 msgid "GNU Social (OStatus)" -msgstr "" +msgstr "GNU Społeczny (OStatus)" #: mod/settings.php:837 msgid "Email access is disabled on this site." @@ -7595,7 +7595,7 @@ msgstr "Jesteś oznaczony tagiem w poście" #: mod/settings.php:1264 msgid "You are poked/prodded/etc. in a post" -msgstr "" +msgstr "Jesteś zaczepiony/zaczepiona/itp. w poście" #: mod/settings.php:1266 msgid "Activate desktop notifications" @@ -8423,7 +8423,7 @@ msgstr "Łącze Diaspora" #: src/Content/ContactSelector.php:93 msgid "GNU Social Connector" -msgstr "" +msgstr "GNU Połączenie Społecznościowe" #: src/Content/ContactSelector.php:94 msgid "pnut" @@ -8431,7 +8431,7 @@ msgstr "" #: src/Content/ContactSelector.php:95 msgid "App.net" -msgstr "" +msgstr "App.net" #: src/Content/ContactSelector.php:125 msgid "Male" @@ -8459,7 +8459,7 @@ msgstr "Głównie kobieta" #: src/Content/ContactSelector.php:125 msgid "Transgender" -msgstr "" +msgstr "Transseksualny" #: src/Content/ContactSelector.php:125 msgid "Intersex" @@ -8961,12 +8961,12 @@ msgstr "Urodziny %s" #: src/Model/Event.php:53 src/Model/Event.php:70 src/Model/Event.php:419 #: src/Model/Event.php:882 msgid "Starts:" -msgstr "Start:" +msgstr "Rozpoczęcie:" #: src/Model/Event.php:56 src/Model/Event.php:76 src/Model/Event.php:420 #: src/Model/Event.php:886 msgid "Finishes:" -msgstr "Wykończenia:" +msgstr "Zakończenie:" #: src/Model/Event.php:368 msgid "all-day" @@ -9380,7 +9380,7 @@ msgstr "" #: view/theme/duepuntozero/config.php:57 msgid "easterbunny" -msgstr "" +msgstr "Zajączek wielkanocny" #: view/theme/duepuntozero/config.php:58 msgid "darkzero" diff --git a/view/lang/pl/strings.php b/view/lang/pl/strings.php index 705afb5fb..72f28b4a1 100644 --- a/view/lang/pl/strings.php +++ b/view/lang/pl/strings.php @@ -49,9 +49,9 @@ $a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]oznaczył $a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Powiadomienie] %s udostępnił nowy wpis"; $a->strings["%1\$s shared a new post at %2\$s"] = "%1\$sudostępnił nowy wpis na %2\$s "; $a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s[url=%2\$s]udostępnił wpis[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica: Powiadomienie] %1\$s poked you"; -$a->strings["%1\$s poked you at %2\$s"] = ""; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = ""; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica: Powiadomienie] %1\$s zaczepia Cię"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s zaczepił Cię %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s[url=%2\$s] zaczepił Cię[/url]."; $a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Powiadomienie] %s otagował Twój post"; $a->strings["%1\$s tagged your post at %2\$s"] = "%1\$soznaczyłeś swój wpis na %2\$s "; $a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$soznacz [url=%2\$s]twój post[/url]"; @@ -99,9 +99,9 @@ $a->strings["%1\$s attends %2\$s's %3\$s"] = "%1\$sbierze udział w %2\$s's%3\$s $a->strings["%1\$s doesn't attend %2\$s's %3\$s"] = "%1\$s nie uczestniczy %2\$s 's %3\$s"; $a->strings["%1\$s attends maybe %2\$s's %3\$s"] = "%1\$s może uczęszcza %2\$s 's %3\$s"; $a->strings["%1\$s is now friends with %2\$s"] = "%1\$s jest teraz znajomym z %2\$s"; -$a->strings["%1\$s poked %2\$s"] = ""; +$a->strings["%1\$s poked %2\$s"] = "%1\$s zaczepił Cię %2\$s"; $a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s zaznaczył %2\$s'go %3\$s przy użyciu %4\$s"; -$a->strings["post/item"] = ""; +$a->strings["post/item"] = "stanowisko/pozycja"; $a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s oznacz %2\$s's %3\$s jako ulubione"; $a->strings["Likes"] = "Lubię to"; $a->strings["Dislikes"] = "Nie lubię tego"; @@ -234,7 +234,7 @@ $a->strings["Tags"] = "Tagi"; $a->strings["Contacts"] = "Kontakty"; $a->strings["Forums"] = "Fora"; $a->strings["poke"] = "zaczep"; -$a->strings["poked"] = "zaczepiony"; +$a->strings["poked"] = "zaczepił Cię"; $a->strings["ping"] = "ping"; $a->strings["pinged"] = ""; $a->strings["prod"] = ""; @@ -353,7 +353,7 @@ $a->strings["Welcome to Friendica"] = "Witamy na Friendica"; $a->strings["New Member Checklist"] = "Lista nowych członków"; $a->strings["We would like to offer some tips and links to help make your experience enjoyable. Click any item to visit the relevant page. A link to this page will be visible from your home page for two weeks after your initial registration and then will quietly disappear."] = "Chcielibyśmy zaproponować kilka porad i linków, które pomogą uczynić twoje doświadczenie przyjemnym. Kliknij dowolny element, aby odwiedzić odpowiednią stronę. Link do tej strony będzie widoczny na stronie głównej przez dwa tygodnie od czasu rejestracji, a następnie zniknie."; $a->strings["Getting Started"] = "Pierwsze kroki"; -$a->strings["Friendica Walk-Through"] = ""; +$a->strings["Friendica Walk-Through"] = "Friendica Przejdź-Przez"; $a->strings["On your Quick Start page - find a brief introduction to your profile and network tabs, make some new connections, and find some groups to join."] = "Na stronie Szybki start - znajdź krótkie wprowadzenie do swojego profilu i kart sieciowych, stwórz nowe połączenia i znajdź kilka grup do przyłączenia się."; $a->strings["Settings"] = "Ustawienia"; $a->strings["Go to Your Settings"] = "Idź do swoich ustawień"; @@ -545,7 +545,7 @@ $a->strings["Diaspora (Socialhome, Hubzilla)"] = "Diaspora (Socialhome, Hubzilla $a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = "- proszę nie używać tego formularza. Zamiast tego wpisz %s do paska wyszukiwania Diaspory."; $a->strings["Your Identity Address:"] = "Twój adres tożsamości:"; $a->strings["Submit Request"] = "Wyślij zgłoszenie"; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, R \\@ g:m AM/PM"; +$a->strings["l F d, Y \\@ g:i A"] = ""; $a->strings["Time Conversion"] = "Zmiana czasu"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica udostępnia tę usługę do udostępniania wydarzeń innym sieciom i znajomym w nieznanych strefach czasowych."; $a->strings["UTC time: %s"] = "Czas UTC %s"; @@ -1594,7 +1594,7 @@ $a->strings["Diaspora"] = "Diaspora"; $a->strings["enabled"] = "włączony"; $a->strings["disabled"] = "wyłączony"; $a->strings["Built-in support for %s connectivity is %s"] = "Wbudowane wsparcie dla %s łączność jest %s"; -$a->strings["GNU Social (OStatus)"] = ""; +$a->strings["GNU Social (OStatus)"] = "GNU Społeczny (OStatus)"; $a->strings["Email access is disabled on this site."] = "Dostęp do e-maila nie jest w pełni sprawny na tej stronie"; $a->strings["General Social Media Settings"] = "Ogólne ustawienia mediów społecznościowych"; $a->strings["Disable Content Warning"] = "Wyłącz ostrzeżenie o treści"; @@ -1736,7 +1736,7 @@ $a->strings["Someone writes a followup comment"] = "Ktoś pisze komentarz nawią $a->strings["You receive a private message"] = "Otrzymałeś prywatną wiadomość"; $a->strings["You receive a friend suggestion"] = "Otrzymane propozycje znajomych"; $a->strings["You are tagged in a post"] = "Jesteś oznaczony tagiem w poście"; -$a->strings["You are poked/prodded/etc. in a post"] = ""; +$a->strings["You are poked/prodded/etc. in a post"] = "Jesteś zaczepiony/zaczepiona/itp. w poście"; $a->strings["Activate desktop notifications"] = "Aktywuj powiadomienia na pulpicie"; $a->strings["Show desktop popup on new notifications"] = "Pokaż wyskakujące okienko dla nowych powiadomień"; $a->strings["Text-only notification emails"] = "E-maile z powiadomieniami tekstowymi"; @@ -1948,16 +1948,16 @@ $a->strings["Google+"] = "Google+"; $a->strings["pump.io"] = "pump.io"; $a->strings["Twitter"] = "Twitter"; $a->strings["Diaspora Connector"] = "Łącze Diaspora"; -$a->strings["GNU Social Connector"] = ""; +$a->strings["GNU Social Connector"] = "GNU Połączenie Społecznościowe"; $a->strings["pnut"] = ""; -$a->strings["App.net"] = ""; +$a->strings["App.net"] = "App.net"; $a->strings["Male"] = "Mężczyzna"; $a->strings["Female"] = "Kobieta"; $a->strings["Currently Male"] = "Obecnie mężczyzna"; $a->strings["Currently Female"] = "Obecnie Kobieta"; $a->strings["Mostly Male"] = "Głównie mężczyzna"; $a->strings["Mostly Female"] = "Głównie kobieta"; -$a->strings["Transgender"] = ""; +$a->strings["Transgender"] = "Transseksualny"; $a->strings["Intersex"] = "Interseksualne"; $a->strings["Transsexual"] = "Transseksualny"; $a->strings["Hermaphrodite"] = "Hermafrodyta"; @@ -2074,8 +2074,8 @@ $a->strings["Limited profile. This person will be unable to receive direct/perso $a->strings["Unable to retrieve contact information."] = "Nie można otrzymać informacji kontaktowych"; $a->strings["%s's birthday"] = "Urodziny %s"; $a->strings["Happy Birthday %s"] = "Urodziny %s"; -$a->strings["Starts:"] = "Start:"; -$a->strings["Finishes:"] = "Wykończenia:"; +$a->strings["Starts:"] = "Rozpoczęcie:"; +$a->strings["Finishes:"] = "Zakończenie:"; $a->strings["all-day"] = "cały dzień"; $a->strings["Jun"] = "cze"; $a->strings["Sept"] = "wrz"; @@ -2171,7 +2171,7 @@ $a->strings["Delete this item?"] = "Usunąć ten element?"; $a->strings["show fewer"] = "Pokaż mniej"; $a->strings["greenzero"] = ""; $a->strings["purplezero"] = ""; -$a->strings["easterbunny"] = ""; +$a->strings["easterbunny"] = "Zajączek wielkanocny"; $a->strings["darkzero"] = ""; $a->strings["comix"] = ""; $a->strings["slackr"] = ""; From 72a2896d1fa14393ffe1ee81bdcf98d608b85628 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 16 Apr 2018 09:27:16 +0200 Subject: [PATCH 061/112] profile data is transmitted to other nodes --- src/Module/Tos.php | 1 + 1 file changed, 1 insertion(+) diff --git a/src/Module/Tos.php b/src/Module/Tos.php index a5ace5195..e08e5a1f4 100644 --- a/src/Module/Tos.php +++ b/src/Module/Tos.php @@ -50,6 +50,7 @@ class Tos extends BaseModule '$displayprivstatement' => Config::get('system', 'tosprivstatement'), '$privstatementtitle' => L10n::t("Privacy Statement"), '$privoperate' => L10n::t('At the time of registration, and for providing communications between the user account and their contacts, the user has to provide a display name (pen name), an username (nickname) and a working email address. The names will be accessible on the profile page of the account by any visitor of the page, even if other profile details are not displayed. The email address will only be used to send the user notifications about interactions, but wont be visibly displayed. The listing of an account in the node\'s user directory or the global user directory is optional and can be controlled in the user settings, it is not necessary for communication.'), + '$privdistribute' => L10n::t('This data is required for communication and is passed on to the nodes of the communication partners. Users can enter additional private data that may be transmitted to the communication partners accounts.'), '$privdelete' => L10n::t('At any point in time a logged in user can export their account data from the account settings. If the user wants to delete their account they can do so at %1$s/removeme. The deletion of the account will be permanent.', System::baseurl()) ]); } else { From f3c8631cbd9c31a0eb324fcf5b1b58b33c0c7ad1 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 16 Apr 2018 10:25:39 +0200 Subject: [PATCH 062/112] display the thing --- view/templates/tos.tpl | 1 + 1 file changed, 1 insertion(+) diff --git a/view/templates/tos.tpl b/view/templates/tos.tpl index 0f3d3c24b..235567898 100644 --- a/view/templates/tos.tpl +++ b/view/templates/tos.tpl @@ -5,6 +5,7 @@ {{if $displayprivstatement}}

{{$privstatementtitle}}

{{$privoperate}}

+

{{$privdistribute}}

{{$privdelete}}

{{/if}} From 03748ddd6464bdc636ee8ff404d4f6f5380f5df3 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Mon, 16 Apr 2018 10:57:27 +0200 Subject: [PATCH 063/112] [FEATURE] Install Script: Add first version --- auto_install.php | 164 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 164 insertions(+) create mode 100644 auto_install.php diff --git a/auto_install.php b/auto_install.php new file mode 100644 index 000000000..ef30d1912 --- /dev/null +++ b/auto_install.php @@ -0,0 +1,164 @@ +config['php_path'])) { + check_php($app->config['php_path'], $checks); + } else { + die(" ERROR: The php_path is not set in the config. Please check the file .htconfig.php.\n"); + } + + echo " NOTICE: Not checking .htaccess/URL-Rewrite during CLI installation.\n"; + + return $checks; +} + +function run_database_check() +{ + global $db_host; + global $db_user; + global $db_pass; + global $db_data; + + $result = array( + 'title' => 'MySQL Connection', + 'required' => true, + 'status' => true, + 'help' => '', + ); + + if (!dba::connect($db_host, $db_user, $db_pass, $db_data, true)) { + $result['status'] = false; + $result['help'] = 'Failed, please check your MySQL settings and credentials.'; + } + + return $result; +} From 791071a1c640d04d79c2770d3f7f730a3048df96 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Mon, 16 Apr 2018 14:56:02 +0200 Subject: [PATCH 064/112] [CLEANUP] Code: Remove function --- auto_install.php | 11 +++-------- 1 file changed, 3 insertions(+), 8 deletions(-) diff --git a/auto_install.php b/auto_install.php index ef30d1912..bc418d688 100644 --- a/auto_install.php +++ b/auto_install.php @@ -13,7 +13,9 @@ if (file_exists('.htconfig.php') && filesize('.htconfig.php')) { } // Remove die from config file -copy_config_file(); +$fileContent = file_get_contents('./htconfig.php'); +$fileContent = str_replace('die', '//die', $fileContent); +file_put_contents('.htautoinstall.php', $fileContent); require_once 'boot.php'; require_once 'mod/install.php'; @@ -109,13 +111,6 @@ echo " Complete!\n\n"; echo "\nInstallation is finished\n"; -function copy_config_file() -{ - $fileContent = file_get_contents('./htconfig.php'); - $fileContent = str_replace('die', '//die', $fileContent); - file_put_contents('.htautoinstall.php', $fileContent); -} - /** * @param App $app * @return array From 150843af5f816cc0a54307bb5842bf45b5022101 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 16 Apr 2018 17:28:19 +0200 Subject: [PATCH 065/112] new info mail address --- mod/friendica.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mod/friendica.php b/mod/friendica.php index 43e518359..661c4bf98 100644 --- a/mod/friendica.php +++ b/mod/friendica.php @@ -86,7 +86,7 @@ function friendica_content(App $a) $o .= L10n::t('Bug reports and issues: please visit') . ' ' . ''.L10n::t('the bugtracker at github').''; $o .= '

' . PHP_EOL; $o .= '

'; - $o .= L10n::t('Suggestions, praise, donations, etc. - please email "Info" at Friendica - dot com'); + $o .= L10n::t('Suggestions, praise, etc. - please email "info" at "friendi - dot - ca'); $o .= '

' . PHP_EOL; $visible_addons = []; From cc40dcf83cbaa953ca6878aeabf25c96549593a7 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Wed, 11 Apr 2018 23:28:05 -0400 Subject: [PATCH 066/112] Add dbstructure_definition hook call --- src/Database/DBStructure.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/Database/DBStructure.php b/src/Database/DBStructure.php index 67c8d7b8a..bccd70372 100644 --- a/src/Database/DBStructure.php +++ b/src/Database/DBStructure.php @@ -1803,6 +1803,8 @@ class DBStructure ] ]; + \Friendica\Core\Addon::callHooks('dbstructure_definition', $database); + return $database; } } From 54b75026fce057829f65eb194fb1ff231b2fbf78 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Wed, 11 Apr 2018 23:28:51 -0400 Subject: [PATCH 067/112] Add header support for security token check --- include/security.php | 17 +++++++++++++---- 1 file changed, 13 insertions(+), 4 deletions(-) diff --git a/include/security.php b/include/security.php index af424df26..b13a507cf 100644 --- a/include/security.php +++ b/include/security.php @@ -405,12 +405,21 @@ function get_form_security_token($typename = '') function check_form_security_token($typename = '', $formname = 'form_security_token') { - if (!x($_REQUEST, $formname)) { - return false; + $hash = null; + + if (!empty($_REQUEST[$formname])) { + /// @TODO Careful, not secured! + $hash = $_REQUEST[$formname]; } - /// @TODO Careful, not secured! - $hash = $_REQUEST[$formname]; + if (!empty($_SERVER['HTTP_X_CSRF_TOKEN'])) { + /// @TODO Careful, not secured! + $hash = $_SERVER['HTTP_X_CSRF_TOKEN']; + } + + if (empty($hash)) { + return false; + } $max_livetime = 10800; // 3 hours From 17a0cc4f3dafadf97b45b69f742130d7b4ae3e87 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Sat, 14 Apr 2018 17:54:16 -0400 Subject: [PATCH 068/112] Add Model\Term::populateTagsFromItem method --- src/Model/Term.php | 53 ++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 53 insertions(+) diff --git a/src/Model/Term.php b/src/Model/Term.php index d950d1d5f..03f19197a 100644 --- a/src/Model/Term.php +++ b/src/Model/Term.php @@ -9,6 +9,7 @@ use Friendica\Database\DBM; use dba; require_once 'boot.php'; +require_once 'include/conversation.php'; require_once 'include/dba.php'; class Term @@ -168,4 +169,56 @@ class Term } } } + + /** + * Sorts an item's tags into mentions, hashtags and other tags. Generate personalized URLs by user and modify the + * provided item's body with them. + * + * @param array $item + * @return array + */ + public static function populateTagsFromItem(&$item) + { + $return = [ + 'tags' => [], + 'hashtags' => [], + 'mentions' => [], + ]; + + $searchpath = System::baseUrl() . "/search?tag="; + + $taglist = dba::select( + 'term', + ['type', 'term', 'url'], + ["`otype` = ? AND `oid` = ? AND `type` IN (?, ?)", TERM_OBJ_POST, $item['id'], TERM_HASHTAG, TERM_MENTION], + ['order' => ['tid']] + ); + + while ($tag = dba::fetch($taglist)) { + if ($tag["url"] == "") { + $tag["url"] = $searchpath . strtolower($tag["term"]); + } + + $orig_tag = $tag["url"]; + + $tag["url"] = best_link_url($item, $sp, $tag["url"]); + + if ($tag["type"] == TERM_HASHTAG) { + if ($orig_tag != $tag["url"]) { + $item['body'] = str_replace($orig_tag, $tag["url"], $item['body']); + } + + $return['hashtags'][] = "#" . $tag["term"] . ""; + $prefix = "#"; + } elseif ($tag["type"] == TERM_MENTION) { + $return['mentions'][] = "@" . $tag["term"] . ""; + $prefix = "@"; + } + + $return['tags'][] = $prefix . "" . $tag["term"] . ""; + } + dba::close($taglist); + + return $return; + } } From 98f64ed8242d3f3b270ad90cdc7a658a6bdca067 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Sat, 14 Apr 2018 17:55:07 -0400 Subject: [PATCH 069/112] Replace duplicate behaviors by Model\Term::populateTagsFromItem - Replaced in include/conversation - Replaced in include/text --- include/conversation.php | 34 ++++------------------------------ include/text.php | 40 ++++------------------------------------ 2 files changed, 8 insertions(+), 66 deletions(-) diff --git a/include/conversation.php b/include/conversation.php index 8a2887d6b..41f10959b 100644 --- a/include/conversation.php +++ b/include/conversation.php @@ -668,33 +668,7 @@ function conversation(App $a, $items, $mode, $update, $preview = false, $order = $profile_name = $item['author-link']; } - $tags = []; - $hashtags = []; - $mentions = []; - - $searchpath = System::baseUrl()."/search?tag="; - - $taglist = dba::select('term', ['type', 'term', 'url'], - ["`otype` = ? AND `oid` = ? AND `type` IN (?, ?)", TERM_OBJ_POST, $item['id'], TERM_HASHTAG, TERM_MENTION], - ['order' => ['tid']]); - - while ($tag = dba::fetch($taglist)) { - if ($tag["url"] == "") { - $tag["url"] = $searchpath . strtolower($tag["term"]); - } - - $tag["url"] = best_link_url($item, $sp, $tag["url"]); - - if ($tag["type"] == TERM_HASHTAG) { - $hashtags[] = "#" . $tag["term"] . ""; - $prefix = "#"; - } elseif ($tag["type"] == TERM_MENTION) { - $mentions[] = "@" . $tag["term"] . ""; - $prefix = "@"; - } - $tags[] = $prefix."" . $tag["term"] . ""; - } - dba::close($taglist); + $tags = \Friendica\Model\Term::populateTagsFromItem($item); $sp = false; $profile_link = best_link_url($item, $sp); @@ -764,9 +738,9 @@ function conversation(App $a, $items, $mode, $update, $preview = false, $order = } $body_e = $body; - $tags_e = $tags; - $hashtags_e = $hashtags; - $mentions_e = $mentions; + $tags_e = $tags['tags']; + $hashtags_e = $tags['hashtags']; + $mentions_e = $tags['mentions']; $location_e = $location; $owner_name_e = $owner_name; diff --git a/include/text.php b/include/text.php index ee8a213ff..2ec017caf 100644 --- a/include/text.php +++ b/include/text.php @@ -1234,12 +1234,6 @@ function prepare_body(array &$item, $attach = false, $is_preview = false) $a = get_app(); Addon::callHooks('prepare_body_init', $item); - $searchpath = System::baseUrl() . "/search?tag="; - - $tags = []; - $hashtags = []; - $mentions = []; - // In order to provide theme developers more possibilities, event items // are treated differently. if ($item['object-type'] === ACTIVITY_OBJ_EVENT && isset($item['event-id'])) { @@ -1247,37 +1241,11 @@ function prepare_body(array &$item, $attach = false, $is_preview = false) return $ev; } - $taglist = dba::p("SELECT `type`, `term`, `url` FROM `term` WHERE `otype` = ? AND `oid` = ? AND `type` IN (?, ?) ORDER BY `tid`", - intval(TERM_OBJ_POST), intval($item['id']), intval(TERM_HASHTAG), intval(TERM_MENTION)); + $tags = \Friendica\Model\Term::populateTagsFromItem($item); - while ($tag = dba::fetch($taglist)) { - if ($tag["url"] == "") { - $tag["url"] = $searchpath . strtolower($tag["term"]); - } - - $orig_tag = $tag["url"]; - - $tag["url"] = best_link_url($item, $sp, $tag["url"]); - - if ($tag["type"] == TERM_HASHTAG) { - if ($orig_tag != $tag["url"]) { - $item['body'] = str_replace($orig_tag, $tag["url"], $item['body']); - } - - $hashtags[] = "#" . $tag["term"] . ""; - $prefix = "#"; - } elseif ($tag["type"] == TERM_MENTION) { - $mentions[] = "@" . $tag["term"] . ""; - $prefix = "@"; - } - - $tags[] = $prefix . "" . $tag["term"] . ""; - } - dba::close($taglist); - - $item['tags'] = $tags; - $item['hashtags'] = $hashtags; - $item['mentions'] = $mentions; + $item['tags'] = $tags['tags']; + $item['hashtags'] = $tags['hashtags']; + $item['mentions'] = $tags['mentions']; // Compile eventual content filter reasons $filter_reasons = []; From 6f7de87088f96e3009a7ae7ba5ddc0328353e688 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 17 Apr 2018 07:17:46 +0200 Subject: [PATCH 070/112] update to the FI translation THX Kris --- view/lang/fi-fi/messages.po | 154 +++++++++++++++---------------- view/lang/fi-fi/strings.php | 174 ++++++++++++++++++------------------ 2 files changed, 164 insertions(+), 164 deletions(-) diff --git a/view/lang/fi-fi/messages.po b/view/lang/fi-fi/messages.po index 172fe8ec3..e261c5d2e 100644 --- a/view/lang/fi-fi/messages.po +++ b/view/lang/fi-fi/messages.po @@ -15,7 +15,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-12 15:55+0000\n" +"PO-Revision-Date: 2018-04-16 19:25+0000\n" "Last-Translator: Kris\n" "Language-Team: Finnish (Finland) (http://www.transifex.com/Friendica/friendica/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -51,21 +51,21 @@ msgstr "'%s' tietokantapalvelimen DNS-tieto ei löydy" #, php-format msgid "Daily posting limit of %d post reached. The post was rejected." msgid_plural "Daily posting limit of %d posts reached. The post was rejected." -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Päivittäinen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty." +msgstr[1] "Päivittäinen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty." #: include/api.php:1223 #, php-format msgid "Weekly posting limit of %d post reached. The post was rejected." msgid_plural "" "Weekly posting limit of %d posts reached. The post was rejected." -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Viikottainen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty." +msgstr[1] "Viikottainen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty." #: include/api.php:1247 #, php-format msgid "Monthly posting limit of %d post reached. The post was rejected." -msgstr "" +msgstr "Kuukausittainen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty." #: include/api.php:4400 mod/photos.php:88 mod/photos.php:194 #: mod/photos.php:722 mod/photos.php:1149 mod/photos.php:1166 @@ -277,7 +277,7 @@ msgstr "[Friendica:Notify] Kaveripyyntö vastaanotettu" #: include/enotify.php:307 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "" +msgstr "Sait kaverikutsun henkilöltä '%1$s' (%2$s)" #: include/enotify.php:308 #, php-format @@ -1665,7 +1665,7 @@ msgstr "Haluatko varmasti poistaa ehdotuksen?" msgid "" "No suggestions available. If this is a new site, please try again in 24 " "hours." -msgstr "" +msgstr "Ehdotuksia ei löydy. Jos tämä on uusi sivusto, kokeile uudelleen vuorokauden kuluttua." #: mod/suggest.php:84 mod/suggest.php:104 msgid "Ignore/Hide" @@ -1913,7 +1913,7 @@ msgstr "OpenID -protokollavirhe. Tunnusta ei vastaanotettu." #: mod/openid.php:66 msgid "" "Account not found and OpenID registration is not permitted on this site." -msgstr "" +msgstr "Käyttäjätiliä ei löytynyt. Rekisteröityminen OpenID:n kautta ei ole sallittua tällä sivustolla." #: mod/openid.php:116 src/Module/Login.php:86 src/Module/Login.php:134 msgid "Login failed." @@ -2294,7 +2294,7 @@ msgstr "Ystävä/yhteyspyyntö" msgid "" "Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " "testuser@gnusocial.de" -msgstr "" +msgstr "Esim. jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de" #: mod/dfrn_request.php:652 mod/follow.php:149 msgid "Please answer the following:" @@ -2418,7 +2418,7 @@ msgstr "Poista tilini" msgid "" "This will completely remove your account. Once this has been done it is not " "recoverable." -msgstr "" +msgstr "Tämä poistaa käyttäjätilisi pysyvästi. Poistoa ei voi perua myöhemmin." #: mod/removeme.php:57 msgid "Please enter your password for verification:" @@ -2515,7 +2515,7 @@ msgstr "Ei enää järjestelmäilmoituksia." #: mod/ping.php:292 msgid "{0} wants to be your friend" -msgstr "" +msgstr "{0} lähetti kaveripyynnön" #: mod/ping.php:307 msgid "{0} sent you a message" @@ -2617,7 +2617,7 @@ msgstr "Kohteet joilla tunnisteet: %s" #: mod/search.php:236 mod/contacts.php:819 #, php-format msgid "Results for: %s" -msgstr "" +msgstr "Tulokset haulla: %s" #: mod/bookmarklet.php:23 src/Content/Nav.php:114 src/Module/Login.php:312 msgid "Login" @@ -2928,7 +2928,7 @@ msgstr "Henkilökohtainen" #: mod/network.php:943 msgid "Posts that mention or involve you" -msgstr "" +msgstr "Julkaisut jotka liittyvät sinuun" #: mod/network.php:951 msgid "New" @@ -3373,7 +3373,7 @@ msgstr "Tietokannan käyttäjän salasana" #: mod/install.php:239 msgid "For security reasons the password must not be empty" -msgstr "" +msgstr "Turvallisuussyistä salasanakenttä ei saa olla tyhjä" #: mod/install.php:240 msgid "Database Name" @@ -3666,7 +3666,7 @@ msgstr "Kontakti puuttuu." #: mod/ostatus_subscribe.php:40 msgid "Couldn't fetch information for contact." -msgstr "" +msgstr "Kontaktin tietoja ei voitu hakea." #: mod/ostatus_subscribe.php:50 msgid "Couldn't fetch friends for contact." @@ -3985,7 +3985,7 @@ msgstr "BBCode" #: mod/babel.php:110 msgid "Markdown" -msgstr "" +msgstr "Markdown" #: mod/babel.php:111 msgid "HTML" @@ -4568,7 +4568,7 @@ msgstr "Arkistoitu tällä hetkellä" #: mod/contacts.php:645 msgid "Awaiting connection acknowledge" -msgstr "" +msgstr "Odotetaan yhteyden kuittausta" #: mod/contacts.php:646 msgid "" @@ -4813,7 +4813,7 @@ msgstr "" #: mod/lostpass.php:39 msgid "Password reset request issued. Check your email." -msgstr "" +msgstr "Salasanan nollauspyyntö lähetetty. Tarkista sähköpostisi." #: mod/lostpass.php:45 #, php-format @@ -4959,7 +4959,7 @@ msgstr "Rekisteröintisi ei voida käsitellä." #: mod/register.php:162 msgid "Your registration is pending approval by the site owner." -msgstr "" +msgstr "Rekisteröintisi odottaa ylläpitäjän hyväksyntää." #: mod/register.php:220 msgid "" @@ -4979,7 +4979,7 @@ msgstr "OpenID -tunnus (valinnainen):" #: mod/register.php:234 msgid "Include your profile in member directory?" -msgstr "" +msgstr "Lisää profiilisi jäsenluetteloon?" #: mod/register.php:259 msgid "Note for the admin" @@ -5239,7 +5239,7 @@ msgstr "Lisää merkintä" #: mod/admin.php:369 msgid "Save changes to the blocklist" -msgstr "" +msgstr "Tallenna muutoksia estolistaan" #: mod/admin.php:370 msgid "Current Entries in the Blocklist" @@ -5353,7 +5353,7 @@ msgstr "" #: mod/admin.php:564 msgid "Item marked for deletion." -msgstr "" +msgstr "Kohde merkitty poistettavaksi." #: mod/admin.php:635 msgid "unknown" @@ -5457,7 +5457,7 @@ msgstr "" #: mod/admin.php:818 mod/admin.php:1741 msgid "Public Forum Account" -msgstr "" +msgstr "Julkinen foorumitili" #: mod/admin.php:819 mod/admin.php:1742 msgid "Automatic Friend Account" @@ -5465,11 +5465,11 @@ msgstr "" #: mod/admin.php:820 msgid "Blog Account" -msgstr "" +msgstr "Blogitili" #: mod/admin.php:821 msgid "Private Forum Account" -msgstr "" +msgstr "Yksityinen foorumitili" #: mod/admin.php:843 msgid "Message queues" @@ -5481,7 +5481,7 @@ msgstr "Yhteenveto" #: mod/admin.php:851 msgid "Registered users" -msgstr "" +msgstr "Rekisteröityneet käyttäjät" #: mod/admin.php:853 msgid "Pending registrations" @@ -5505,11 +5505,11 @@ msgstr "Sivuston asetukset päivitettiin." #: mod/admin.php:1236 mod/settings.php:905 msgid "No special theme for mobile devices" -msgstr "" +msgstr "Ei mobiiliteemaa" #: mod/admin.php:1265 msgid "No community page" -msgstr "" +msgstr "Ei yhteisösivua" #: mod/admin.php:1266 msgid "Public postings from users of this site" @@ -5557,7 +5557,7 @@ msgstr "Suljettu" #: mod/admin.php:1311 msgid "Requires approval" -msgstr "" +msgstr "Edellyttää hyväksyntää" #: mod/admin.php:1312 msgid "Open" @@ -5643,7 +5643,7 @@ msgstr "Banneri/logo" #: mod/admin.php:1363 msgid "Shortcut icon" -msgstr "" +msgstr "Pikakuvake" #: mod/admin.php:1363 msgid "Link to an icon that will be used for browsers." @@ -5688,7 +5688,7 @@ msgstr "Mobiili järjestelmäteema" #: mod/admin.php:1368 msgid "Theme for mobile devices" -msgstr "" +msgstr "Mobiiliteema" #: mod/admin.php:1369 msgid "SSL link policy" @@ -5998,7 +5998,7 @@ msgstr "Salli Diaspora-tuki" #: mod/admin.php:1403 msgid "Provide built-in Diaspora network compatibility." -msgstr "" +msgstr "Ota käyttöön Diaspora-yhteensopivuus" #: mod/admin.php:1404 msgid "Only allow Friendica contacts" @@ -6008,7 +6008,7 @@ msgstr "Salli ainoastaan Friendica -kontakteja" msgid "" "All contacts must use Friendica protocols. All other built-in communication " "protocols disabled." -msgstr "" +msgstr "Kaikkien kontaktien on käytettävä Friendica-protokollaa. Kaikki muut protokollat poistetaan käytöstä." #: mod/admin.php:1405 msgid "Verify SSL" @@ -6128,7 +6128,7 @@ msgstr "" #: mod/admin.php:1419 msgid "Search the local directory" -msgstr "" +msgstr "Paikallisluettelohaku" #: mod/admin.php:1419 msgid "" @@ -6139,7 +6139,7 @@ msgstr "" #: mod/admin.php:1421 msgid "Publish server information" -msgstr "" +msgstr "Julkaise palvelintiedot" #: mod/admin.php:1421 msgid "" @@ -6730,7 +6730,7 @@ msgstr "Päällä" #: mod/admin.php:2429 #, php-format msgid "Lock feature %s" -msgstr "" +msgstr "Lukitse ominaisuus %s" #: mod/admin.php:2437 msgid "Manage Additional Features" @@ -6778,11 +6778,11 @@ msgstr "" #: mod/settings.php:384 src/Model/User.php:325 msgid "Passwords do not match. Password unchanged." -msgstr "" +msgstr "Salasanat eivät täsmää. Salasana ennallaan." #: mod/settings.php:389 msgid "Empty passwords are not allowed. Password unchanged." -msgstr "" +msgstr "Tyhjä salasanakenttä ei ole sallittu. Salasana ennallaan." #: mod/settings.php:394 src/Core/Console/NewPassword.php:78 msgid "" @@ -6852,11 +6852,11 @@ msgstr "Uudelleenohjaus" #: mod/settings.php:681 mod/settings.php:707 msgid "Icon url" -msgstr "" +msgstr "Kuvakkeen URL-osoite" #: mod/settings.php:692 msgid "You can't edit this application." -msgstr "" +msgstr "Et voi muokata tätä sovellusta." #: mod/settings.php:735 msgid "Connected Apps" @@ -6996,7 +6996,7 @@ msgstr "IMAP-porttti:" #: mod/settings.php:865 msgid "Security:" -msgstr "" +msgstr "Turvallisuus:" #: mod/settings.php:865 mod/settings.php:870 msgid "None" @@ -7208,7 +7208,7 @@ msgstr "" #: mod/settings.php:1069 msgid "Normal Account Page" -msgstr "" +msgstr "Tavallinen käyttäjätili" #: mod/settings.php:1070 msgid "" @@ -7555,7 +7555,7 @@ msgstr "" #: mod/settings.php:1272 msgid "Show detailled notifications" -msgstr "" +msgstr "Näytä yksityiskohtaiset ilmoitukset" #: mod/settings.php:1274 msgid "" @@ -7615,7 +7615,7 @@ msgstr[1] "" #: src/Core/UserImport.php:278 msgid "Done. You can now login with your username and password" -msgstr "" +msgstr "Suoritettu. Voit nyt kirjautua sisään käyttäjätunnuksellasi." #: src/Core/NotificationsManager.php:171 msgid "System" @@ -7688,7 +7688,7 @@ msgstr "Viesti sähköpostiin" #: src/Core/ACL.php:301 msgid "Hide your profile details from unknown viewers?" -msgstr "" +msgstr "Piilota profiilitietosi tuntemattomilta?" #: src/Core/ACL.php:300 #, php-format @@ -8179,7 +8179,7 @@ msgstr "" #: src/Content/Feature.php:120 msgid "Star Posts" -msgstr "" +msgstr "Tähtimerkityt julkaisut" #: src/Content/Feature.php:120 msgid "Ability to mark special posts with a star indicator" @@ -8238,19 +8238,19 @@ msgstr[1] "" #: src/Content/Widget.php:59 msgid "Find People" -msgstr "" +msgstr "Löydä ihmisiä" #: src/Content/Widget.php:60 msgid "Enter name or interest" -msgstr "" +msgstr "Syötä nimi tai harrastus" #: src/Content/Widget.php:62 msgid "Examples: Robert Morgenstein, Fishing" -msgstr "" +msgstr "Esim. Matti Meikäläinen, kalastus yms." #: src/Content/Widget.php:65 view/theme/vier/theme.php:202 msgid "Similar Interests" -msgstr "" +msgstr "Yhteiset harrastukset" #: src/Content/Widget.php:66 msgid "Random Profile" @@ -8262,7 +8262,7 @@ msgstr "Kutsu kavereita" #: src/Content/Widget.php:68 msgid "View Global Directory" -msgstr "" +msgstr "Katso maailmanlaajuista luetteloa" #: src/Content/Widget.php:159 msgid "Networks" @@ -8377,11 +8377,11 @@ msgstr "Nainen" #: src/Content/ContactSelector.php:125 msgid "Currently Male" -msgstr "" +msgstr "Tällä hetkellä mies" #: src/Content/ContactSelector.php:125 msgid "Currently Female" -msgstr "" +msgstr "Tällä hetkellä nainen" #: src/Content/ContactSelector.php:125 msgid "Mostly Male" @@ -8393,23 +8393,23 @@ msgstr "" #: src/Content/ContactSelector.php:125 msgid "Transgender" -msgstr "" +msgstr "Transsukupuolinen" #: src/Content/ContactSelector.php:125 msgid "Intersex" -msgstr "" +msgstr "Intersukupuolinen" #: src/Content/ContactSelector.php:125 msgid "Transsexual" -msgstr "" +msgstr "Transsukupuolinen" #: src/Content/ContactSelector.php:125 msgid "Hermaphrodite" -msgstr "" +msgstr "Hermafrodiitti" #: src/Content/ContactSelector.php:125 msgid "Neuter" -msgstr "" +msgstr "Neutri" #: src/Content/ContactSelector.php:125 msgid "Non-specific" @@ -8469,7 +8469,7 @@ msgstr "" #: src/Content/ContactSelector.php:147 msgid "Nonsexual" -msgstr "" +msgstr "Aseksuaali" #: src/Content/ContactSelector.php:169 msgid "Single" @@ -8537,7 +8537,7 @@ msgstr "Kumppanit" #: src/Content/ContactSelector.php:169 msgid "Cohabiting" -msgstr "" +msgstr "Avoliitossa" #: src/Content/ContactSelector.php:169 msgid "Common law" @@ -8585,7 +8585,7 @@ msgstr "Epävarma" #: src/Content/ContactSelector.php:169 msgid "It's complicated" -msgstr "" +msgstr "Se on monimutkaista" #: src/Content/ContactSelector.php:169 msgid "Don't care" @@ -8614,7 +8614,7 @@ msgstr "" msgid "" "The error message is\n" "[pre]%s[/pre]" -msgstr "" +msgstr "Virheviesti on\n[pre]%s[/pre]" #: src/Database/DBStructure.php:191 #, php-format @@ -8622,7 +8622,7 @@ msgid "" "\n" "Error %d occurred during database update:\n" "%s\n" -msgstr "" +msgstr "\n%d virhe tapahtui tietokannan päivityksen aikana:\n%s\n" #: src/Database/DBStructure.php:194 msgid "Errors encountered performing database changes: " @@ -8643,7 +8643,7 @@ msgstr "[ei aihetta]" #: src/Model/Profile.php:97 msgid "Requested account is not available." -msgstr "" +msgstr "Pyydetty käyttäjätili ei ole saatavilla." #: src/Model/Profile.php:168 src/Model/Profile.php:399 #: src/Model/Profile.php:859 @@ -8757,7 +8757,7 @@ msgstr "Foorumit:" #: src/Model/Profile.php:949 msgid "Only You Can See This" -msgstr "" +msgstr "Vain sinä näet tämän" #: src/Model/Item.php:1676 #, php-format @@ -8799,7 +8799,7 @@ msgstr "Muokkaa ryhmää" #: src/Model/Group.php:406 msgid "Contacts not in any group" -msgstr "" +msgstr "Kontaktit ilman ryhmää" #: src/Model/Group.php:407 msgid "Create a new group" @@ -8811,7 +8811,7 @@ msgstr "Muokkaa ryhmiä" #: src/Model/Contact.php:645 msgid "Drop Contact" -msgstr "" +msgstr "Poista kontakti" #: src/Model/Contact.php:1048 msgid "Organisation" @@ -8827,7 +8827,7 @@ msgstr "Keskustelupalsta" #: src/Model/Contact.php:1233 msgid "Connect URL missing." -msgstr "" +msgstr "Yhteys URL-linkki puuttuu." #: src/Model/Contact.php:1242 msgid "" @@ -8916,7 +8916,7 @@ msgstr "Syy." #: src/Model/Event.php:417 msgid "No events to display" -msgstr "" +msgstr "Ei näytettäviä tapahtumia." #: src/Model/Event.php:543 msgid "l, F j" @@ -9018,7 +9018,7 @@ msgstr "" #: src/Model/User.php:431 msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "" +msgstr "VAKAVA VIRHE: Salausavainten luominen epäonnistui." #: src/Model/User.php:464 src/Model/User.php:468 msgid "An error occurred during registration. Please try again." @@ -9117,7 +9117,7 @@ msgstr "ei enää seuraa" #: src/Protocol/DFRN.php:1477 #, php-format msgid "%s\\'s birthday" -msgstr "" +msgstr "%s\\ käyttäjän syntymäpäivä" #: src/Protocol/Diaspora.php:2651 msgid "Sharing notification from Diaspora network" @@ -9440,11 +9440,11 @@ msgstr "Värimalli" #: view/theme/quattro/config.php:78 msgid "Posts font size" -msgstr "" +msgstr "Julkaisujen fonttikoko" #: view/theme/quattro/config.php:79 msgid "Textareas font size" -msgstr "" +msgstr "Tekstikenttien fonttikoko" #: view/theme/vier/config.php:75 msgid "Comma separated list of helper forums" @@ -9472,11 +9472,11 @@ msgstr "Yhdistä palvelut" #: view/theme/vier/config.php:127 view/theme/vier/theme.php:199 msgid "Find Friends" -msgstr "" +msgstr "Etsi kavereita" #: view/theme/vier/config.php:128 view/theme/vier/theme.php:181 msgid "Last users" -msgstr "" +msgstr "Viimeisimmät käyttäjät" #: view/theme/vier/theme.php:200 msgid "Local Directory" @@ -9493,4 +9493,4 @@ msgstr "Mobiilisivusto päälle/pois" #: boot.php:791 #, php-format msgid "Update %s failed. See error logs." -msgstr "" +msgstr "%s päivitys epäonnistui, katso virhelokit." diff --git a/view/lang/fi-fi/strings.php b/view/lang/fi-fi/strings.php index 5bf2c3754..808558b65 100644 --- a/view/lang/fi-fi/strings.php +++ b/view/lang/fi-fi/strings.php @@ -11,14 +11,14 @@ $a->strings["Welcome back "] = "Tervetuloa takaisin"; $a->strings["The form security token was not correct. This probably happened because the form has been opened for too long (>3 hours) before submitting it."] = ""; $a->strings["Cannot locate DNS info for database server '%s'"] = "'%s' tietokantapalvelimen DNS-tieto ei löydy"; $a->strings["Daily posting limit of %d post reached. The post was rejected."] = [ - 0 => "", - 1 => "", + 0 => "Päivittäinen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty.", + 1 => "Päivittäinen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty.", ]; $a->strings["Weekly posting limit of %d post reached. The post was rejected."] = [ - 0 => "", - 1 => "", + 0 => "Viikottainen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty.", + 1 => "Viikottainen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty.", ]; -$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = ""; +$a->strings["Monthly posting limit of %d post reached. The post was rejected."] = "Kuukausittainen julkaisuraja (%d) on tullut täyteen. Julkaisu hylätty."; $a->strings["Profile Photos"] = "Profiilin valokuvat"; $a->strings["Friendica Notification"] = "Friendica-huomautus"; $a->strings["Thank You,"] = "Kiitos,"; @@ -61,7 +61,7 @@ $a->strings["%1\$s is sharing with you at %2\$s"] = ""; $a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notify] Sinulla on uusi seuraaja"; $a->strings["You have a new follower at %2\$s : %1\$s"] = "Sinulla on uusi seuraaja sivustolla %2\$s : %1\$s"; $a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notify] Kaveripyyntö vastaanotettu"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = ""; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Sait kaverikutsun henkilöltä '%1\$s' (%2\$s)"; $a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = ""; $a->strings["Name:"] = "Nimi:"; $a->strings["Photo:"] = "Kuva:"; @@ -300,14 +300,14 @@ $a->strings["Contact update failed."] = "Kontaktipäivitys epäonnistui."; $a->strings["Contact not found."] = "Kontaktia ei ole."; $a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "VAROITUS: Tämä on erittäin vaativaa ja jos kirjoitat virheellisiä tietoja, viestintäsi tämän henkilön kanssa voi lakata toimimasta."; $a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Ole hyvä ja paina selaimesi 'Takaisin'-painiketta nyt, jos olet epävarma tämän sivun toiminnoista."; -$a->strings["No mirroring"] = ""; -$a->strings["Mirror as forwarded posting"] = ""; -$a->strings["Mirror as my own posting"] = ""; +$a->strings["No mirroring"] = "Ei peilausta"; +$a->strings["Mirror as forwarded posting"] = "Peilaa välitettynä julkaisuna"; +$a->strings["Mirror as my own posting"] = "Peilaa omana julkaisuna"; $a->strings["Return to contact editor"] = "Palaa kontaktin muokkaamiseen"; $a->strings["Refetch contact data"] = ""; $a->strings["Submit"] = "Lähetä"; $a->strings["Remote Self"] = ""; -$a->strings["Mirror postings from this contact"] = ""; +$a->strings["Mirror postings from this contact"] = "Peilaa tämän kontaktin julkaisut"; $a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = ""; $a->strings["Name"] = "Nimi"; $a->strings["Account Nickname"] = "Tilin lempinimi"; @@ -353,7 +353,7 @@ $a->strings["Importing Emails"] = "Sähköpostin tuominen"; $a->strings["Enter your email access information on your Connector Settings page if you wish to import and interact with friends or mailing lists from your email INBOX"] = ""; $a->strings["Go to Your Contacts Page"] = "Näytä minun kontaktit"; $a->strings["Your Contacts page is your gateway to managing friendships and connecting with friends on other networks. Typically you enter their address or site URL in the Add New Contact dialog."] = ""; -$a->strings["Go to Your Site's Directory"] = ""; +$a->strings["Go to Your Site's Directory"] = "Näytä oman sivuston luettelo"; $a->strings["The Directory page lets you find other people in this network or other federated sites. Look for a Connect or Follow link on their profile page. Provide your own Identity Address if requested."] = ""; $a->strings["Finding New People"] = "Kavereiden hankkiminen"; $a->strings["On the side panel of the Contacts page are several tools to find new friends. We can match people by interest, look up people by name or interest, and provide suggestions based on network relationships. On a brand new site, friend suggestions will usually begin to be populated within 24 hours."] = ""; @@ -363,7 +363,7 @@ $a->strings["Once you have made some friends, organize them into private convers $a->strings["Why Aren't My Posts Public?"] = "Miksi julkaisuni eivät ole julkisia?"; $a->strings["Friendica respects your privacy. By default, your posts will only show up to people you've added as friends. For more information, see the help section from the link above."] = ""; $a->strings["Getting Help"] = "Avun saaminen"; -$a->strings["Go to the Help Section"] = ""; +$a->strings["Go to the Help Section"] = "Näytä ohjeet"; $a->strings["Our help pages may be consulted for detail on other program features and resources."] = ""; $a->strings["Visit %s's profile [%s]"] = ""; $a->strings["Edit contact"] = "Muokkaa kontaktia"; @@ -374,7 +374,7 @@ $a->strings["Error"] = "Virhe"; $a->strings["Done"] = "Valmis"; $a->strings["Keep this window open until done."] = ""; $a->strings["Do you really want to delete this suggestion?"] = "Haluatko varmasti poistaa ehdotuksen?"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = ""; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Ehdotuksia ei löydy. Jos tämä on uusi sivusto, kokeile uudelleen vuorokauden kuluttua."; $a->strings["Ignore/Hide"] = "Jätä huomiotta/piilota"; $a->strings["Friend Suggestions"] = "Ystäväehdotukset"; $a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = ""; @@ -428,7 +428,7 @@ $a->strings["Show unread"] = "Näytä lukemattomat"; $a->strings["Show all"] = "Näytä kaikki"; $a->strings["No more %s notifications."] = ""; $a->strings["OpenID protocol error. No ID returned."] = "OpenID -protokollavirhe. Tunnusta ei vastaanotettu."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = ""; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Käyttäjätiliä ei löytynyt. Rekisteröityminen OpenID:n kautta ei ole sallittua tällä sivustolla."; $a->strings["Login failed."] = "Kirjautuminen epäonnistui"; $a->strings["Profile not found."] = "Profiilia ei löytynyt."; $a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = ""; @@ -438,7 +438,7 @@ $a->strings["Confirmation completed successfully."] = "Vahvistus onnistui."; $a->strings["Temporary failure. Please wait and try again."] = "Tilapäinen vika. Yritä myöhemmin uudelleen."; $a->strings["Introduction failed or was revoked."] = ""; $a->strings["Remote site reported: "] = ""; -$a->strings["Unable to set contact photo."] = ""; +$a->strings["Unable to set contact photo."] = "Kontaktin kuvaa ei voitu asettaa"; $a->strings["No user record found for '%s' "] = ""; $a->strings["Our site encryption key is apparently messed up."] = ""; $a->strings["Empty site URL was provided or URL could not be decrypted by us."] = ""; @@ -513,7 +513,7 @@ $a->strings["Public access denied."] = "Julkinen käyttö estetty."; $a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Anna \"henkilöllisyysosoitteesi\" joissakin seuraavista tuetuista viestintäverkoista:"; $a->strings["If you are not yet a member of the free social web, follow this link to find a public Friendica site and join us today."] = ""; $a->strings["Friend/Connection Request"] = "Ystävä/yhteyspyyntö"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = ""; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"] = "Esim. jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@gnusocial.de"; $a->strings["Please answer the following:"] = "Vastaa seuraavaan:"; $a->strings["Does %s know you?"] = "Tunteeko %s sinut?"; $a->strings["Add a personal note:"] = "Lisää oma merkintä:"; @@ -534,14 +534,14 @@ $a->strings["Only logged in users are permitted to perform a probing."] = ""; $a->strings["Permission denied"] = "Käyttöoikeus evätty"; $a->strings["Invalid profile identifier."] = "Virheellinen profiilitunniste."; $a->strings["Profile Visibility Editor"] = ""; -$a->strings["Click on a contact to add or remove."] = ""; +$a->strings["Click on a contact to add or remove."] = "Valitse kontakti, jota haluat poistaa tai lisätä."; $a->strings["Visible To"] = "Näkyvyys"; $a->strings["All Contacts (with secure profile access)"] = ""; $a->strings["Account approved."] = "Tili hyväksytty."; $a->strings["Registration revoked for %s"] = ""; $a->strings["Please login."] = "Ole hyvä ja kirjaudu."; $a->strings["Remove My Account"] = "Poista tilini"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = ""; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Tämä poistaa käyttäjätilisi pysyvästi. Poistoa ei voi perua myöhemmin."; $a->strings["Please enter your password for verification:"] = ""; $a->strings["No contacts."] = "Ei kontakteja."; $a->strings["Access denied."] = "Käyttö estetty."; @@ -563,7 +563,7 @@ $a->strings["Export your accout info, contacts and all your items as json. Could $a->strings["Export personal data"] = "Vie henkilökohtaiset tiedot"; $a->strings["- select -"] = "- valitse -"; $a->strings["No more system notifications."] = "Ei enää järjestelmäilmoituksia."; -$a->strings["{0} wants to be your friend"] = ""; +$a->strings["{0} wants to be your friend"] = "{0} lähetti kaveripyynnön"; $a->strings["{0} sent you a message"] = "{0} lähetti sinulle viestin"; $a->strings["{0} requested registration"] = ""; $a->strings["Poke/Prod"] = "Tökkää"; @@ -587,7 +587,7 @@ $a->strings["Too Many Requests"] = "Liian monta pyyntöä"; $a->strings["Only one search per minute is permitted for not logged in users."] = ""; $a->strings["No results."] = "Ei tuloksia."; $a->strings["Items tagged with: %s"] = "Kohteet joilla tunnisteet: %s"; -$a->strings["Results for: %s"] = ""; +$a->strings["Results for: %s"] = "Tulokset haulla: %s"; $a->strings["Login"] = "Kirjaudu sisään"; $a->strings["The post was created"] = "Julkaisu luotu"; $a->strings["Community option not available."] = "Yhteisö vaihtoehto ei saatavilla."; @@ -664,7 +664,7 @@ $a->strings["Sort by Comment Date"] = "Kommentit päivämäärän mukaan"; $a->strings["Posted Order"] = ""; $a->strings["Sort by Post Date"] = "Julkaisut päivämäärän mukaan"; $a->strings["Personal"] = "Henkilökohtainen"; -$a->strings["Posts that mention or involve you"] = ""; +$a->strings["Posts that mention or involve you"] = "Julkaisut jotka liittyvät sinuun"; $a->strings["New"] = "Uusi"; $a->strings["Activity Stream - by date"] = ""; $a->strings["Shared Links"] = "Jaetut linkit"; @@ -768,7 +768,7 @@ $a->strings["The database you specify below should already exist. If it does not $a->strings["Database Server Name"] = "Tietokannan palvelimen nimi"; $a->strings["Database Login Name"] = "Tietokannan käyttäjän nimi"; $a->strings["Database Login Password"] = "Tietokannan käyttäjän salasana"; -$a->strings["For security reasons the password must not be empty"] = ""; +$a->strings["For security reasons the password must not be empty"] = "Turvallisuussyistä salasanakenttä ei saa olla tyhjä"; $a->strings["Database Name"] = "Tietokannan nimi"; $a->strings["Site administrator email address"] = "Sivuston ylläpitäjän sähköpostiosoite"; $a->strings["Your account email address must match this in order to use the web admin panel."] = "Tilisi sähköpostiosoitteen on vastattava tätä, jotta voit käyttää ylläpitokäyttöliittymää."; @@ -830,7 +830,7 @@ $a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for t $a->strings["Go to your new Friendica node registration page and register as new user. Remember to use the same email you have entered as administrator email. This will allow you to enter the site admin panel."] = ""; $a->strings["Subscribing to OStatus contacts"] = ""; $a->strings["No contact provided."] = "Kontakti puuttuu."; -$a->strings["Couldn't fetch information for contact."] = ""; +$a->strings["Couldn't fetch information for contact."] = "Kontaktin tietoja ei voitu hakea."; $a->strings["Couldn't fetch friends for contact."] = ""; $a->strings["success"] = "onnistui"; $a->strings["failed"] = "epäonnistui"; @@ -907,7 +907,7 @@ $a->strings["HTML::toBBCode"] = "HTML::toBBCode"; $a->strings["HTML::toPlaintext"] = "HTML::toPlaintext"; $a->strings["Source text"] = "Lähdeteksti"; $a->strings["BBCode"] = "BBCode"; -$a->strings["Markdown"] = ""; +$a->strings["Markdown"] = "Markdown"; $a->strings["HTML"] = "HTML"; $a->strings["The contact could not be added."] = "Kontaktia ei voitu lisätä."; $a->strings["You already added this contact."] = "Olet jo lisännyt tämän kontaktin."; @@ -1050,7 +1050,7 @@ $a->strings["Unignore"] = "Ota huomioon"; $a->strings["Currently blocked"] = "Estetty tällä hetkellä"; $a->strings["Currently ignored"] = "Jätetty huomiotta tällä hetkellä"; $a->strings["Currently archived"] = "Arkistoitu tällä hetkellä"; -$a->strings["Awaiting connection acknowledge"] = ""; +$a->strings["Awaiting connection acknowledge"] = "Odotetaan yhteyden kuittausta"; $a->strings["Replies/likes to your public posts may still be visible"] = ""; $a->strings["Notification for new posts"] = "Uusien postausten ilmoitus"; $a->strings["Send a notification of every new post of this contact"] = "Lähetä ilmoitus tälle henkilölle kaikista uusista postauksista"; @@ -1105,12 +1105,12 @@ $a->strings["Read about the Terms of Service of this n $a->strings["On this server the following remote servers are blocked."] = ""; $a->strings["Reason for the block"] = "Eston syy"; $a->strings["No valid account found."] = ""; -$a->strings["Password reset request issued. Check your email."] = ""; +$a->strings["Password reset request issued. Check your email."] = "Salasanan nollauspyyntö lähetetty. Tarkista sähköpostisi."; $a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = ""; $a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = ""; $a->strings["Password reset requested at %s"] = ""; $a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = ""; -$a->strings["Request has expired, please make a new one."] = ""; +$a->strings["Request has expired, please make a new one."] = "Pyyntö on vanhentunut, tehkää uusi pyyntö."; $a->strings["Forgot your Password?"] = "Unohditko salasanasi?"; $a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = ""; $a->strings["Nickname or Email: "] = "Lempinimi tai sähköposti:"; @@ -1127,12 +1127,12 @@ $a->strings["Your password has been changed at %s"] = "Salasanasi on vaihdettu s $a->strings["Registration successful. Please check your email for further instructions."] = ""; $a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = ""; $a->strings["Registration successful."] = "Rekisteröityminen onnistui."; -$a->strings["Your registration can not be processed."] = ""; -$a->strings["Your registration is pending approval by the site owner."] = ""; +$a->strings["Your registration can not be processed."] = "Rekisteröintisi ei voida käsitellä."; +$a->strings["Your registration is pending approval by the site owner."] = "Rekisteröintisi odottaa ylläpitäjän hyväksyntää."; $a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = ""; $a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = ""; $a->strings["Your OpenID (optional): "] = "OpenID -tunnus (valinnainen):"; -$a->strings["Include your profile in member directory?"] = ""; +$a->strings["Include your profile in member directory?"] = "Lisää profiilisi jäsenluetteloon?"; $a->strings["Note for the admin"] = "Viesti ylläpidolle"; $a->strings["Leave a message for the admin, why you want to join this node"] = ""; $a->strings["Membership on this site is by invitation only."] = ""; @@ -1191,7 +1191,7 @@ $a->strings["Server Domain"] = "Palvelimen verkkotunnus"; $a->strings["The domain of the new server to add to the block list. Do not include the protocol."] = ""; $a->strings["Block reason"] = "Estosyy"; $a->strings["Add Entry"] = "Lisää merkintä"; -$a->strings["Save changes to the blocklist"] = ""; +$a->strings["Save changes to the blocklist"] = "Tallenna muutoksia estolistaan"; $a->strings["Current Entries in the Blocklist"] = ""; $a->strings["Delete entry from blocklist"] = ""; $a->strings["Delete entry from blocklist?"] = ""; @@ -1222,7 +1222,7 @@ $a->strings["On this page you can delete an item from your node. If the item is $a->strings["You need to know the GUID of the item. You can find it e.g. by looking at the display URL. The last part of http://example.com/display/123456 is the GUID, here 123456."] = ""; $a->strings["GUID"] = "GUID"; $a->strings["The GUID of the item you want to delete."] = ""; -$a->strings["Item marked for deletion."] = ""; +$a->strings["Item marked for deletion."] = "Kohde merkitty poistettavaksi."; $a->strings["unknown"] = "tuntematon"; $a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = ""; $a->strings["The Auto Discovered Contact Directory feature is not enabled, it will improve the data displayed here."] = ""; @@ -1241,20 +1241,20 @@ $a->strings["The worker was never executed. Please check your database structure $a->strings["The last worker execution was on %s UTC. This is older than one hour. Please check your crontab settings."] = ""; $a->strings["Normal Account"] = "Perustili"; $a->strings["Automatic Follower Account"] = ""; -$a->strings["Public Forum Account"] = ""; +$a->strings["Public Forum Account"] = "Julkinen foorumitili"; $a->strings["Automatic Friend Account"] = ""; -$a->strings["Blog Account"] = ""; -$a->strings["Private Forum Account"] = ""; +$a->strings["Blog Account"] = "Blogitili"; +$a->strings["Private Forum Account"] = "Yksityinen foorumitili"; $a->strings["Message queues"] = "Viestijonot"; $a->strings["Summary"] = "Yhteenveto"; -$a->strings["Registered users"] = ""; +$a->strings["Registered users"] = "Rekisteröityneet käyttäjät"; $a->strings["Pending registrations"] = ""; $a->strings["Version"] = "Versio"; $a->strings["Active addons"] = "Käytössäolevat lisäosat"; $a->strings["Can not parse base url. Must have at least ://"] = ""; $a->strings["Site settings updated."] = "Sivuston asetukset päivitettiin."; -$a->strings["No special theme for mobile devices"] = ""; -$a->strings["No community page"] = ""; +$a->strings["No special theme for mobile devices"] = "Ei mobiiliteemaa"; +$a->strings["No community page"] = "Ei yhteisösivua"; $a->strings["Public postings from users of this site"] = ""; $a->strings["Public postings from the federated network"] = ""; $a->strings["Public postings from local users and the federated network"] = ""; @@ -1266,7 +1266,7 @@ $a->strings["Half a year"] = "Puoli vuotta"; $a->strings["One year"] = "Yksi vuosi"; $a->strings["Multi user instance"] = ""; $a->strings["Closed"] = "Suljettu"; -$a->strings["Requires approval"] = ""; +$a->strings["Requires approval"] = "Edellyttää hyväksyntää"; $a->strings["Open"] = "Avoin"; $a->strings["No SSL policy, links will track page SSL state"] = ""; $a->strings["Force all links to use SSL"] = ""; @@ -1276,7 +1276,7 @@ $a->strings["check the stable version"] = ""; $a->strings["check the development version"] = ""; $a->strings["Republish users to directory"] = ""; $a->strings["File upload"] = "Tiedoston lataus"; -$a->strings["Policies"] = ""; +$a->strings["Policies"] = "Käytännöt"; $a->strings["Auto Discovered Contact Directory"] = ""; $a->strings["Performance"] = "Suoritus"; $a->strings["Worker"] = "Worker"; @@ -1287,7 +1287,7 @@ $a->strings["Host name"] = "Palvelimen nimi"; $a->strings["Sender Email"] = "Lähettäjän sähköposti"; $a->strings["The email address your server shall use to send notification emails from."] = ""; $a->strings["Banner/Logo"] = "Banneri/logo"; -$a->strings["Shortcut icon"] = ""; +$a->strings["Shortcut icon"] = "Pikakuvake"; $a->strings["Link to an icon that will be used for browsers."] = ""; $a->strings["Touch icon"] = ""; $a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; @@ -1297,7 +1297,7 @@ $a->strings["System language"] = "Järjestelmän kieli"; $a->strings["System theme"] = "Järjestelmäteema"; $a->strings["Default system theme - may be over-ridden by user profiles - change theme settings"] = ""; $a->strings["Mobile system theme"] = "Mobiili järjestelmäteema"; -$a->strings["Theme for mobile devices"] = ""; +$a->strings["Theme for mobile devices"] = "Mobiiliteema"; $a->strings["SSL link policy"] = ""; $a->strings["Determines whether generated links should be forced to use SSL"] = ""; $a->strings["Force SSL"] = ""; @@ -1360,9 +1360,9 @@ $a->strings["Normally we import every content from our OStatus contacts. With th $a->strings["OStatus support can only be enabled if threading is enabled."] = ""; $a->strings["Diaspora support can't be enabled because Friendica was installed into a sub directory."] = ""; $a->strings["Enable Diaspora support"] = "Salli Diaspora-tuki"; -$a->strings["Provide built-in Diaspora network compatibility."] = ""; +$a->strings["Provide built-in Diaspora network compatibility."] = "Ota käyttöön Diaspora-yhteensopivuus"; $a->strings["Only allow Friendica contacts"] = "Salli ainoastaan Friendica -kontakteja"; -$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = ""; +$a->strings["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = "Kaikkien kontaktien on käytettävä Friendica-protokollaa. Kaikki muut protokollat poistetaan käytöstä."; $a->strings["Verify SSL"] = "Vahvista SSL"; $a->strings["If you wish, you can turn on strict certificate checking. This will mean you cannot connect (at all) to self-signed SSL sites."] = ""; $a->strings["Proxy user"] = "Välityspalvelimen käyttäjä"; @@ -1387,9 +1387,9 @@ $a->strings["Discover contacts from other servers"] = ""; $a->strings["Periodically query other servers for contacts. You can choose between 'users': the users on the remote system, 'Global Contacts': active contacts that are known on the system. The fallback is meant for Redmatrix servers and older friendica servers, where global contacts weren't available. The fallback increases the server load, so the recommened setting is 'Users, Global Contacts'."] = ""; $a->strings["Timeframe for fetching global contacts"] = ""; $a->strings["When the discovery is activated, this value defines the timeframe for the activity of the global contacts that are fetched from other servers."] = ""; -$a->strings["Search the local directory"] = ""; +$a->strings["Search the local directory"] = "Paikallisluettelohaku"; $a->strings["Search the local directory instead of the global directory. When searching locally, every search will be executed on the global directory in the background. This improves the search results when the search is repeated."] = ""; -$a->strings["Publish server information"] = ""; +$a->strings["Publish server information"] = "Julkaise palvelintiedot"; $a->strings["If enabled, general server and usage data will be published. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details."] = ""; $a->strings["Check upstream version"] = ""; $a->strings["Enables checking for new Friendica versions at github. If there is a new version, you will be informed in the admin panel overview."] = ""; @@ -1514,7 +1514,7 @@ $a->strings["Error trying to open %1\$s log file.\\r\\n
Che $a->strings["Couldn't open %1\$s log file.\\r\\n
Check to see if file %1\$s is readable."] = ""; $a->strings["Off"] = "Pois päältä"; $a->strings["On"] = "Päällä"; -$a->strings["Lock feature %s"] = ""; +$a->strings["Lock feature %s"] = "Lukitse ominaisuus %s"; $a->strings["Manage Additional Features"] = "Hallitse lisäominaisuudet"; $a->strings["Display"] = "Ulkonäkö"; $a->strings["Social Networks"] = "Sosiaalinen media"; @@ -1526,8 +1526,8 @@ $a->strings["Failed to connect with email account using the settings provided."] $a->strings["Email settings updated."] = "Sähköpostin asetukset päivitettiin."; $a->strings["Features updated"] = "Ominaisuudet päivitetty"; $a->strings["Relocate message has been send to your contacts"] = ""; -$a->strings["Passwords do not match. Password unchanged."] = ""; -$a->strings["Empty passwords are not allowed. Password unchanged."] = ""; +$a->strings["Passwords do not match. Password unchanged."] = "Salasanat eivät täsmää. Salasana ennallaan."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Tyhjä salasanakenttä ei ole sallittu. Salasana ennallaan."; $a->strings["The new password has been exposed in a public data dump, please choose another."] = ""; $a->strings["Wrong password."] = "Väärä salasana."; $a->strings["Password changed."] = "Salasana vaihdettu."; @@ -1544,8 +1544,8 @@ $a->strings["Add application"] = "Lisää sovellus"; $a->strings["Consumer Key"] = ""; $a->strings["Consumer Secret"] = ""; $a->strings["Redirect"] = "Uudelleenohjaus"; -$a->strings["Icon url"] = ""; -$a->strings["You can't edit this application."] = ""; +$a->strings["Icon url"] = "Kuvakkeen URL-osoite"; +$a->strings["You can't edit this application."] = "Et voi muokata tätä sovellusta."; $a->strings["Connected Apps"] = "Yhdistetyt sovellukset"; $a->strings["Edit"] = "Muokkaa"; $a->strings["Client key starts with"] = ""; @@ -1576,7 +1576,7 @@ $a->strings["If you wish to communicate with email contacts using this service ( $a->strings["Last successful email check:"] = "Viimeisin onnistunut sähköpostitarkistus:"; $a->strings["IMAP server name:"] = "IMAP-palvelimen nimi:"; $a->strings["IMAP port:"] = "IMAP-porttti:"; -$a->strings["Security:"] = ""; +$a->strings["Security:"] = "Turvallisuus:"; $a->strings["None"] = "Ei mitään"; $a->strings["Email login name:"] = "Sähköpostitilin käyttäjätunnus:"; $a->strings["Email password:"] = "Sähköpostin salasana:"; @@ -1625,7 +1625,7 @@ $a->strings["News Page"] = "Uutissivu"; $a->strings["Account for a news reflector that automatically approves contact requests as \"Followers\"."] = ""; $a->strings["Community Forum"] = "Yhteisöfoorumi"; $a->strings["Account for community discussions."] = ""; -$a->strings["Normal Account Page"] = ""; +$a->strings["Normal Account Page"] = "Tavallinen käyttäjätili"; $a->strings["Account for a regular personal profile that requires manual approval of \"Friends\" and \"Followers\"."] = ""; $a->strings["Soapbox Page"] = "Saarnatuoli sivu"; $a->strings["Account for a public profile that automatically approves contact requests as \"Followers\"."] = ""; @@ -1705,7 +1705,7 @@ $a->strings["Activate desktop notifications"] = "Ota työpöytäilmoitukset käy $a->strings["Show desktop popup on new notifications"] = ""; $a->strings["Text-only notification emails"] = ""; $a->strings["Send text only notification emails, without the html part"] = ""; -$a->strings["Show detailled notifications"] = ""; +$a->strings["Show detailled notifications"] = "Näytä yksityiskohtaiset ilmoitukset"; $a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; $a->strings["Advanced Account/Page Type Settings"] = "Käyttäjätili/sivutyyppi lisäasetuksia"; $a->strings["Change the behaviour of this account for special situations"] = ""; @@ -1721,7 +1721,7 @@ $a->strings["%d contact not imported"] = [ 0 => "", 1 => "", ]; -$a->strings["Done. You can now login with your username and password"] = ""; +$a->strings["Done. You can now login with your username and password"] = "Suoritettu. Voit nyt kirjautua sisään käyttäjätunnuksellasi."; $a->strings["System"] = "Järjestelmä"; $a->strings["Home"] = "Koti"; $a->strings["Introductions"] = "Esittelyt"; @@ -1737,7 +1737,7 @@ $a->strings["Friend Suggestion"] = "Kaveriehdotus"; $a->strings["Friend/Connect Request"] = "Ystävä/yhteyspyyntö"; $a->strings["New Follower"] = "Uusi seuraaja"; $a->strings["Post to Email"] = "Viesti sähköpostiin"; -$a->strings["Hide your profile details from unknown viewers?"] = ""; +$a->strings["Hide your profile details from unknown viewers?"] = "Piilota profiilitietosi tuntemattomilta?"; $a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; $a->strings["Visible to everybody"] = "Näkyvissä kaikille"; $a->strings["show"] = "näytä"; @@ -1857,7 +1857,7 @@ $a->strings["Saved Folders"] = "Tallennetut kansiot"; $a->strings["Ability to file posts under folders"] = ""; $a->strings["Dislike Posts"] = ""; $a->strings["Ability to dislike posts/comments"] = ""; -$a->strings["Star Posts"] = ""; +$a->strings["Star Posts"] = "Tähtimerkityt julkaisut"; $a->strings["Ability to mark special posts with a star indicator"] = ""; $a->strings["Mute Post Notifications"] = "Mykistä julkaisuilmoitukset"; $a->strings["Ability to mute notifications for a thread"] = ""; @@ -1874,13 +1874,13 @@ $a->strings["%d invitation available"] = [ 0 => "", 1 => "", ]; -$a->strings["Find People"] = ""; -$a->strings["Enter name or interest"] = ""; -$a->strings["Examples: Robert Morgenstein, Fishing"] = ""; -$a->strings["Similar Interests"] = ""; +$a->strings["Find People"] = "Löydä ihmisiä"; +$a->strings["Enter name or interest"] = "Syötä nimi tai harrastus"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esim. Matti Meikäläinen, kalastus yms."; +$a->strings["Similar Interests"] = "Yhteiset harrastukset"; $a->strings["Random Profile"] = "Satunnainen profiili"; $a->strings["Invite Friends"] = "Kutsu kavereita"; -$a->strings["View Global Directory"] = ""; +$a->strings["View Global Directory"] = "Katso maailmanlaajuista luetteloa"; $a->strings["Networks"] = "Verkot"; $a->strings["All Networks"] = "Kaikki verkot"; $a->strings["Everything"] = "Kaikki"; @@ -1911,15 +1911,15 @@ $a->strings["pnut"] = "pnut"; $a->strings["App.net"] = "App.net"; $a->strings["Male"] = "Mies"; $a->strings["Female"] = "Nainen"; -$a->strings["Currently Male"] = ""; -$a->strings["Currently Female"] = ""; +$a->strings["Currently Male"] = "Tällä hetkellä mies"; +$a->strings["Currently Female"] = "Tällä hetkellä nainen"; $a->strings["Mostly Male"] = ""; $a->strings["Mostly Female"] = ""; -$a->strings["Transgender"] = ""; -$a->strings["Intersex"] = ""; -$a->strings["Transsexual"] = ""; -$a->strings["Hermaphrodite"] = ""; -$a->strings["Neuter"] = ""; +$a->strings["Transgender"] = "Transsukupuolinen"; +$a->strings["Intersex"] = "Intersukupuolinen"; +$a->strings["Transsexual"] = "Transsukupuolinen"; +$a->strings["Hermaphrodite"] = "Hermafrodiitti"; +$a->strings["Neuter"] = "Neutri"; $a->strings["Non-specific"] = ""; $a->strings["Other"] = "Toinen"; $a->strings["Males"] = "Miehet"; @@ -1934,7 +1934,7 @@ $a->strings["Virgin"] = ""; $a->strings["Deviant"] = ""; $a->strings["Fetish"] = ""; $a->strings["Oodles"] = ""; -$a->strings["Nonsexual"] = ""; +$a->strings["Nonsexual"] = "Aseksuaali"; $a->strings["Single"] = "Sinkku"; $a->strings["Lonely"] = "Yksinäinen"; $a->strings["Available"] = ""; @@ -1951,7 +1951,7 @@ $a->strings["Engaged"] = "Kihloissa"; $a->strings["Married"] = "Naimisissa"; $a->strings["Imaginarily married"] = ""; $a->strings["Partners"] = "Kumppanit"; -$a->strings["Cohabiting"] = ""; +$a->strings["Cohabiting"] = "Avoliitossa"; $a->strings["Common law"] = ""; $a->strings["Happy"] = "Iloinen"; $a->strings["Not looking"] = ""; @@ -1963,18 +1963,18 @@ $a->strings["Divorced"] = "Eronnut"; $a->strings["Imaginarily divorced"] = ""; $a->strings["Widowed"] = "Leski"; $a->strings["Uncertain"] = "Epävarma"; -$a->strings["It's complicated"] = ""; +$a->strings["It's complicated"] = "Se on monimutkaista"; $a->strings["Don't care"] = ""; $a->strings["Ask me"] = ""; $a->strings["There are no tables on MyISAM."] = ""; $a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; -$a->strings["The error message is\n[pre]%s[/pre]"] = ""; -$a->strings["\nError %d occurred during database update:\n%s\n"] = ""; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Virheviesti on\n[pre]%s[/pre]"; +$a->strings["\nError %d occurred during database update:\n%s\n"] = "\n%d virhe tapahtui tietokannan päivityksen aikana:\n%s\n"; $a->strings["Errors encountered performing database changes: "] = ""; $a->strings[": Database update"] = ": Tietokannan päivitys"; $a->strings["%s: updating %s table."] = ""; $a->strings["[no subject]"] = "[ei aihetta]"; -$a->strings["Requested account is not available."] = ""; +$a->strings["Requested account is not available."] = "Pyydetty käyttäjätili ei ole saatavilla."; $a->strings["Edit profile"] = "Muokkaa profiilia"; $a->strings["Atom feed"] = "Atom -syöte"; $a->strings["Manage/edit profiles"] = "Hallitse/muokkaa profiilit"; @@ -2002,7 +2002,7 @@ $a->strings["Love/Romance:"] = "Rakkaus/romanssi:"; $a->strings["Work/employment:"] = "Työ:"; $a->strings["School/education:"] = "Koulutus:"; $a->strings["Forums:"] = "Foorumit:"; -$a->strings["Only You Can See This"] = ""; +$a->strings["Only You Can See This"] = "Vain sinä näet tämän"; $a->strings["%1\$s is attending %2\$s's %3\$s"] = ""; $a->strings["%1\$s is not attending %2\$s's %3\$s"] = ""; $a->strings["%1\$s may attend %2\$s's %3\$s"] = ""; @@ -2011,14 +2011,14 @@ $a->strings["Default privacy group for new contacts"] = ""; $a->strings["Everybody"] = "Kaikki"; $a->strings["edit"] = "muokkaa"; $a->strings["Edit group"] = "Muokkaa ryhmää"; -$a->strings["Contacts not in any group"] = ""; +$a->strings["Contacts not in any group"] = "Kontaktit ilman ryhmää"; $a->strings["Create a new group"] = "Luo uusi ryhmä"; $a->strings["Edit groups"] = "Muokkaa ryhmiä"; -$a->strings["Drop Contact"] = ""; +$a->strings["Drop Contact"] = "Poista kontakti"; $a->strings["Organisation"] = "Järjestö"; $a->strings["News"] = "Uutiset"; $a->strings["Forum"] = "Keskustelupalsta"; -$a->strings["Connect URL missing."] = ""; +$a->strings["Connect URL missing."] = "Yhteys URL-linkki puuttuu."; $a->strings["The contact could not be added. Please check the relevant network credentials in your Settings -> Social Networks page."] = ""; $a->strings["This site is not configured to allow communications with other networks."] = ""; $a->strings["No compatible communication protocols or feeds were discovered."] = ""; @@ -2037,7 +2037,7 @@ $a->strings["Finishes:"] = "Päättyy:"; $a->strings["all-day"] = "koko päivä"; $a->strings["Jun"] = "Kes."; $a->strings["Sept"] = "Syy."; -$a->strings["No events to display"] = ""; +$a->strings["No events to display"] = "Ei näytettäviä tapahtumia."; $a->strings["l, F j"] = "l, F j"; $a->strings["Edit event"] = "Muokkaa tapahtumaa"; $a->strings["Duplicate event"] = "Monista tapahtuma"; @@ -2062,7 +2062,7 @@ $a->strings["Not a valid email address."] = "Virheellinen sähköpostiosoite."; $a->strings["Cannot use that email."] = ""; $a->strings["Your nickname can only contain a-z, 0-9 and _."] = ""; $a->strings["Nickname is already registered. Please choose another."] = ""; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = ""; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "VAKAVA VIRHE: Salausavainten luominen epäonnistui."; $a->strings["An error occurred during registration. Please try again."] = ""; $a->strings["default"] = "oletus"; $a->strings["An error occurred creating your default profile. Please try again."] = ""; @@ -2076,7 +2076,7 @@ $a->strings["%s is now following %s."] = "%s seuraa %s."; $a->strings["following"] = "seuraa"; $a->strings["%s stopped following %s."] = "%s ei enää seuraa %s."; $a->strings["stopped following"] = "ei enää seuraa"; -$a->strings["%s\\'s birthday"] = ""; +$a->strings["%s\\'s birthday"] = "%s\\ käyttäjän syntymäpäivä"; $a->strings["Sharing notification from Diaspora network"] = ""; $a->strings["Attachments:"] = "Liitteitä:"; $a->strings["(no subject)"] = "(ei aihetta)"; @@ -2159,17 +2159,17 @@ $a->strings["Alignment"] = "Kohdistaminen"; $a->strings["Left"] = "Vasemmalle"; $a->strings["Center"] = "Keskelle"; $a->strings["Color scheme"] = "Värimalli"; -$a->strings["Posts font size"] = ""; -$a->strings["Textareas font size"] = ""; +$a->strings["Posts font size"] = "Julkaisujen fonttikoko"; +$a->strings["Textareas font size"] = "Tekstikenttien fonttikoko"; $a->strings["Comma separated list of helper forums"] = ""; $a->strings["Set style"] = "Aseta tyyli"; $a->strings["Community Pages"] = "Yhteisösivut"; $a->strings["Community Profiles"] = "Yhteisöprofiilit"; $a->strings["Help or @NewHere ?"] = ""; $a->strings["Connect Services"] = "Yhdistä palvelut"; -$a->strings["Find Friends"] = ""; -$a->strings["Last users"] = ""; +$a->strings["Find Friends"] = "Etsi kavereita"; +$a->strings["Last users"] = "Viimeisimmät käyttäjät"; $a->strings["Local Directory"] = "Paikallinen hakemisto"; $a->strings["Quick Start"] = "Pika-aloitus"; $a->strings["toggle mobile"] = "Mobiilisivusto päälle/pois"; -$a->strings["Update %s failed. See error logs."] = ""; +$a->strings["Update %s failed. See error logs."] = "%s päivitys epäonnistui, katso virhelokit."; From e5583591d79f953b92e0221111fbd4cd926404b5 Mon Sep 17 00:00:00 2001 From: Michael Date: Tue, 17 Apr 2018 05:18:26 +0000 Subject: [PATCH 071/112] Default values for site configuration --- mod/admin.php | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/mod/admin.php b/mod/admin.php index a51cbd8d3..74849ea9e 100644 --- a/mod/admin.php +++ b/mod/admin.php @@ -1384,7 +1384,7 @@ function admin_page_site(App $a) '$allowed_oembed' => ['allowed_oembed', L10n::t("Allowed OEmbed domains"), Config::get('system','allowed_oembed'), L10n::t("Comma separated list of domains which oembed content is allowed to be displayed. Wildcards are accepted.")], '$block_public' => ['block_public', L10n::t("Block public"), Config::get('system','block_public'), L10n::t("Check to block public access to all otherwise public personal pages on this site unless you are currently logged in.")], '$force_publish' => ['publish_all', L10n::t("Force publish"), Config::get('system','publish_all'), L10n::t("Check to force all profiles on this site to be listed in the site directory.")], - '$global_directory' => ['directory', L10n::t("Global directory URL"), Config::get('system','directory'), L10n::t("URL to the global directory. If this is not set, the global directory is completely unavailable to the application.")], + '$global_directory' => ['directory', L10n::t("Global directory URL"), Config::get('system', 'directory', 'https://dir.friendica.social'), L10n::t("URL to the global directory. If this is not set, the global directory is completely unavailable to the application.")], '$newuser_private' => ['newuser_private', L10n::t("Private posts by default for new users"), Config::get('system','newuser_private'), L10n::t("Set default post permissions for all new members to the default privacy group rather than public.")], '$enotify_no_content' => ['enotify_no_content', L10n::t("Don't include post content in email notifications"), Config::get('system','enotify_no_content'), L10n::t("Don't include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure.")], '$private_addons' => ['private_addons', L10n::t("Disallow public access to addons listed in the apps menu."), Config::get('config','private_addons'), L10n::t("Checking this box will restrict addons listed in the apps menu to members only.")], @@ -1400,17 +1400,17 @@ function admin_page_site(App $a) '$ostatus_not_able' => L10n::t("OStatus support can only be enabled if threading is enabled."), '$diaspora_able' => $diaspora_able, '$diaspora_not_able' => L10n::t("Diaspora support can't be enabled because Friendica was installed into a sub directory."), - '$diaspora_enabled' => ['diaspora_enabled', L10n::t("Enable Diaspora support"), Config::get('system','diaspora_enabled'), L10n::t("Provide built-in Diaspora network compatibility.")], + '$diaspora_enabled' => ['diaspora_enabled', L10n::t("Enable Diaspora support"), Config::get('system', 'diaspora_enabled', $diaspora_able), L10n::t("Provide built-in Diaspora network compatibility.")], '$dfrn_only' => ['dfrn_only', L10n::t('Only allow Friendica contacts'), Config::get('system','dfrn_only'), L10n::t("All contacts must use Friendica protocols. All other built-in communication protocols disabled.")], '$verifyssl' => ['verifyssl', L10n::t("Verify SSL"), Config::get('system','verifyssl'), L10n::t("If you wish, you can turn on strict certificate checking. This will mean you cannot connect \x28at all\x29 to self-signed SSL sites.")], '$proxyuser' => ['proxyuser', L10n::t("Proxy user"), Config::get('system','proxyuser'), ""], '$proxy' => ['proxy', L10n::t("Proxy URL"), Config::get('system','proxy'), ""], - '$timeout' => ['timeout', L10n::t("Network timeout"), (x(Config::get('system','curl_timeout'))?Config::get('system','curl_timeout'):60), L10n::t("Value is in seconds. Set to 0 for unlimited \x28not recommended\x29.")], - '$maxloadavg' => ['maxloadavg', L10n::t("Maximum Load Average"), ((intval(Config::get('system','maxloadavg')) > 0)?Config::get('system','maxloadavg'):50), L10n::t("Maximum system load before delivery and poll processes are deferred - default 50.")], - '$maxloadavg_frontend' => ['maxloadavg_frontend', L10n::t("Maximum Load Average \x28Frontend\x29"), ((intval(Config::get('system','maxloadavg_frontend')) > 0)?Config::get('system','maxloadavg_frontend'):50), L10n::t("Maximum system load before the frontend quits service - default 50.")], - '$min_memory' => ['min_memory', L10n::t("Minimal Memory"), ((intval(Config::get('system','min_memory')) > 0)?Config::get('system','min_memory'):0), L10n::t("Minimal free memory in MB for the worker. Needs access to /proc/meminfo - default 0 \x28deactivated\x29.")], + '$timeout' => ['timeout', L10n::t("Network timeout"), Config::get('system', 'curl_timeout', 60), L10n::t("Value is in seconds. Set to 0 for unlimited \x28not recommended\x29.")], + '$maxloadavg' => ['maxloadavg', L10n::t("Maximum Load Average"), Config::get('system', 'maxloadavg', 50), L10n::t("Maximum system load before delivery and poll processes are deferred - default 50.")], + '$maxloadavg_frontend' => ['maxloadavg_frontend', L10n::t("Maximum Load Average \x28Frontend\x29"), Config::get('system', 'maxloadavg_frontend', 50), L10n::t("Maximum system load before the frontend quits service - default 50.")], + '$min_memory' => ['min_memory', L10n::t("Minimal Memory"), Config::get('system', 'min_memory', 0), L10n::t("Minimal free memory in MB for the worker. Needs access to /proc/meminfo - default 0 \x28deactivated\x29.")], '$optimize_max_tablesize'=> ['optimize_max_tablesize', L10n::t("Maximum table size for optimization"), $optimize_max_tablesize, L10n::t("Maximum table size \x28in MB\x29 for the automatic optimization - default 100 MB. Enter -1 to disable it.")], - '$optimize_fragmentation'=> ['optimize_fragmentation', L10n::t("Minimum level of fragmentation"), ((intval(Config::get('system','optimize_fragmentation')) > 0)?Config::get('system','optimize_fragmentation'):30), L10n::t("Minimum fragmenation level to start the automatic optimization - default value is 30%.")], + '$optimize_fragmentation'=> ['optimize_fragmentation', L10n::t("Minimum level of fragmentation"), Config::get('system', 'optimize_fragmentation', 30), L10n::t("Minimum fragmenation level to start the automatic optimization - default value is 30%.")], '$poco_completion' => ['poco_completion', L10n::t("Periodical check of global contacts"), Config::get('system','poco_completion'), L10n::t("If enabled, the global contacts are checked periodically for missing or outdated data and the vitality of the contacts and servers.")], '$poco_requery_days' => ['poco_requery_days', L10n::t("Days between requery"), Config::get('system','poco_requery_days'), L10n::t("Number of days after which a server is requeried for his contacts.")], @@ -1440,11 +1440,11 @@ function admin_page_site(App $a) '$worker_frontend' => ['worker_frontend', L10n::t('Enable frontend worker'), Config::get('system','frontend_worker'), L10n::t('When enabled the Worker process is triggered when backend access is performed \x28e.g. messages being delivered\x29. On smaller sites you might want to call %s/worker on a regular basis via an external cron job. You should only enable this option if you cannot utilize cron/scheduled jobs on your server.', System::baseUrl())], '$relay_subscribe' => ['relay_subscribe', L10n::t("Subscribe to relay"), Config::get('system','relay_subscribe'), L10n::t("Enables the receiving of public posts from the relay. They will be included in the search, subscribed tags and on the global community page.")], - '$relay_server' => ['relay_server', L10n::t("Relay server"), Config::get('system','relay_server'), L10n::t("Address of the relay server where public posts should be send to. For example https://relay.diasp.org")], + '$relay_server' => ['relay_server', L10n::t("Relay server"), Config::get('system', 'relay_server', 'https://relay.diasp.org'), L10n::t("Address of the relay server where public posts should be send to. For example https://relay.diasp.org")], '$relay_directly' => ['relay_directly', L10n::t("Direct relay transfer"), Config::get('system','relay_directly'), L10n::t("Enables the direct transfer to other servers without using the relay servers")], '$relay_scope' => ['relay_scope', L10n::t("Relay scope"), Config::get('system','relay_scope'), L10n::t("Can be 'all' or 'tags'. 'all' means that every public post should be received. 'tags' means that only posts with selected tags should be received."), ['' => L10n::t('Disabled'), 'all' => L10n::t('all'), 'tags' => L10n::t('tags')]], '$relay_server_tags' => ['relay_server_tags', L10n::t("Server tags"), Config::get('system','relay_server_tags'), L10n::t("Comma separated list of tags for the 'tags' subscription.")], - '$relay_user_tags' => ['relay_user_tags', L10n::t("Allow user tags"), Config::get('system','relay_user_tags'), L10n::t("If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'.")], + '$relay_user_tags' => ['relay_user_tags', L10n::t("Allow user tags"), Config::get('system', 'relay_user_tags', true), L10n::t("If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'.")], '$form_security_token' => get_form_security_token("admin_site") ]); From 2cdcd13e68d882ff8d68c0b201f820c16ecf7201 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Tue, 17 Apr 2018 18:37:59 +0200 Subject: [PATCH 072/112] [TASK] Config: Add MySQL environment variables --- htconfig.php | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/htconfig.php b/htconfig.php index f4ea4d295..c078103e8 100644 --- a/htconfig.php +++ b/htconfig.php @@ -21,6 +21,15 @@ $db_user = 'mysqlusername'; $db_pass = 'mysqlpassword'; $db_data = 'mysqldatabasename'; +// Set this variable to true if you want to use environment variables for mysql +$db_use_env_vars = false; +if ($db_use_env_vars) { + $db_host = getenv('MYSQL_HOST') . ':' . getenv('MYSQL_PORT'); + $db_user = getenv('MYSQL_USERNAME'); + $db_pass = getenv('MYSQL_PASSWORD'); + $db_data = getenv('MYSQL_DATABASE'); +} + // Set the database connection charset to full Unicode (utf8mb4). // Changing this value will likely corrupt the special characters. // You have been warned. From fc8b11283a31f91737a5fe4baab051ddb889ad6f Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= Date: Tue, 17 Apr 2018 18:40:24 +0200 Subject: [PATCH 073/112] [TASK] Template: Environment variables for MySQL --- view/templates/htconfig.tpl | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/view/templates/htconfig.tpl b/view/templates/htconfig.tpl index f651a273f..0b81b7732 100644 --- a/view/templates/htconfig.tpl +++ b/view/templates/htconfig.tpl @@ -17,6 +17,15 @@ $db_user = '{{$dbuser}}'; $db_pass = '{{$dbpass}}'; $db_data = '{{$dbdata}}'; +// Set this variable to true, if you want to use environment variables for mysql +$db_use_env_vars = false; +if ($db_use_env_vars === true) { + $db_host = getenv('MYSQL_HOST') . ':' . getenv('MYSQL_PORT'); + $db_user = getenv('MYSQL_USERNAME'); + $db_pass = getenv('MYSQL_PASSWORD'); + $db_data = getenv('MYSQL_DATABASE'); +} + // Set the database connection charset to full Unicode (utf8mb4). // Changing this value will likely corrupt the special characters. // You have been warned. From 229d8eb0e9275e317f0c30c12e5e9eb55ea87bfe Mon Sep 17 00:00:00 2001 From: Michael Date: Tue, 17 Apr 2018 16:46:57 +0000 Subject: [PATCH 074/112] better support for the Diaspora app "Dandelion" --- index.php | 32 ++++++++++++++++++++++++++++++-- 1 file changed, 30 insertions(+), 2 deletions(-) diff --git a/index.php b/index.php index e3ab16469..2f23ea791 100644 --- a/index.php +++ b/index.php @@ -228,8 +228,36 @@ if (strlen($a->module)) { */ // Compatibility with the Android Diaspora client - if ($a->module == "stream") { - $a->module = "network"; + if ($a->module == 'stream') { + goaway('network?f=&order=post'); + } + + if ($a->module == 'conversations') { + goaway('message'); + } + + if ($a->module == 'commented') { + goaway('network?f=&order=comment'); + } + + if ($a->module == 'liked') { + goaway('network?f=&order=comment'); + } + + if ($a->module == 'activity') { + goaway('network/?f=&conv=1'); + } + + if (($a->module == 'status_messages') && ($a->cmd == 'status_messages/new')) { + goaway('bookmarklet'); + } + + if (($a->module == 'user') && ($a->cmd == 'user/edit')) { + goaway('settings'); + } + + if (($a->module == 'tag_followings') && ($a->cmd == 'tag_followings/manage')) { + goaway('search'); } // Compatibility with the Firefox App From 188158274cdb79c84c7e9c163a52a593179cbc12 Mon Sep 17 00:00:00 2001 From: Hypolite Petovan Date: Tue, 17 Apr 2018 19:56:47 -0400 Subject: [PATCH 075/112] [Composer] Add bower-asset/vue dependency --- composer.json | 1 + composer.lock | 18 +++++++++++++++++- 2 files changed, 18 insertions(+), 1 deletion(-) diff --git a/composer.json b/composer.json index 52b4f2c86..5cb33e67d 100644 --- a/composer.json +++ b/composer.json @@ -30,6 +30,7 @@ "bower-asset/base64": "^1.0", "bower-asset/Chart-js": "^2.7", "bower-asset/perfect-scrollbar": "^0.6", + "bower-asset/vue": "^2.5", "npm-asset/jquery": "^2.0", "npm-asset/jquery-colorbox": "^1.6", "npm-asset/jquery-datetimepicker": "^2.4.0", diff --git a/composer.lock b/composer.lock index 28199f4f5..34362cb1b 100644 --- a/composer.lock +++ b/composer.lock @@ -4,7 +4,7 @@ "Read more about it at https://getcomposer.org/doc/01-basic-usage.md#composer-lock-the-lock-file", "This file is @generated automatically" ], - "content-hash": "12b8df66213734281765cb6e2c5a786e", + "content-hash": "96062c2020a40f14b52e5e91c79995a7", "packages": [ { "name": "asika/simple-console", @@ -133,6 +133,22 @@ "description": "Minimalistic but perfect custom scrollbar plugin", "time": "2017-01-10T01:04:09+00:00" }, + { + "name": "bower-asset/vue", + "version": "v2.5.16", + "source": { + "type": "git", + "url": "https://github.com/vuejs/vue.git", + "reference": "25342194016dc3bcc81cb3e8e229b0fb7ba1d1d6" + }, + "dist": { + "type": "zip", + "url": "https://api.github.com/repos/vuejs/vue/zipball/25342194016dc3bcc81cb3e8e229b0fb7ba1d1d6", + "reference": "25342194016dc3bcc81cb3e8e229b0fb7ba1d1d6", + "shasum": "" + }, + "type": "bower-asset-library" + }, { "name": "divineomega/password_exposed", "version": "v2.5.1", From f99af007aef66670535a7ac41fe0bc37dea74401 Mon Sep 17 00:00:00 2001 From: Michael Date: Wed, 18 Apr 2018 04:59:33 +0000 Subject: [PATCH 076/112] Replaced queries --- src/Protocol/Diaspora.php | 58 +++++++++++++++++---------------------- 1 file changed, 25 insertions(+), 33 deletions(-) diff --git a/src/Protocol/Diaspora.php b/src/Protocol/Diaspora.php index 6c47aadc7..733cdf743 100644 --- a/src/Protocol/Diaspora.php +++ b/src/Protocol/Diaspora.php @@ -2747,32 +2747,30 @@ class Diaspora public static function originalItem($guid, $orig_author) { // Do we already have this item? - $r = q( - "SELECT `body`, `tag`, `app`, `created`, `object-type`, `uri`, `guid`, - `author-name`, `author-link`, `author-avatar` - FROM `item` WHERE `guid` = '%s' AND `visible` AND NOT `deleted` AND `body` != '' LIMIT 1", - dbesc($guid) - ); + $fields = ['body', 'tag', 'app', 'created', 'object-type', 'uri', 'guid', + 'author-name', 'author-link', 'author-avatar']; + $condition = ['guid' => $guid, 'visible' => true, 'deleted' => false]; + $item = dba::selectfirst('item', $fields, $condition); - if (DBM::is_result($r)) { + if (DBM::is_result($item)) { logger("reshared message ".$guid." already exists on system."); // Maybe it is already a reshared item? // Then refetch the content, if it is a reshare from a reshare. // If it is a reshared post from another network then reformat to avoid display problems with two share elements - if (self::isReshare($r[0]["body"], true)) { + if (self::isReshare($item["body"], true)) { $r = []; - } elseif (self::isReshare($r[0]["body"], false) || strstr($r[0]["body"], "[share")) { - $r[0]["body"] = Markdown::toBBCode(BBCode::toMarkdown($r[0]["body"])); + } elseif (self::isReshare($item["body"], false) || strstr($item["body"], "[share")) { + $item["body"] = Markdown::toBBCode(BBCode::toMarkdown($item["body"])); - $r[0]["body"] = self::replacePeopleGuid($r[0]["body"], $r[0]["author-link"]); + $item["body"] = self::replacePeopleGuid($item["body"], $item["author-link"]); // Add OEmbed and other information to the body - $r[0]["body"] = add_page_info_to_body($r[0]["body"], false, true); + $item["body"] = add_page_info_to_body($item["body"], false, true); - return $r[0]; + return $item; } else { - return $r[0]; + return $item; } } @@ -2788,21 +2786,19 @@ class Diaspora } if ($item_id) { - $r = q( - "SELECT `body`, `tag`, `app`, `created`, `object-type`, `uri`, `guid`, - `author-name`, `author-link`, `author-avatar` - FROM `item` WHERE `id` = %d AND `visible` AND NOT `deleted` AND `body` != '' LIMIT 1", - intval($item_id) - ); + $fields = ['body', 'tag', 'app', 'created', 'object-type', 'uri', 'guid', + 'author-name', 'author-link', 'author-avatar']; + $condition = ['id' => $item_id, 'visible' => true, 'deleted' => false]; + $item = dba::selectfirst('item', $fields, $condition); - if (DBM::is_result($r)) { + if (DBM::is_result($item)) { // If it is a reshared post from another network then reformat to avoid display problems with two share elements - if (self::isReshare($r[0]["body"], false)) { - $r[0]["body"] = Markdown::toBBCode(BBCode::toMarkdown($r[0]["body"])); - $r[0]["body"] = self::replacePeopleGuid($r[0]["body"], $r[0]["author-link"]); + if (self::isReshare($item["body"], false)) { + $item["body"] = Markdown::toBBCode(BBCode::toMarkdown($item["body"])); + $item["body"] = self::replacePeopleGuid($item["body"], $item["author-link"]); } - return $r[0]; + return $item; } } } @@ -3584,15 +3580,11 @@ class Diaspora } if (($guid != "") && $complete) { - $r = q( - "SELECT `contact-id` FROM `item` WHERE `guid` = '%s' AND `network` IN ('%s', '%s') LIMIT 1", - dbesc($guid), - NETWORK_DFRN, - NETWORK_DIASPORA - ); - if ($r) { + $condition = ['guid' => $guid, 'network' => [NETWORK_DFRN, NETWORK_DIASPORA]]; + $item = dba::selectFirst('item', ['contact-id'], $condition); + if (DBM::is_result($item)) { $ret= []; - $ret["root_handle"] = self::handleFromContact($r[0]["contact-id"]); + $ret["root_handle"] = self::handleFromContact($item["contact-id"]); $ret["root_guid"] = $guid; return $ret; } From ed87e634ed18429c2848d5492abc8fc722fe3e58 Mon Sep 17 00:00:00 2001 From: Michael Date: Wed, 18 Apr 2018 05:00:28 +0000 Subject: [PATCH 077/112] Avoid duplicated multibyte tags --- src/Protocol/PortableContact.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Protocol/PortableContact.php b/src/Protocol/PortableContact.php index f7ea27d67..06c2636ac 100644 --- a/src/Protocol/PortableContact.php +++ b/src/Protocol/PortableContact.php @@ -1421,7 +1421,7 @@ class PortableContact // Avoid duplicates $tags = []; foreach ($data->tags as $tag) { - $tag = strtolower($tag); + $tag = mb_strtolower($tag); $tags[$tag] = $tag; } From 8a730b2d85ea14daf08f56b1df010f7592838849 Mon Sep 17 00:00:00 2001 From: Michael Date: Wed, 18 Apr 2018 05:02:59 +0000 Subject: [PATCH 078/112] Issue 4655: Avoid multiplicated contact requests from the same account --- src/Model/Contact.php | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/src/Model/Contact.php b/src/Model/Contact.php index eeecac146..48e8be310 100644 --- a/src/Model/Contact.php +++ b/src/Model/Contact.php @@ -1482,6 +1482,11 @@ class Contact extends BaseObject } // send email notification to owner? } else { + if (dba::exists('contact', ['nurl' => normalise_link($url), 'uid' => $importer['uid'], 'pending' => true])) { + logger('ignoring duplicated connection request from pending contact ' . $url); + return; + } + // create contact record q("INSERT INTO `contact` (`uid`, `created`, `url`, `nurl`, `name`, `nick`, `photo`, `network`, `rel`, `blocked`, `readonly`, `pending`, `writable`) From 9cb2369c150e9373322b0ac4cc3c087b20de6fe9 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Wed, 18 Apr 2018 07:57:16 +0200 Subject: [PATCH 079/112] update to the FI translation THX Kris --- view/lang/fi-fi/messages.po | 266 ++++++++++++++++++------------------ view/lang/fi-fi/strings.php | 264 +++++++++++++++++------------------ 2 files changed, 265 insertions(+), 265 deletions(-) diff --git a/view/lang/fi-fi/messages.po b/view/lang/fi-fi/messages.po index e261c5d2e..4b3b95b80 100644 --- a/view/lang/fi-fi/messages.po +++ b/view/lang/fi-fi/messages.po @@ -15,7 +15,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2018-04-06 16:58+0200\n" -"PO-Revision-Date: 2018-04-16 19:25+0000\n" +"PO-Revision-Date: 2018-04-18 01:42+0000\n" "Last-Translator: Kris\n" "Language-Team: Finnish (Finland) (http://www.transifex.com/Friendica/friendica/language/fi_FI/)\n" "MIME-Version: 1.0\n" @@ -106,7 +106,7 @@ msgstr "[Friendica:Notify] Uusi viesti, katso %s" #: include/enotify.php:100 #, php-format msgid "%1$s sent you a new private message at %2$s." -msgstr "" +msgstr "%1$s lähetti sinulle uuden yksityisviestin kohteessa %2$s." #: include/enotify.php:101 msgid "a private message" @@ -120,7 +120,7 @@ msgstr "%1$s lähetti sinulle %2$s." #: include/enotify.php:103 #, php-format msgid "Please visit %s to view and/or reply to your private messages." -msgstr "" +msgstr "Katso yksityisviestisi kohteessa %s." #: include/enotify.php:141 #, php-format @@ -140,12 +140,12 @@ msgstr "" #: include/enotify.php:171 #, php-format msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "" +msgstr "[Friendica:Notify] %2$s kommentoi keskustelussa #%1$d" #: include/enotify.php:173 #, php-format msgid "%s commented on an item/conversation you have been following." -msgstr "" +msgstr "%s kommentoi kohteessa/keskustelussa jota seuraat." #: include/enotify.php:176 include/enotify.php:191 include/enotify.php:206 #: include/enotify.php:221 include/enotify.php:240 include/enotify.php:255 @@ -156,17 +156,17 @@ msgstr "" #: include/enotify.php:183 #, php-format msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "" +msgstr "[Friendica:Notify] %s kirjoitti profiiliseinällesi" #: include/enotify.php:185 #, php-format msgid "%1$s posted to your profile wall at %2$s" -msgstr "" +msgstr "%1$s kirjoitti seinällesi kohteessa %2$s" #: include/enotify.php:186 #, php-format msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "" +msgstr "%1$s kirjoitti [url=%2$s]seinällesi[/url]" #: include/enotify.php:198 #, php-format @@ -206,7 +206,7 @@ msgstr "[Friendica:Notify] %1$s tökkäsi sinua." #: include/enotify.php:230 #, php-format msgid "%1$s poked you at %2$s" -msgstr "" +msgstr "%1$s tökkäsi sinua kohteessa %2$s" #: include/enotify.php:231 #, php-format @@ -536,7 +536,7 @@ msgstr "Poista" #: src/Object/Post.php:364 #, php-format msgid "View %s's profile @ %s" -msgstr "" +msgstr "Katso %s-henkilön profiilia @ %s" #: include/conversation.php:795 src/Object/Post.php:351 msgid "Categories:" @@ -714,7 +714,7 @@ msgstr "Lisää ääni URL-linkki:" #: include/conversation.php:1288 include/conversation.php:1304 msgid "Tag term:" -msgstr "" +msgstr "Tunniste:" #: include/conversation.php:1289 include/conversation.php:1305 #: mod/filer.php:34 @@ -867,8 +867,8 @@ msgstr[1] "Ei osallistu" #: include/conversation.php:1693 src/Content/ContactSelector.php:125 msgid "Undecided" msgid_plural "Undecided" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "En ole varma" +msgstr[1] "En ole varma" #: include/text.php:302 msgid "newer" @@ -989,11 +989,11 @@ msgstr "läimäsi" #: include/text.php:1078 msgid "finger" -msgstr "" +msgstr "näytä keskisormea" #: include/text.php:1078 msgid "fingered" -msgstr "" +msgstr "näytti keskisormea" #: include/text.php:1079 msgid "rebuff" @@ -1151,7 +1151,7 @@ msgstr "Jou." #: include/text.php:1275 #, php-format msgid "Content warning: %s" -msgstr "" +msgstr "Sisältövaroitus: %s" #: include/text.php:1345 mod/videos.php:380 msgid "View Video" @@ -1197,7 +1197,7 @@ msgstr "" #: mod/allfriends.php:51 msgid "No friends to display." -msgstr "" +msgstr "Ei näytettäviä kavereita." #: mod/allfriends.php:90 mod/suggest.php:101 mod/match.php:105 #: mod/dirfind.php:215 src/Content/Widget.php:37 src/Model/Profile.php:297 @@ -1234,7 +1234,7 @@ msgstr "Ei" #: mod/apps.php:14 index.php:245 msgid "You must be logged in to use addons. " -msgstr "" +msgstr "Sinun pitää kirjautua sisään, jotta voit käyttää lisäosia" #: mod/apps.php:19 msgid "Applications" @@ -1627,7 +1627,7 @@ msgstr "" #: mod/contacts.php:959 #, php-format msgid "Visit %s's profile [%s]" -msgstr "" +msgstr "Näytä %s-käyttäjän profiili [%s]" #: mod/nogroup.php:43 mod/contacts.php:960 msgid "Edit contact" @@ -1679,7 +1679,7 @@ msgstr "Ystäväehdotukset" msgid "" "This site has exceeded the number of allowed daily account registrations. " "Please try again tomorrow." -msgstr "" +msgstr "Sivuston päivittäinen rekisteröintiraja ylitetty. Yritä uudelleen huomenna." #: mod/uimport.php:70 mod/register.php:285 msgid "Import" @@ -1704,7 +1704,7 @@ msgstr "" msgid "" "This feature is experimental. We can't import contacts from the OStatus " "network (GNU Social/Statusnet) or from Diaspora" -msgstr "" +msgstr "Tämä on kokeellinen ominaisuus. Emme voi tuoda kontakteja OStatus-verkolta (GNU social/Statusnet) tai Diasporalta." #: mod/uimport.php:76 msgid "Account file" @@ -1732,7 +1732,7 @@ msgstr "" #: mod/match.php:104 msgid "is interested in:" -msgstr "" +msgstr "on kiinnostunut seuraavista aiheista:" #: mod/match.php:120 msgid "Profile Match" @@ -1904,7 +1904,7 @@ msgstr "Näytä kaikki" #: mod/notifications.php:322 #, php-format msgid "No more %s notifications." -msgstr "" +msgstr "Ei muita %s ilmoituksia." #: mod/openid.php:29 msgid "OpenID protocol error. No ID returned." @@ -1965,7 +1965,7 @@ msgstr "" #: mod/dfrn_confirm.php:508 msgid "Our site encryption key is apparently messed up." -msgstr "" +msgstr "Sivustomme salausavain on sekaisin." #: mod/dfrn_confirm.php:519 msgid "Empty site URL was provided or URL could not be decrypted by us." @@ -2002,7 +2002,7 @@ msgstr "[Nimi jätetty pois]" #: mod/dfrn_confirm.php:694 #, php-format msgid "%1$s has joined %2$s" -msgstr "" +msgstr "%1$s on liittynyt kohteeseen %2$s" #: mod/invite.php:33 msgid "Total invitation limit exceeded." @@ -2019,7 +2019,7 @@ msgstr "Tervetuloa Friendicaan" #: mod/invite.php:91 msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "" +msgstr "Kutsuraja ylitetty. Ota yhteyttä ylläpitäjään." #: mod/invite.php:95 #, php-format @@ -2035,7 +2035,7 @@ msgstr[1] "%d viestiä lähetetty." #: mod/invite.php:117 msgid "You have no more invitations available" -msgstr "" +msgstr "Sinulla ei ole kutsuja jäljellä" #: mod/invite.php:125 #, php-format @@ -2435,7 +2435,7 @@ msgstr "Käyttö estetty." #: mod/wallmessage.php:49 mod/wallmessage.php:112 #, php-format msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "" +msgstr "%s-käyttäjän päivittäinen seinäviestiraja ylitetty. Viestin lähettäminen epäonnistui." #: mod/wallmessage.php:57 mod/message.php:73 msgid "No recipient selected." @@ -2443,7 +2443,7 @@ msgstr "Vastaanottaja puuttuu." #: mod/wallmessage.php:60 msgid "Unable to check your home location." -msgstr "" +msgstr "Kotisijaintisi ei voitu tarkistaa." #: mod/wallmessage.php:63 mod/message.php:80 msgid "Message could not be sent." @@ -2451,7 +2451,7 @@ msgstr "Viestiä ei voitu lähettää." #: mod/wallmessage.php:66 mod/message.php:83 msgid "Message collection failure." -msgstr "" +msgstr "Viestin noutaminen epäonnistui." #: mod/wallmessage.php:69 mod/message.php:86 msgid "Message sent." @@ -2641,7 +2641,7 @@ msgstr "Paikallinen yhteisö" #: mod/community.php:79 msgid "Posts from local users on this server" -msgstr "" +msgstr "Tämän palvelimen julkaisut" #: mod/community.php:87 msgid "Global Community" @@ -2649,7 +2649,7 @@ msgstr "Maailmanlaajuinen yhteisö" #: mod/community.php:90 msgid "Posts from users of the whole federated network" -msgstr "" +msgstr "Maailmanlaajuisen verkon julkaisut" #: mod/community.php:180 msgid "" @@ -2675,7 +2675,7 @@ msgstr "Esimerkki: bob@example.com, mary@example.com" #: mod/feedtest.php:20 msgid "You must be logged in to use this module" -msgstr "" +msgstr "Sinun pitää kirjautua sisään, jotta voit käyttää tätä moduulia" #: mod/feedtest.php:48 msgid "Source URL" @@ -2907,7 +2907,7 @@ msgstr "Virheellinen kontakti." #: mod/network.php:921 msgid "Commented Order" -msgstr "" +msgstr "Järjestä viimeisimpien kommenttien mukaan" #: mod/network.php:924 msgid "Sort by Comment Date" @@ -2915,7 +2915,7 @@ msgstr "Kommentit päivämäärän mukaan" #: mod/network.php:929 msgid "Posted Order" -msgstr "" +msgstr "Järjestä julkaisupäivämäärän mukaan" #: mod/network.php:932 msgid "Sort by Post Date" @@ -3405,7 +3405,7 @@ msgstr "Järjestelmän kieli:" msgid "" "Set the default language for your Friendica installation interface and to " "send emails." -msgstr "" +msgstr "Valitse Friendica-sivustosi oletuskieli." #: mod/install.php:325 msgid "Could not find a command line version of PHP in the web server PATH." @@ -3613,11 +3613,11 @@ msgstr "view/smarty3 on kirjoitettava" #: mod/install.php:501 msgid "" "Url rewrite in .htaccess is not working. Check your server configuration." -msgstr "" +msgstr "URL-osoitteen uudelleenkirjoitus .htaccess-tiedostossa ei toimi. Tarkista palvelimen asetukset." #: mod/install.php:503 msgid "Url rewrite is working" -msgstr "" +msgstr "URL-osoitteen uudellenkirjoitus toimii" #: mod/install.php:522 msgid "ImageMagick PHP extension is not installed" @@ -3839,7 +3839,7 @@ msgstr "Kuva ladattu mutta kuvan rajaus epäonnistui." #: mod/profile_photo.php:315 #, php-format msgid "Image size reduction [%s] failed." -msgstr "" +msgstr "Kuvan pienentäminen [%s] epäonnistui." #: mod/profile_photo.php:125 msgid "" @@ -3877,7 +3877,7 @@ msgstr "Rajaa kuva" #: mod/profile_photo.php:267 msgid "Please adjust the image cropping for optimum viewing." -msgstr "" +msgstr "Rajaa kuva sopivasti." #: mod/profile_photo.php:269 msgid "Done Editing" @@ -3909,7 +3909,7 @@ msgstr "" #: mod/directory.php:208 msgid "Site Directory" -msgstr "" +msgstr "Sivuston luettelo" #: mod/directory.php:209 mod/contacts.php:820 src/Content/Widget.php:63 msgid "Find" @@ -4116,7 +4116,7 @@ msgstr "" #: mod/profiles.php:658 msgid "Show more profile fields:" -msgstr "" +msgstr "Näytä lisää profiilikenttiä:" #: mod/profiles.php:670 msgid "Profile Actions" @@ -4700,7 +4700,7 @@ msgstr "Kontakti-lisäasetukset" #: mod/contacts.php:930 msgid "Mutual Friendship" -msgstr "" +msgstr "Yhteinen kaveruus" #: mod/contacts.php:934 msgid "is a fan of yours" @@ -4851,7 +4851,7 @@ msgstr "" #: mod/lostpass.php:73 #, php-format msgid "Password reset requested at %s" -msgstr "" +msgstr "Salasanan nollauspyyntö kohteessa %s" #: mod/lostpass.php:89 msgid "" @@ -4895,7 +4895,7 @@ msgstr "Uusi salasanasi on" #: mod/lostpass.php:139 msgid "Save or copy your new password - and then" -msgstr "" +msgstr "Tallenna tai kopioi uusi salasanasi, ja sitten" #: mod/lostpass.php:140 msgid "click here to login" @@ -4940,7 +4940,7 @@ msgstr "Salasanasi on vaihdettu sivustolla %s" #: mod/register.php:99 msgid "" "Registration successful. Please check your email for further instructions." -msgstr "" +msgstr "Rekisteröityminen onnistui. Saat kohta lisäohjeita sähköpostitse." #: mod/register.php:103 #, php-format @@ -4971,7 +4971,7 @@ msgstr "" msgid "" "If you are not familiar with OpenID, please leave that field blank and fill " "in the rest of the items." -msgstr "" +msgstr "Jos OpenID ei ole tuttu, jätä kenttä tyhjäksi." #: mod/register.php:222 msgid "Your OpenID (optional): " @@ -4987,7 +4987,7 @@ msgstr "Viesti ylläpidolle" #: mod/register.php:259 msgid "Leave a message for the admin, why you want to join this node" -msgstr "" +msgstr "Kerro yllåpitäjälle miksi haluat liittyä tähän Friendica -sivustoon" #: mod/register.php:260 msgid "Membership on this site is by invitation only." @@ -5003,13 +5003,13 @@ msgstr "Rekisteröityminen" #: mod/register.php:270 msgid "Your Full Name (e.g. Joe Smith, real or real-looking): " -msgstr "" +msgstr "Koko nimi (esim. Matti Meikäläinen, Aku Ankka):" #: mod/register.php:271 msgid "" "Your Email Address: (Initial information will be send there, so this has to " "be an existing address.)" -msgstr "" +msgstr "Sähköpostiosoite: (pitää olla toimiva osoite että rekisteröityminen onnistuu)" #: mod/register.php:273 mod/settings.php:1201 msgid "New Password:" @@ -5017,7 +5017,7 @@ msgstr "Uusi salasana:" #: mod/register.php:273 msgid "Leave empty for an auto generated password." -msgstr "" +msgstr "Jätä tyhjäksi jos haluat automaattisesti luotu salasanan." #: mod/register.php:274 mod/settings.php:1202 msgid "Confirm:" @@ -5144,7 +5144,7 @@ msgstr "Lisäosaominaisuudet" #: mod/admin.php:224 msgid "User registrations waiting for confirmation" -msgstr "" +msgstr "Käyttäjärekisteröinnit odottavat hyväksyntää" #: mod/admin.php:301 mod/admin.php:361 mod/admin.php:478 mod/admin.php:520 #: mod/admin.php:717 mod/admin.php:752 mod/admin.php:848 mod/admin.php:1344 @@ -5319,8 +5319,8 @@ msgstr "Kuva" #, php-format msgid "%s total blocked contact" msgid_plural "%s total blocked contacts" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Yhteensä %s estetty kontakti" +msgstr[1] "Yhteensä %s estettyjä kontakteja" #: mod/admin.php:500 msgid "URL of the remote contact to block." @@ -5349,7 +5349,7 @@ msgstr "GUID" #: mod/admin.php:525 msgid "The GUID of the item you want to delete." -msgstr "" +msgstr "Poistettavan kohteen GUID." #: mod/admin.php:564 msgid "Item marked for deletion." @@ -5651,7 +5651,7 @@ msgstr "" #: mod/admin.php:1364 msgid "Touch icon" -msgstr "" +msgstr "Kosketusnäyttökuvake" #: mod/admin.php:1364 msgid "Link to an icon that will be used for tablets and mobiles." @@ -5700,7 +5700,7 @@ msgstr "" #: mod/admin.php:1370 msgid "Force SSL" -msgstr "" +msgstr "Pakoita SSL-yhteyden käyttöä" #: mod/admin.php:1370 msgid "" @@ -5773,13 +5773,13 @@ msgstr "" #: mod/admin.php:1379 msgid "Register text" -msgstr "" +msgstr "Rekisteröitymisteksti" #: mod/admin.php:1379 msgid "" "Will be displayed prominently on the registration page. You can use BBCode " "here." -msgstr "" +msgstr "Näkyvästi esillä rekisteröitymissivulla. Voit käyttää BBCodeia." #: mod/admin.php:1380 msgid "Accounts abandoned after x days" @@ -5893,7 +5893,7 @@ msgstr "" #: mod/admin.php:1391 msgid "Don't embed private images in posts" -msgstr "" +msgstr "Älä upota yksityisiä kuvia julkaisuissa" #: mod/admin.php:1391 msgid "" @@ -6161,7 +6161,7 @@ msgstr "" #: mod/admin.php:1424 msgid "Suppress Tags" -msgstr "" +msgstr "Piilota tunnisteet" #: mod/admin.php:1424 msgid "Suppress showing a list of hashtags at the end of the posting." @@ -6187,7 +6187,7 @@ msgstr "" #: mod/admin.php:1427 msgid "Maximum numbers of comments per post" -msgstr "" +msgstr "Julkaisun kommentiraja" #: mod/admin.php:1427 msgid "How much comments should be shown for each post? Default value is 100." @@ -6372,7 +6372,7 @@ msgstr "" #: mod/admin.php:1482 #, php-format msgid "Database structure update %s was successfully applied." -msgstr "" +msgstr "Tietokannan rakenteen %s-päivitys onnistui." #: mod/admin.php:1485 #, php-format @@ -6387,7 +6387,7 @@ msgstr "" #: mod/admin.php:1500 #, php-format msgid "Update %s was successfully applied." -msgstr "" +msgstr "%s-päivitys onnistui." #: mod/admin.php:1503 #, php-format @@ -6473,8 +6473,8 @@ msgstr "" #, php-format msgid "%s user blocked/unblocked" msgid_plural "%s users blocked/unblocked" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%s käyttäjä estetty / poistettu estolistalta" +msgstr[1] "%s käyttäjää estetty / poistettu estolistalta" #: mod/admin.php:1627 #, php-format @@ -6880,7 +6880,7 @@ msgstr "Poista lupa" #: mod/settings.php:752 msgid "No Addon settings configured" -msgstr "" +msgstr "Lisäosa-asetukset puuttuvat" #: mod/settings.php:761 msgid "Addon Settings" @@ -6921,7 +6921,7 @@ msgstr "Yleiset some asetukset" #: mod/settings.php:848 msgid "Disable Content Warning" -msgstr "" +msgstr "Poista sisältövaroitus käytöstä" #: mod/settings.php:848 msgid "" @@ -6944,7 +6944,7 @@ msgstr "" #: mod/settings.php:850 msgid "Automatically follow any GNU Social (OStatus) followers/mentioners" -msgstr "" +msgstr "Automaattisesti seuraa GNU social (OStatus) seuraajat/mainitsijat" #: mod/settings.php:850 msgid "" @@ -6959,7 +6959,7 @@ msgstr "Oletusryhmä OStatus kontakteille" #: mod/settings.php:852 msgid "Your legacy GNU Social account" -msgstr "" +msgstr "Vanha GNU social käyttäjätilisi" #: mod/settings.php:852 msgid "" @@ -7262,7 +7262,7 @@ msgstr "" #: mod/settings.php:1105 msgid "Publish your default profile in your local site directory?" -msgstr "" +msgstr "Julkaise oletusprofiilisi tämän sivuston paikallisluettelossa?" #: mod/settings.php:1105 #, php-format @@ -7273,7 +7273,7 @@ msgstr "" #: mod/settings.php:1111 msgid "Publish your default profile in the global social directory?" -msgstr "" +msgstr "Julkaise oletusprofiilisi maailmanlaajuisessa sosiaaliluettelossa?" #: mod/settings.php:1111 #, php-format @@ -7349,7 +7349,7 @@ msgstr "Profiili ei ole julkaistu." #: mod/settings.php:1148 #, php-format msgid "Your Identity Address is '%s' or '%s'." -msgstr "" +msgstr "Identiteettisi osoite on '%s' tai '%s'." #: mod/settings.php:1155 msgid "Automatically expire posts after this many days:" @@ -7357,7 +7357,7 @@ msgstr "" #: mod/settings.php:1155 msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "" +msgstr "Jos kenttä jää tyhjäksi, julkaisut eivät vanhene. Vanhentuneet julkaisut poistetaan." #: mod/settings.php:1156 msgid "Advanced expiration settings" @@ -7369,7 +7369,7 @@ msgstr "" #: mod/settings.php:1158 msgid "Expire posts:" -msgstr "" +msgstr "Julkaisujen vanheneminen:" #: mod/settings.php:1159 msgid "Expire personal notes:" @@ -7377,11 +7377,11 @@ msgstr "" #: mod/settings.php:1160 msgid "Expire starred posts:" -msgstr "" +msgstr "Tähtimerkityt julkaisut vanhenee:" #: mod/settings.php:1161 msgid "Expire photos:" -msgstr "" +msgstr "Kuvat vanhenee:" #: mod/settings.php:1162 msgid "Only expire posts by others:" @@ -7397,7 +7397,7 @@ msgstr "Salasana-asetukset" #: mod/settings.php:1202 msgid "Leave password fields blank unless changing" -msgstr "" +msgstr "Jätä salasana kenttää tyhjäksi jos et halua vaihtaa salasanaa" #: mod/settings.php:1203 msgid "Current Password:" @@ -7439,7 +7439,7 @@ msgstr "" #: mod/settings.php:1213 msgid "Default Post Location:" -msgstr "" +msgstr "Julkaisun oletussijainti:" #: mod/settings.php:1214 msgid "Use Browser Location:" @@ -7451,15 +7451,15 @@ msgstr "Turvallisuus ja tietosuoja-asetukset" #: mod/settings.php:1219 msgid "Maximum Friend Requests/Day:" -msgstr "" +msgstr "Kaveripyyntöraja päivässä:" #: mod/settings.php:1219 mod/settings.php:1248 msgid "(to prevent spam abuse)" -msgstr "" +msgstr "(roskapostin estämiseksi)" #: mod/settings.php:1220 msgid "Default Post Permissions" -msgstr "" +msgstr "Julkaisun oletuskäyttöoikeudet:" #: mod/settings.php:1221 msgid "(click to open/close)" @@ -7475,7 +7475,7 @@ msgstr "" #: mod/settings.php:1236 msgid "Default Permissions for New Posts" -msgstr "" +msgstr "Uuden julkaisun oletuskäyttöoikeudet" #: mod/settings.php:1248 msgid "Maximum private messages per day from unknown people:" @@ -7507,19 +7507,19 @@ msgstr "Lähetä sähköposti-ilmoitus kun:" #: mod/settings.php:1257 msgid "You receive an introduction" -msgstr "" +msgstr "Vastaanotat kaverikutsun" #: mod/settings.php:1258 msgid "Your introductions are confirmed" -msgstr "" +msgstr "Kaverikutsusi on hyväksytty" #: mod/settings.php:1259 msgid "Someone writes on your profile wall" -msgstr "" +msgstr "Joku kirjoittaa profiiliseinällesi" #: mod/settings.php:1260 msgid "Someone writes a followup comment" -msgstr "" +msgstr "Joku vastaa kommenttiin" #: mod/settings.php:1261 msgid "You receive a private message" @@ -7547,11 +7547,11 @@ msgstr "" #: mod/settings.php:1268 msgid "Text-only notification emails" -msgstr "" +msgstr "Ilmoitussähköposteissa vain tekstiä" #: mod/settings.php:1270 msgid "Send text only notification emails, without the html part" -msgstr "" +msgstr "Lähetä ilmoitussähköposteissa vain tekstiä ilman HTML-koodia" #: mod/settings.php:1272 msgid "Show detailled notifications" @@ -7596,22 +7596,22 @@ msgstr "" #: src/Core/UserImport.php:118 #, php-format msgid "User '%s' already exists on this server!" -msgstr "" +msgstr "Käyttäjä '%s' on jo olemassa tällä palvelimella!" #: src/Core/UserImport.php:151 msgid "User creation error" -msgstr "" +msgstr "Virhe käyttäjän luomisessa" #: src/Core/UserImport.php:169 msgid "User profile creation error" -msgstr "" +msgstr "Virhe käyttäjäprofiilin luomisessa" #: src/Core/UserImport.php:213 #, php-format msgid "%d contact not imported" msgid_plural "%d contacts not imported" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d kontakti ei tuotu" +msgstr[1] "%d kontakteja ei tuotu" #: src/Core/UserImport.php:278 msgid "Done. You can now login with your username and password" @@ -7633,7 +7633,7 @@ msgstr "Esittelyt" #: src/Core/NotificationsManager.php:256 src/Core/NotificationsManager.php:268 #, php-format msgid "%s commented on %s's post" -msgstr "" +msgstr "%s kommentoi julkaisuun jonka kirjoitti %s" #: src/Core/NotificationsManager.php:267 #, php-format @@ -7643,12 +7643,12 @@ msgstr "%s loi uuden julkaisun" #: src/Core/NotificationsManager.php:281 #, php-format msgid "%s liked %s's post" -msgstr "" +msgstr "%s tykkäsi julkaisusta jonka kirjoitti %s" #: src/Core/NotificationsManager.php:294 #, php-format msgid "%s disliked %s's post" -msgstr "" +msgstr "%s ei tykännyt julkaisusta jonka kirjoitti %s" #: src/Core/NotificationsManager.php:307 #, php-format @@ -7668,7 +7668,7 @@ msgstr "" #: src/Core/NotificationsManager.php:350 #, php-format msgid "%s is now friends with %s" -msgstr "" +msgstr "%s ja %s ovat kavereita" #: src/Core/NotificationsManager.php:825 msgid "Friend Suggestion" @@ -7774,7 +7774,7 @@ msgstr "sekuntia" #: src/Util/Temporal.php:318 #, php-format msgid "%1$d %2$s ago" -msgstr "" +msgstr "%1$d %2$s sitten" #: src/Content/Text/BBCode.php:555 msgid "view full size" @@ -7800,15 +7800,15 @@ msgstr "Salattu sisältö" #: src/Content/Text/BBCode.php:1879 msgid "Invalid source protocol" -msgstr "" +msgstr "Virheellinen lähdeprotokolla" #: src/Content/Text/BBCode.php:1890 msgid "Invalid link protocol" -msgstr "" +msgstr "Virheellinen linkkiprotokolla" #: src/Content/ForumManager.php:127 view/theme/vier/theme.php:256 msgid "External link to forum" -msgstr "" +msgstr "Ulkoinen linkki foorumiin" #: src/Content/Nav.php:53 msgid "Nothing new here" @@ -7976,7 +7976,7 @@ msgstr "Hallitse/muokkaa kaverit ja kontaktit" #: src/Content/Nav.php:217 msgid "Site setup and configuration" -msgstr "" +msgstr "Sivuston asennus ja asetukset" #: src/Content/Nav.php:220 msgid "Navigation" @@ -7988,7 +7988,7 @@ msgstr "Sivustokartta" #: src/Content/OEmbed.php:253 msgid "Embedding disabled" -msgstr "" +msgstr "Upottaminen poistettu käytöstä" #: src/Content/OEmbed.php:373 msgid "Embedded content" @@ -8030,7 +8030,7 @@ msgstr "" #: src/Content/Feature.php:83 msgid "Export Public Calendar" -msgstr "" +msgstr "Vie julkinen kalenteri" #: src/Content/Feature.php:83 msgid "Ability for visitors to download the public calendar" @@ -8211,11 +8211,11 @@ msgstr "" #: src/Content/Feature.php:129 msgid "Display Membership Date" -msgstr "" +msgstr "Näytä liittymispäivämäärä" #: src/Content/Feature.php:129 msgid "Display membership date in profile" -msgstr "" +msgstr "Näytä liittymispäivämäärä profiilissa" #: src/Content/Widget.php:33 msgid "Add New Contact" @@ -8223,7 +8223,7 @@ msgstr "Lisää uusi kontakti" #: src/Content/Widget.php:34 msgid "Enter address or web location" -msgstr "" +msgstr "Syötä verkko-osoite" #: src/Content/Widget.php:35 msgid "Example: bob@example.com, http://example.com/barbara" @@ -8233,8 +8233,8 @@ msgstr "Esimerkki: bob@example.com, http://example.com/barbara" #, php-format msgid "%d invitation available" msgid_plural "%d invitations available" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d kutsu saatavilla" +msgstr[1] "%d kutsuja saatavilla" #: src/Content/Widget.php:59 msgid "Find People" @@ -8284,8 +8284,8 @@ msgstr "Luokat" #, php-format msgid "%d contact in common" msgid_plural "%d contacts in common" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "%d yhteinen kontakti" +msgstr[1] "%d yhteistä kontaktia" #: src/Content/ContactSelector.php:55 msgid "Frequently" @@ -8353,11 +8353,11 @@ msgstr "Twitter" #: src/Content/ContactSelector.php:92 msgid "Diaspora Connector" -msgstr "" +msgstr "Diaspora -liitin" #: src/Content/ContactSelector.php:93 msgid "GNU Social Connector" -msgstr "" +msgstr "GNU social -liitin" #: src/Content/ContactSelector.php:94 msgid "pnut" @@ -8385,11 +8385,11 @@ msgstr "Tällä hetkellä nainen" #: src/Content/ContactSelector.php:125 msgid "Mostly Male" -msgstr "" +msgstr "Enimmäkseen mies" #: src/Content/ContactSelector.php:125 msgid "Mostly Female" -msgstr "" +msgstr "Enimmäkseen nainen" #: src/Content/ContactSelector.php:125 msgid "Transgender" @@ -8413,7 +8413,7 @@ msgstr "Neutri" #: src/Content/ContactSelector.php:125 msgid "Non-specific" -msgstr "" +msgstr "Ei-binäärinen" #: src/Content/ContactSelector.php:125 msgid "Other" @@ -8449,11 +8449,11 @@ msgstr "" #: src/Content/ContactSelector.php:147 msgid "Abstinent" -msgstr "" +msgstr "Selibaatissa elävä" #: src/Content/ContactSelector.php:147 msgid "Virgin" -msgstr "" +msgstr "Neitsyt" #: src/Content/ContactSelector.php:147 msgid "Deviant" @@ -8541,7 +8541,7 @@ msgstr "Avoliitossa" #: src/Content/ContactSelector.php:169 msgid "Common law" -msgstr "" +msgstr "Avoliitossa" #: src/Content/ContactSelector.php:169 msgid "Happy" @@ -8589,11 +8589,11 @@ msgstr "Se on monimutkaista" #: src/Content/ContactSelector.php:169 msgid "Don't care" -msgstr "" +msgstr "Ei ole väliä" #: src/Content/ContactSelector.php:169 msgid "Ask me" -msgstr "" +msgstr "Kysy minulta" #: src/Database/DBStructure.php:32 msgid "There are no tables on MyISAM." @@ -8692,7 +8692,7 @@ msgstr "Tapahtumia tällä viikolla:" #: src/Model/Profile.php:741 msgid "Member since:" -msgstr "" +msgstr "Liittymispäivämäärä:" #: src/Model/Profile.php:749 msgid "j F, Y" @@ -8783,7 +8783,7 @@ msgstr "" #: src/Model/Group.php:328 msgid "Default privacy group for new contacts" -msgstr "" +msgstr "Oletusryhmä uusille kontakteille" #: src/Model/Group.php:361 msgid "Everybody" @@ -8986,7 +8986,7 @@ msgstr "Syötä tarvittavat tiedot." #: src/Model/User.php:375 msgid "Please use a shorter name." -msgstr "" +msgstr "Käytä lyhyempää nimeä." #: src/Model/User.php:378 msgid "Name too short." @@ -8998,7 +8998,7 @@ msgstr "" #: src/Model/User.php:391 msgid "Your email domain is not among those allowed on this site." -msgstr "" +msgstr "Sähköpostiosoitteesi verkkotunnus on tämän sivuston estolistalla." #: src/Model/User.php:395 msgid "Not a valid email address." @@ -9006,15 +9006,15 @@ msgstr "Virheellinen sähköpostiosoite." #: src/Model/User.php:399 src/Model/User.php:407 msgid "Cannot use that email." -msgstr "" +msgstr "Sähköpostiosoitetta ei voitu käyttää." #: src/Model/User.php:414 msgid "Your nickname can only contain a-z, 0-9 and _." -msgstr "" +msgstr "Nimimerkki voi sisältää a-z, 0-9 ja _." #: src/Model/User.php:421 src/Model/User.php:477 msgid "Nickname is already registered. Please choose another." -msgstr "" +msgstr "Valitsemasi nimimerkki on jo käytössä. Valitse toinen nimimerkki." #: src/Model/User.php:431 msgid "SERIOUS ERROR: Generation of security keys failed." @@ -9022,7 +9022,7 @@ msgstr "VAKAVA VIRHE: Salausavainten luominen epäonnistui." #: src/Model/User.php:464 src/Model/User.php:468 msgid "An error occurred during registration. Please try again." -msgstr "" +msgstr "Rekisteröityminen epäonnistui. Yritä uudelleen." #: src/Model/User.php:488 view/theme/duepuntozero/config.php:54 msgid "default" @@ -9030,7 +9030,7 @@ msgstr "oletus" #: src/Model/User.php:493 msgid "An error occurred creating your default profile. Please try again." -msgstr "" +msgstr "Oletusprofiilin luominen epäonnistui. Yritä uudelleen." #: src/Model/User.php:500 msgid "An error occurred creating your self contact. Please try again." @@ -9053,7 +9053,7 @@ msgstr "" #: src/Model/User.php:593 #, php-format msgid "Registration at %s" -msgstr "" +msgstr "Rekisteröityminen kohteessa %s" #: src/Model/User.php:611 #, php-format @@ -9189,7 +9189,7 @@ msgstr "tykkää" #: src/Object/Post.php:297 msgid "dislike" -msgstr "" +msgstr "en tykkää" #: src/Object/Post.php:300 msgid "Share this" diff --git a/view/lang/fi-fi/strings.php b/view/lang/fi-fi/strings.php index 808558b65..c8bd472fb 100644 --- a/view/lang/fi-fi/strings.php +++ b/view/lang/fi-fi/strings.php @@ -26,19 +26,19 @@ $a->strings["%s Administrator"] = "%s Ylläpitäjä"; $a->strings["%1\$s, %2\$s Administrator"] = "%1\$s, %2\$s Ylläpitäjä"; $a->strings["noreply"] = "eivast"; $a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notify] Uusi viesti, katso %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = ""; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s lähetti sinulle uuden yksityisviestin kohteessa %2\$s."; $a->strings["a private message"] = "yksityisviesti"; $a->strings["%1\$s sent you %2\$s."] = "%1\$s lähetti sinulle %2\$s."; -$a->strings["Please visit %s to view and/or reply to your private messages."] = ""; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Katso yksityisviestisi kohteessa %s."; $a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = ""; $a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = ""; $a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = ""; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = ""; -$a->strings["%s commented on an item/conversation you have been following."] = ""; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notify] %2\$s kommentoi keskustelussa #%1\$d"; +$a->strings["%s commented on an item/conversation you have been following."] = "%s kommentoi kohteessa/keskustelussa jota seuraat."; $a->strings["Please visit %s to view and/or reply to the conversation."] = ""; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = ""; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = ""; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = ""; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notify] %s kirjoitti profiiliseinällesi"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s kirjoitti seinällesi kohteessa %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s kirjoitti [url=%2\$s]seinällesi[/url]"; $a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notify] %s merkitsi sinut"; $a->strings["%1\$s tagged you at %2\$s"] = ""; $a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]merkitsi sinut[/url]."; @@ -46,7 +46,7 @@ $a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notify] %s $a->strings["%1\$s shared a new post at %2\$s"] = ""; $a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = ""; $a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s tökkäsi sinua."; -$a->strings["%1\$s poked you at %2\$s"] = ""; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s tökkäsi sinua kohteessa %2\$s"; $a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]tökkasi sinua[/url]."; $a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notify] %s merkitsi julkaisusi"; $a->strings["%1\$s tagged your post at %2\$s"] = ""; @@ -109,7 +109,7 @@ $a->strings["Not attending"] = "Ei osallistu"; $a->strings["Might attend"] = "Ehkä"; $a->strings["Select"] = "Valitse"; $a->strings["Delete"] = "Poista"; -$a->strings["View %s's profile @ %s"] = ""; +$a->strings["View %s's profile @ %s"] = "Katso %s-henkilön profiilia @ %s"; $a->strings["Categories:"] = "Luokat:"; $a->strings["Filed under:"] = ""; $a->strings["%s from %s"] = ""; @@ -147,7 +147,7 @@ $a->strings["Visible to everybody"] = "Näkyy kaikille< $a->strings["Please enter a link URL:"] = "Lisää URL-linkki:"; $a->strings["Please enter a video link/URL:"] = "Lisää video URL-linkki:"; $a->strings["Please enter an audio link/URL:"] = "Lisää ääni URL-linkki:"; -$a->strings["Tag term:"] = ""; +$a->strings["Tag term:"] = "Tunniste:"; $a->strings["Save to Folder:"] = "Tallenna kansioon:"; $a->strings["Where are you right now?"] = "Mikä on sijaintisi?"; $a->strings["Delete item(s)?"] = "Poista kohde/kohteet?"; @@ -192,8 +192,8 @@ $a->strings["Not Attending"] = [ 1 => "Ei osallistu", ]; $a->strings["Undecided"] = [ - 0 => "", - 1 => "", + 0 => "En ole varma", + 1 => "En ole varma", ]; $a->strings["newer"] = "uudempi"; $a->strings["older"] = "vanhempi"; @@ -225,8 +225,8 @@ $a->strings["prod"] = "töki"; $a->strings["prodded"] = "tökkäsi"; $a->strings["slap"] = "läimäytä"; $a->strings["slapped"] = "läimäsi"; -$a->strings["finger"] = ""; -$a->strings["fingered"] = ""; +$a->strings["finger"] = "näytä keskisormea"; +$a->strings["fingered"] = "näytti keskisormea"; $a->strings["rebuff"] = "torju"; $a->strings["rebuffed"] = "torjui"; $a->strings["Monday"] = "Maanantai"; @@ -265,7 +265,7 @@ $a->strings["Sep"] = "Syy."; $a->strings["Oct"] = "Lok."; $a->strings["Nov"] = "Mar."; $a->strings["Dec"] = "Jou."; -$a->strings["Content warning: %s"] = ""; +$a->strings["Content warning: %s"] = "Sisältövaroitus: %s"; $a->strings["View Video"] = "Katso video"; $a->strings["bytes"] = "tavua"; $a->strings["Click to open/close"] = "Klikkaa auki/kiinni"; @@ -279,14 +279,14 @@ $a->strings["comment"] = [ ]; $a->strings["post"] = "julkaisu"; $a->strings["Item filed"] = ""; -$a->strings["No friends to display."] = ""; +$a->strings["No friends to display."] = "Ei näytettäviä kavereita."; $a->strings["Connect"] = "Yhdistä"; $a->strings["Authorize application connection"] = "Vahvista sovellusyhteys"; $a->strings["Return to your app and insert this Securty Code:"] = "Palaa takaisin sovellukseen ja lisää tämä turvakoodi:"; $a->strings["Please login to continue."] = "Ole hyvä ja kirjaudu jatkaaksesi."; $a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Haluatko antaa tälle sovellukselle luvan hakea viestejäsi ja yhteystietojasi ja/tai luoda uusia viestejä?"; $a->strings["No"] = "Ei"; -$a->strings["You must be logged in to use addons. "] = ""; +$a->strings["You must be logged in to use addons. "] = "Sinun pitää kirjautua sisään, jotta voit käyttää lisäosia"; $a->strings["Applications"] = "Sovellukset"; $a->strings["No installed applications."] = "Ei asennettuja sovelluksia."; $a->strings["Item not available."] = "Kohde ei saatavilla."; @@ -365,7 +365,7 @@ $a->strings["Friendica respects your privacy. By default, your posts will only s $a->strings["Getting Help"] = "Avun saaminen"; $a->strings["Go to the Help Section"] = "Näytä ohjeet"; $a->strings["Our help pages may be consulted for detail on other program features and resources."] = ""; -$a->strings["Visit %s's profile [%s]"] = ""; +$a->strings["Visit %s's profile [%s]"] = "Näytä %s-käyttäjän profiili [%s]"; $a->strings["Edit contact"] = "Muokkaa kontaktia"; $a->strings["Contacts who are not members of a group"] = "Kontaktit jotka eivät kuulu ryhmään"; $a->strings["Not Extended"] = "Ei laajennettu"; @@ -377,18 +377,18 @@ $a->strings["Do you really want to delete this suggestion?"] = "Haluatko varmast $a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Ehdotuksia ei löydy. Jos tämä on uusi sivusto, kokeile uudelleen vuorokauden kuluttua."; $a->strings["Ignore/Hide"] = "Jätä huomiotta/piilota"; $a->strings["Friend Suggestions"] = "Ystäväehdotukset"; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = ""; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Sivuston päivittäinen rekisteröintiraja ylitetty. Yritä uudelleen huomenna."; $a->strings["Import"] = "Tuo"; $a->strings["Move account"] = "Siirrä tili"; $a->strings["You can import an account from another Friendica server."] = "Voit tuoda käyttäjätilin toiselta Friendica -palvelimelta."; $a->strings["You need to export your account from the old server and upload it here. We will recreate your old account here with all your contacts. We will try also to inform your friends that you moved here."] = ""; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = ""; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (GNU Social/Statusnet) or from Diaspora"] = "Tämä on kokeellinen ominaisuus. Emme voi tuoda kontakteja OStatus-verkolta (GNU social/Statusnet) tai Diasporalta."; $a->strings["Account file"] = "Tilitiedosto"; $a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = ""; $a->strings["[Embedded content - reload page to view]"] = "[Upotettu sisältö - näet sen päivittämällä sivun]"; $a->strings["%1\$s welcomes %2\$s"] = "%1\$s toivottaa tervetulleeksi ystävän %2\$s"; $a->strings["No keywords to match. Please add keywords to your default profile."] = ""; -$a->strings["is interested in:"] = ""; +$a->strings["is interested in:"] = "on kiinnostunut seuraavista aiheista:"; $a->strings["Profile Match"] = "Vastaavien profiilien haku"; $a->strings["No matches"] = "Ei täsmääviä profiileja"; $a->strings["Invalid request identifier."] = "Virheellinen pyyntötunniste."; @@ -426,7 +426,7 @@ $a->strings["Network:"] = "Verkko:"; $a->strings["No introductions."] = "Ei esittelyjä."; $a->strings["Show unread"] = "Näytä lukemattomat"; $a->strings["Show all"] = "Näytä kaikki"; -$a->strings["No more %s notifications."] = ""; +$a->strings["No more %s notifications."] = "Ei muita %s ilmoituksia."; $a->strings["OpenID protocol error. No ID returned."] = "OpenID -protokollavirhe. Tunnusta ei vastaanotettu."; $a->strings["Account not found and OpenID registration is not permitted on this site."] = "Käyttäjätiliä ei löytynyt. Rekisteröityminen OpenID:n kautta ei ole sallittua tällä sivustolla."; $a->strings["Login failed."] = "Kirjautuminen epäonnistui"; @@ -440,7 +440,7 @@ $a->strings["Introduction failed or was revoked."] = ""; $a->strings["Remote site reported: "] = ""; $a->strings["Unable to set contact photo."] = "Kontaktin kuvaa ei voitu asettaa"; $a->strings["No user record found for '%s' "] = ""; -$a->strings["Our site encryption key is apparently messed up."] = ""; +$a->strings["Our site encryption key is apparently messed up."] = "Sivustomme salausavain on sekaisin."; $a->strings["Empty site URL was provided or URL could not be decrypted by us."] = ""; $a->strings["Contact record was not found for you on our site."] = ""; $a->strings["Site public key not available in contact record for URL %s."] = ""; @@ -448,17 +448,17 @@ $a->strings["The ID provided by your system is a duplicate on our system. It sho $a->strings["Unable to set your contact credentials on our system."] = ""; $a->strings["Unable to update your contact profile details on our system"] = ""; $a->strings["[Name Withheld]"] = "[Nimi jätetty pois]"; -$a->strings["%1\$s has joined %2\$s"] = ""; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s on liittynyt kohteeseen %2\$s"; $a->strings["Total invitation limit exceeded."] = "Kutsuraja ylitetty."; $a->strings["%s : Not a valid email address."] = "%s : Virheellinen sähköpostiosoite."; $a->strings["Please join us on Friendica"] = "Tervetuloa Friendicaan"; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = ""; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Kutsuraja ylitetty. Ota yhteyttä ylläpitäjään."; $a->strings["%s : Message delivery failed."] = "%s : Viestin toimitus epäonnistui."; $a->strings["%d message sent."] = [ 0 => "%d viesti lähetetty.", 1 => "%d viestiä lähetetty.", ]; -$a->strings["You have no more invitations available"] = ""; +$a->strings["You have no more invitations available"] = "Sinulla ei ole kutsuja jäljellä"; $a->strings["Visit %s for a list of public sites that you can join. Friendica members on other sites can all connect with each other, as well as with members of many other social networks."] = ""; $a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = ""; $a->strings["Friendica sites all inter-connect to create a huge privacy-enhanced social web that is owned and controlled by its members. They can also connect with many traditional social networks. See %s for a list of alternate Friendica sites you can join."] = ""; @@ -545,11 +545,11 @@ $a->strings["This will completely remove your account. Once this has been done i $a->strings["Please enter your password for verification:"] = ""; $a->strings["No contacts."] = "Ei kontakteja."; $a->strings["Access denied."] = "Käyttö estetty."; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = ""; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "%s-käyttäjän päivittäinen seinäviestiraja ylitetty. Viestin lähettäminen epäonnistui."; $a->strings["No recipient selected."] = "Vastaanottaja puuttuu."; -$a->strings["Unable to check your home location."] = ""; +$a->strings["Unable to check your home location."] = "Kotisijaintisi ei voitu tarkistaa."; $a->strings["Message could not be sent."] = "Viestiä ei voitu lähettää."; -$a->strings["Message collection failure."] = ""; +$a->strings["Message collection failure."] = "Viestin noutaminen epäonnistui."; $a->strings["Message sent."] = "Viesti lähetetty."; $a->strings["No recipient."] = "Vastaanottaja puuttuu."; $a->strings["Send Private Message"] = "Lähetä yksityisviesti"; @@ -593,15 +593,15 @@ $a->strings["The post was created"] = "Julkaisu luotu"; $a->strings["Community option not available."] = "Yhteisö vaihtoehto ei saatavilla."; $a->strings["Not available."] = "Ei saatavilla."; $a->strings["Local Community"] = "Paikallinen yhteisö"; -$a->strings["Posts from local users on this server"] = ""; +$a->strings["Posts from local users on this server"] = "Tämän palvelimen julkaisut"; $a->strings["Global Community"] = "Maailmanlaajuinen yhteisö"; -$a->strings["Posts from users of the whole federated network"] = ""; +$a->strings["Posts from users of the whole federated network"] = "Maailmanlaajuisen verkon julkaisut"; $a->strings["This community stream shows all public posts received by this node. They may not reflect the opinions of this node’s users."] = ""; $a->strings["Item not found"] = "Kohdetta ei löytynyt"; $a->strings["Edit post"] = "Muokkaa viestiä"; $a->strings["CC: email addresses"] = "Kopio: sähköpostiosoitteet"; $a->strings["Example: bob@example.com, mary@example.com"] = "Esimerkki: bob@example.com, mary@example.com"; -$a->strings["You must be logged in to use this module"] = ""; +$a->strings["You must be logged in to use this module"] = "Sinun pitää kirjautua sisään, jotta voit käyttää tätä moduulia"; $a->strings["Source URL"] = "Lähde URL"; $a->strings["Friend suggestion sent."] = "Ystäväehdotus lähetettiin."; $a->strings["Suggest Friends"] = "Ehdota ystäviä"; @@ -659,9 +659,9 @@ $a->strings["No such group"] = "Ryhmä ei ole olemassa"; $a->strings["Group: %s"] = "Ryhmä: %s"; $a->strings["Private messages to this person are at risk of public disclosure."] = ""; $a->strings["Invalid contact."] = "Virheellinen kontakti."; -$a->strings["Commented Order"] = ""; +$a->strings["Commented Order"] = "Järjestä viimeisimpien kommenttien mukaan"; $a->strings["Sort by Comment Date"] = "Kommentit päivämäärän mukaan"; -$a->strings["Posted Order"] = ""; +$a->strings["Posted Order"] = "Järjestä julkaisupäivämäärän mukaan"; $a->strings["Sort by Post Date"] = "Julkaisut päivämäärän mukaan"; $a->strings["Personal"] = "Henkilökohtainen"; $a->strings["Posts that mention or involve you"] = "Julkaisut jotka liittyvät sinuun"; @@ -775,7 +775,7 @@ $a->strings["Your account email address must match this in order to use the web $a->strings["Please select a default timezone for your website"] = "Valitse oletusaikavyöhyke sivustollesi"; $a->strings["Site settings"] = "Sivuston asetukset"; $a->strings["System Language:"] = "Järjestelmän kieli:"; -$a->strings["Set the default language for your Friendica installation interface and to send emails."] = ""; +$a->strings["Set the default language for your Friendica installation interface and to send emails."] = "Valitse Friendica-sivustosi oletuskieli."; $a->strings["Could not find a command line version of PHP in the web server PATH."] = "Komentoriviversiota PHP:stä ei löytynyt web-palvelimen PATH:ista."; $a->strings["If you don't have a command line version of PHP installed on your server, you will not be able to run the background processing. See 'Setup the worker'"] = ""; $a->strings["PHP executable path"] = "Polku PHP-ohjelmaan"; @@ -819,8 +819,8 @@ $a->strings["In order to store these compiled templates, the web server needs to $a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = ""; $a->strings["Note: as a security measure, you should give the web server write access to view/smarty3/ only--not the template files (.tpl) that it contains."] = ""; $a->strings["view/smarty3 is writable"] = "view/smarty3 on kirjoitettava"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = ""; -$a->strings["Url rewrite is working"] = ""; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "URL-osoitteen uudelleenkirjoitus .htaccess-tiedostossa ei toimi. Tarkista palvelimen asetukset."; +$a->strings["Url rewrite is working"] = "URL-osoitteen uudellenkirjoitus toimii"; $a->strings["ImageMagick PHP extension is not installed"] = "ImageMagick PHP-laajennus ei ole asetettu"; $a->strings["ImageMagick PHP extension is installed"] = "ImageMagick PHP-laajennus on asetettu"; $a->strings["ImageMagick supports GIF"] = "ImageMagik tukee GIF-formaattia"; @@ -871,7 +871,7 @@ $a->strings["Advanced"] = ""; $a->strings["Failed to remove event"] = "Tapahtuman poisto epäonnistui"; $a->strings["Event removed"] = "Tapahtuma poistettu"; $a->strings["Image uploaded but image cropping failed."] = "Kuva ladattu mutta kuvan rajaus epäonnistui."; -$a->strings["Image size reduction [%s] failed."] = ""; +$a->strings["Image size reduction [%s] failed."] = "Kuvan pienentäminen [%s] epäonnistui."; $a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = ""; $a->strings["Unable to process image"] = "Kuvan käsitteleminen epäonnistui"; $a->strings["Upload File:"] = "Lähetä tiedosto:"; @@ -880,7 +880,7 @@ $a->strings["or"] = "tai"; $a->strings["skip this step"] = "ohita tämä vaihe"; $a->strings["select a photo from your photo albums"] = "valitse kuva albumeistasi"; $a->strings["Crop Image"] = "Rajaa kuva"; -$a->strings["Please adjust the image cropping for optimum viewing."] = ""; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Rajaa kuva sopivasti."; $a->strings["Done Editing"] = "Lopeta muokkaus"; $a->strings["Image uploaded successfully."] = "Kuvan lähettäminen onnistui."; $a->strings["Status:"] = "Tila:"; @@ -888,7 +888,7 @@ $a->strings["Homepage:"] = "Kotisivu:"; $a->strings["Global Directory"] = "Maailmanlaajuinen hakemisto"; $a->strings["Find on this site"] = ""; $a->strings["Results for:"] = ""; -$a->strings["Site Directory"] = ""; +$a->strings["Site Directory"] = "Sivuston luettelo"; $a->strings["Find"] = "Etsi"; $a->strings["No entries (some entries may be hidden)."] = ""; $a->strings["Source input"] = ""; @@ -939,7 +939,7 @@ $a->strings[" - Visit %1\$s's %2\$s"] = ""; $a->strings["%1\$s has an updated %2\$s, changing %3\$s."] = ""; $a->strings["Hide contacts and friends:"] = "Piilota kontaktit ja kaverit:"; $a->strings["Hide your contact/friend list from viewers of this profile?"] = ""; -$a->strings["Show more profile fields:"] = ""; +$a->strings["Show more profile fields:"] = "Näytä lisää profiilikenttiä:"; $a->strings["Profile Actions"] = ""; $a->strings["Edit Profile Details"] = "Muokkaa profiilin yksityiskohdat"; $a->strings["Change Profile Photo"] = "Vaihda profiilikuva"; @@ -1082,7 +1082,7 @@ $a->strings["Profile Details"] = "Profiilitiedot"; $a->strings["View all contacts"] = "Näytä kaikki kontaktit"; $a->strings["View all common friends"] = "Näytä kaikki yhteiset kaverit"; $a->strings["Advanced Contact Settings"] = "Kontakti-lisäasetukset"; -$a->strings["Mutual Friendship"] = ""; +$a->strings["Mutual Friendship"] = "Yhteinen kaveruus"; $a->strings["is a fan of yours"] = "on fanisi"; $a->strings["you are a fan of"] = "fanitat"; $a->strings["Toggle Blocked status"] = "Estetty tila päälle/pois"; @@ -1108,7 +1108,7 @@ $a->strings["No valid account found."] = ""; $a->strings["Password reset request issued. Check your email."] = "Salasanan nollauspyyntö lähetetty. Tarkista sähköpostisi."; $a->strings["\n\t\tDear %1\$s,\n\t\t\tA request was recently received at \"%2\$s\" to reset your account\n\t\tpassword. In order to confirm this request, please select the verification link\n\t\tbelow or paste it into your web browser address bar.\n\n\t\tIf you did NOT request this change, please DO NOT follow the link\n\t\tprovided and ignore and/or delete this email, the request will expire shortly.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = ""; $a->strings["\n\t\tFollow this link soon to verify your identity:\n\n\t\t%1\$s\n\n\t\tYou will then receive a follow-up message containing the new password.\n\t\tYou may change that password from your account settings page after logging in.\n\n\t\tThe login details are as follows:\n\n\t\tSite Location:\t%2\$s\n\t\tLogin Name:\t%3\$s"] = ""; -$a->strings["Password reset requested at %s"] = ""; +$a->strings["Password reset requested at %s"] = "Salasanan nollauspyyntö kohteessa %s"; $a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = ""; $a->strings["Request has expired, please make a new one."] = "Pyyntö on vanhentunut, tehkää uusi pyyntö."; $a->strings["Forgot your Password?"] = "Unohditko salasanasi?"; @@ -1118,30 +1118,30 @@ $a->strings["Reset"] = "Nollaus"; $a->strings["Password Reset"] = "Salasanan nollaus"; $a->strings["Your password has been reset as requested."] = "Salasanasi on nollattu pyynnöstäsi."; $a->strings["Your new password is"] = "Uusi salasanasi on"; -$a->strings["Save or copy your new password - and then"] = ""; +$a->strings["Save or copy your new password - and then"] = "Tallenna tai kopioi uusi salasanasi, ja sitten"; $a->strings["click here to login"] = "kirjaudu klikkaamalla tästä"; $a->strings["Your password may be changed from the Settings page after successful login."] = ""; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tYour password has been changed as requested. Please retain this\n\t\t\tinformation for your records (or change your password immediately to\n\t\t\tsomething that you will remember).\n\t\t"] = ""; $a->strings["\n\t\t\tYour login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t%2\$s\n\t\t\tPassword:\t%3\$s\n\n\t\t\tYou may change that password from your account settings page after logging in.\n\t\t"] = ""; $a->strings["Your password has been changed at %s"] = "Salasanasi on vaihdettu sivustolla %s"; -$a->strings["Registration successful. Please check your email for further instructions."] = ""; +$a->strings["Registration successful. Please check your email for further instructions."] = "Rekisteröityminen onnistui. Saat kohta lisäohjeita sähköpostitse."; $a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = ""; $a->strings["Registration successful."] = "Rekisteröityminen onnistui."; $a->strings["Your registration can not be processed."] = "Rekisteröintisi ei voida käsitellä."; $a->strings["Your registration is pending approval by the site owner."] = "Rekisteröintisi odottaa ylläpitäjän hyväksyntää."; $a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = ""; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = ""; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Jos OpenID ei ole tuttu, jätä kenttä tyhjäksi."; $a->strings["Your OpenID (optional): "] = "OpenID -tunnus (valinnainen):"; $a->strings["Include your profile in member directory?"] = "Lisää profiilisi jäsenluetteloon?"; $a->strings["Note for the admin"] = "Viesti ylläpidolle"; -$a->strings["Leave a message for the admin, why you want to join this node"] = ""; +$a->strings["Leave a message for the admin, why you want to join this node"] = "Kerro yllåpitäjälle miksi haluat liittyä tähän Friendica -sivustoon"; $a->strings["Membership on this site is by invitation only."] = ""; $a->strings["Your invitation code: "] = "Kutsukoodisi:"; $a->strings["Registration"] = "Rekisteröityminen"; -$a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = ""; -$a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = ""; +$a->strings["Your Full Name (e.g. Joe Smith, real or real-looking): "] = "Koko nimi (esim. Matti Meikäläinen, Aku Ankka):"; +$a->strings["Your Email Address: (Initial information will be send there, so this has to be an existing address.)"] = "Sähköpostiosoite: (pitää olla toimiva osoite että rekisteröityminen onnistuu)"; $a->strings["New Password:"] = "Uusi salasana:"; -$a->strings["Leave empty for an auto generated password."] = ""; +$a->strings["Leave empty for an auto generated password."] = "Jätä tyhjäksi jos haluat automaattisesti luotu salasanan."; $a->strings["Confirm:"] = "Vahvista:"; $a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@%s'."] = ""; $a->strings["Choose a nickname: "] = "Valitse lempinimi:"; @@ -1172,7 +1172,7 @@ $a->strings["probe address"] = ""; $a->strings["check webfinger"] = "Tarkista webfinger"; $a->strings["Admin"] = "Ylläpitäjä"; $a->strings["Addon Features"] = "Lisäosaominaisuudet"; -$a->strings["User registrations waiting for confirmation"] = ""; +$a->strings["User registrations waiting for confirmation"] = "Käyttäjärekisteröinnit odottavat hyväksyntää"; $a->strings["Administration"] = "Ylläpito"; $a->strings["Display Terms of Service"] = "Näytä käyttöehdot"; $a->strings["Enable the Terms of Service page. If this is enabled a link to the terms will be added to the registration form and the general information page."] = ""; @@ -1213,15 +1213,15 @@ $a->strings["Blocked Remote Contacts"] = ""; $a->strings["Block New Remote Contact"] = ""; $a->strings["Photo"] = "Kuva"; $a->strings["%s total blocked contact"] = [ - 0 => "", - 1 => "", + 0 => "Yhteensä %s estetty kontakti", + 1 => "Yhteensä %s estettyjä kontakteja", ]; $a->strings["URL of the remote contact to block."] = ""; $a->strings["Delete this Item"] = "Poista tämä kohde"; $a->strings["On this page you can delete an item from your node. If the item is a top level posting, the entire thread will be deleted."] = ""; $a->strings["You need to know the GUID of the item. You can find it e.g. by looking at the display URL. The last part of http://example.com/display/123456 is the GUID, here 123456."] = ""; $a->strings["GUID"] = "GUID"; -$a->strings["The GUID of the item you want to delete."] = ""; +$a->strings["The GUID of the item you want to delete."] = "Poistettavan kohteen GUID."; $a->strings["Item marked for deletion."] = "Kohde merkitty poistettavaksi."; $a->strings["unknown"] = "tuntematon"; $a->strings["This page offers you some numbers to the known part of the federated social network your Friendica node is part of. These numbers are not complete but only reflect the part of the network your node is aware of."] = ""; @@ -1289,7 +1289,7 @@ $a->strings["The email address your server shall use to send notification emails $a->strings["Banner/Logo"] = "Banneri/logo"; $a->strings["Shortcut icon"] = "Pikakuvake"; $a->strings["Link to an icon that will be used for browsers."] = ""; -$a->strings["Touch icon"] = ""; +$a->strings["Touch icon"] = "Kosketusnäyttökuvake"; $a->strings["Link to an icon that will be used for tablets and mobiles."] = ""; $a->strings["Additional Info"] = "Lisätietoja"; $a->strings["For public servers: you can add additional information here that will be listed at %s/servers."] = ""; @@ -1300,7 +1300,7 @@ $a->strings["Mobile system theme"] = "Mobiili järjestelmäteema"; $a->strings["Theme for mobile devices"] = "Mobiiliteema"; $a->strings["SSL link policy"] = ""; $a->strings["Determines whether generated links should be forced to use SSL"] = ""; -$a->strings["Force SSL"] = ""; +$a->strings["Force SSL"] = "Pakoita SSL-yhteyden käyttöä"; $a->strings["Force all Non-SSL requests to SSL - Attention: on some systems it could lead to endless loops."] = ""; $a->strings["Hide help entry from navigation menu"] = ""; $a->strings["Hides the menu entry for the Help pages from the navigation menu. You can still access it calling /help directly."] = ""; @@ -1315,8 +1315,8 @@ $a->strings["Uploaded JPEGS will be saved at this quality setting [0-100]. Defau $a->strings["Register policy"] = ""; $a->strings["Maximum Daily Registrations"] = ""; $a->strings["If registration is permitted above, this sets the maximum number of new user registrations to accept per day. If register is set to closed, this setting has no effect."] = ""; -$a->strings["Register text"] = ""; -$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = ""; +$a->strings["Register text"] = "Rekisteröitymisteksti"; +$a->strings["Will be displayed prominently on the registration page. You can use BBCode here."] = "Näkyvästi esillä rekisteröitymissivulla. Voit käyttää BBCodeia."; $a->strings["Accounts abandoned after x days"] = ""; $a->strings["Will not waste system resources polling external sites for abandonded accounts. Enter 0 for no time limit."] = ""; $a->strings["Allowed friend domains"] = "Sallittuja kaveri-verkkotunnuksia"; @@ -1339,7 +1339,7 @@ $a->strings["Don't include post content in email notifications"] = ""; $a->strings["Don't include the content of a post/comment/private message/etc. in the email notifications that are sent out from this site, as a privacy measure."] = ""; $a->strings["Disallow public access to addons listed in the apps menu."] = ""; $a->strings["Checking this box will restrict addons listed in the apps menu to members only."] = ""; -$a->strings["Don't embed private images in posts"] = ""; +$a->strings["Don't embed private images in posts"] = "Älä upota yksityisiä kuvia julkaisuissa"; $a->strings["Don't replace locally-hosted private photos in posts with an embedded copy of the image. This means that contacts who receive posts containing private photos will have to authenticate and load each image, which may take a while."] = ""; $a->strings["Allow Users to set remote_self"] = ""; $a->strings["With checking this, every user is allowed to mark every contact as a remote_self in the repair contact dialog. Setting this flag on a contact causes mirroring every posting of that contact in the users stream."] = ""; @@ -1393,13 +1393,13 @@ $a->strings["Publish server information"] = "Julkaise palvelintiedot"; $a->strings["If enabled, general server and usage data will be published. The data contains the name and version of the server, number of users with public profiles, number of posts and the activated protocols and connectors. See the-federation.info for details."] = ""; $a->strings["Check upstream version"] = ""; $a->strings["Enables checking for new Friendica versions at github. If there is a new version, you will be informed in the admin panel overview."] = ""; -$a->strings["Suppress Tags"] = ""; +$a->strings["Suppress Tags"] = "Piilota tunnisteet"; $a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; $a->strings["Path to item cache"] = ""; $a->strings["The item caches buffers generated bbcode and external images."] = ""; $a->strings["Cache duration in seconds"] = ""; $a->strings["How long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = ""; -$a->strings["Maximum numbers of comments per post"] = ""; +$a->strings["Maximum numbers of comments per post"] = "Julkaisun kommentiraja"; $a->strings["How much comments should be shown for each post? Default value is 100."] = ""; $a->strings["Temp path"] = ""; $a->strings["If you have a restricted system where the webserver can't access the system temp path, enter another path here."] = ""; @@ -1437,10 +1437,10 @@ $a->strings["Comma separated list of tags for the 'tags' subscription."] = ""; $a->strings["Allow user tags"] = "Salli käyttäjien tunnisteet"; $a->strings["If enabled, the tags from the saved searches will used for the 'tags' subscription in addition to the 'relay_server_tags'."] = ""; $a->strings["Update has been marked successful"] = ""; -$a->strings["Database structure update %s was successfully applied."] = ""; +$a->strings["Database structure update %s was successfully applied."] = "Tietokannan rakenteen %s-päivitys onnistui."; $a->strings["Executing of database structure update %s failed with error: %s"] = ""; $a->strings["Executing %s failed with error: %s"] = ""; -$a->strings["Update %s was successfully applied."] = ""; +$a->strings["Update %s was successfully applied."] = "%s-päivitys onnistui."; $a->strings["Update %s did not return a status. Unknown if it succeeded."] = ""; $a->strings["There was no additional update function %s that needed to be called."] = ""; $a->strings["No failed updates."] = "Ei epäonnistuineita päivityksiä."; @@ -1453,8 +1453,8 @@ $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tthe administrator of %2\$s has set up $a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%1\$s\n\t\t\tLogin Name:\t\t%2\$s\n\t\t\tPassword:\t\t%3\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %1\$s/removeme\n\n\t\t\tThank you and welcome to %4\$s."] = ""; $a->strings["Registration details for %s"] = ""; $a->strings["%s user blocked/unblocked"] = [ - 0 => "", - 1 => "", + 0 => "%s käyttäjä estetty / poistettu estolistalta", + 1 => "%s käyttäjää estetty / poistettu estolistalta", ]; $a->strings["%s user deleted"] = [ 0 => "%s käyttäjä poistettu", @@ -1551,7 +1551,7 @@ $a->strings["Edit"] = "Muokkaa"; $a->strings["Client key starts with"] = ""; $a->strings["No name"] = "Ei nimeä"; $a->strings["Remove authorization"] = "Poista lupa"; -$a->strings["No Addon settings configured"] = ""; +$a->strings["No Addon settings configured"] = "Lisäosa-asetukset puuttuvat"; $a->strings["Addon Settings"] = "Lisäosa-asetukset"; $a->strings["Additional Features"] = "Lisäominaisuuksia"; $a->strings["Diaspora"] = "Diaspora"; @@ -1561,14 +1561,14 @@ $a->strings["Built-in support for %s connectivity is %s"] = ""; $a->strings["GNU Social (OStatus)"] = "GNU Social (OStatus)"; $a->strings["Email access is disabled on this site."] = ""; $a->strings["General Social Media Settings"] = "Yleiset some asetukset"; -$a->strings["Disable Content Warning"] = ""; +$a->strings["Disable Content Warning"] = "Poista sisältövaroitus käytöstä"; $a->strings["Users on networks like Mastodon or Pleroma are able to set a content warning field which collapse their post by default. This disables the automatic collapsing and sets the content warning as the post title. Doesn't affect any other content filtering you eventually set up."] = ""; $a->strings["Disable intelligent shortening"] = ""; $a->strings["Normally the system tries to find the best link to add to shortened posts. If this option is enabled then every shortened post will always point to the original friendica post."] = ""; -$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = ""; +$a->strings["Automatically follow any GNU Social (OStatus) followers/mentioners"] = "Automaattisesti seuraa GNU social (OStatus) seuraajat/mainitsijat"; $a->strings["If you receive a message from an unknown OStatus user, this option decides what to do. If it is checked, a new contact will be created for every unknown user."] = ""; $a->strings["Default group for OStatus contacts"] = "Oletusryhmä OStatus kontakteille"; -$a->strings["Your legacy GNU Social account"] = ""; +$a->strings["Your legacy GNU Social account"] = "Vanha GNU social käyttäjätilisi"; $a->strings["If you enter your old GNU Social/Statusnet account name here (in the format user@domain.tld), your contacts will be added automatically. The field will be emptied when done."] = ""; $a->strings["Repair OStatus subscriptions"] = "Korjaa OStatus tilaukset"; $a->strings["Email/Mailbox Setup"] = "Sähköpostin asennus"; @@ -1637,9 +1637,9 @@ $a->strings["Private Forum [Experimental]"] = "Yksityisfoorumi [kokeellinen]"; $a->strings["Requires manual approval of contact requests."] = ""; $a->strings["OpenID:"] = "OpenID:"; $a->strings["(Optional) Allow this OpenID to login to this account."] = ""; -$a->strings["Publish your default profile in your local site directory?"] = ""; +$a->strings["Publish your default profile in your local site directory?"] = "Julkaise oletusprofiilisi tämän sivuston paikallisluettelossa?"; $a->strings["Your profile will be published in the global friendica directories (e.g. %s). Your profile will be visible in public."] = ""; -$a->strings["Publish your default profile in the global social directory?"] = ""; +$a->strings["Publish your default profile in the global social directory?"] = "Julkaise oletusprofiilisi maailmanlaajuisessa sosiaaliluettelossa?"; $a->strings["Your profile will be published in this node's local directory. Your profile details may be publicly visible depending on the system settings."] = ""; $a->strings["Hide your contact/friend list from viewers of your default profile?"] = ""; $a->strings["Your contact list won't be shown in your default profile page. You can decide to show your contact list separately for each additional profile you create"] = ""; @@ -1654,19 +1654,19 @@ $a->strings["If you like, Friendica may suggest new members to add you as a cont $a->strings["Permit unknown people to send you private mail?"] = "Salli yksityisviesit tuntemattomilta?"; $a->strings["Friendica network users may send you private messages even if they are not in your contact list."] = ""; $a->strings["Profile is not published."] = "Profiili ei ole julkaistu."; -$a->strings["Your Identity Address is '%s' or '%s'."] = ""; +$a->strings["Your Identity Address is '%s' or '%s'."] = "Identiteettisi osoite on '%s' tai '%s'."; $a->strings["Automatically expire posts after this many days:"] = ""; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = ""; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Jos kenttä jää tyhjäksi, julkaisut eivät vanhene. Vanhentuneet julkaisut poistetaan."; $a->strings["Advanced expiration settings"] = ""; $a->strings["Advanced Expiration"] = ""; -$a->strings["Expire posts:"] = ""; +$a->strings["Expire posts:"] = "Julkaisujen vanheneminen:"; $a->strings["Expire personal notes:"] = ""; -$a->strings["Expire starred posts:"] = ""; -$a->strings["Expire photos:"] = ""; +$a->strings["Expire starred posts:"] = "Tähtimerkityt julkaisut vanhenee:"; +$a->strings["Expire photos:"] = "Kuvat vanhenee:"; $a->strings["Only expire posts by others:"] = ""; $a->strings["Account Settings"] = "Tiliasetukset"; $a->strings["Password Settings"] = "Salasana-asetukset"; -$a->strings["Leave password fields blank unless changing"] = ""; +$a->strings["Leave password fields blank unless changing"] = "Jätä salasana kenttää tyhjäksi jos et halua vaihtaa salasanaa"; $a->strings["Current Password:"] = "Nykyinen salasana:"; $a->strings["Your current password to confirm the changes"] = ""; $a->strings["Password:"] = "Salasana:"; @@ -1676,16 +1676,16 @@ $a->strings["Email Address:"] = "Sähköpostiosoite:"; $a->strings["Your Timezone:"] = "Aikavyöhyke:"; $a->strings["Your Language:"] = "Kieli:"; $a->strings["Set the language we use to show you friendica interface and to send you emails"] = ""; -$a->strings["Default Post Location:"] = ""; +$a->strings["Default Post Location:"] = "Julkaisun oletussijainti:"; $a->strings["Use Browser Location:"] = "Käytä selaimen sijainti:"; $a->strings["Security and Privacy Settings"] = "Turvallisuus ja tietosuoja-asetukset"; -$a->strings["Maximum Friend Requests/Day:"] = ""; -$a->strings["(to prevent spam abuse)"] = ""; -$a->strings["Default Post Permissions"] = ""; +$a->strings["Maximum Friend Requests/Day:"] = "Kaveripyyntöraja päivässä:"; +$a->strings["(to prevent spam abuse)"] = "(roskapostin estämiseksi)"; +$a->strings["Default Post Permissions"] = "Julkaisun oletuskäyttöoikeudet:"; $a->strings["(click to open/close)"] = "(klikkaa auki/kiinni)"; $a->strings["Default Private Post"] = ""; $a->strings["Default Public Post"] = ""; -$a->strings["Default Permissions for New Posts"] = ""; +$a->strings["Default Permissions for New Posts"] = "Uuden julkaisun oletuskäyttöoikeudet"; $a->strings["Maximum private messages per day from unknown people:"] = ""; $a->strings["Notification Settings"] = "Huomautusasetukset"; $a->strings["By default post a status message when:"] = ""; @@ -1693,18 +1693,18 @@ $a->strings["accepting a friend request"] = "hyväksyt kaveripyynnön"; $a->strings["joining a forum/community"] = "liityt foorumiin/yhteisöön"; $a->strings["making an interesting profile change"] = ""; $a->strings["Send a notification email when:"] = "Lähetä sähköposti-ilmoitus kun:"; -$a->strings["You receive an introduction"] = ""; -$a->strings["Your introductions are confirmed"] = ""; -$a->strings["Someone writes on your profile wall"] = ""; -$a->strings["Someone writes a followup comment"] = ""; +$a->strings["You receive an introduction"] = "Vastaanotat kaverikutsun"; +$a->strings["Your introductions are confirmed"] = "Kaverikutsusi on hyväksytty"; +$a->strings["Someone writes on your profile wall"] = "Joku kirjoittaa profiiliseinällesi"; +$a->strings["Someone writes a followup comment"] = "Joku vastaa kommenttiin"; $a->strings["You receive a private message"] = "Vastaanotat yksityisviestin"; $a->strings["You receive a friend suggestion"] = "Vastaanotat kaveriehdotuksen"; $a->strings["You are tagged in a post"] = "Sinut on merkitty julkaisuun"; $a->strings["You are poked/prodded/etc. in a post"] = ""; $a->strings["Activate desktop notifications"] = "Ota työpöytäilmoitukset käyttöön"; $a->strings["Show desktop popup on new notifications"] = ""; -$a->strings["Text-only notification emails"] = ""; -$a->strings["Send text only notification emails, without the html part"] = ""; +$a->strings["Text-only notification emails"] = "Ilmoitussähköposteissa vain tekstiä"; +$a->strings["Send text only notification emails, without the html part"] = "Lähetä ilmoitussähköposteissa vain tekstiä ilman HTML-koodia"; $a->strings["Show detailled notifications"] = "Näytä yksityiskohtaiset ilmoitukset"; $a->strings["Per default, notifications are condensed to a single notification per item. When enabled every notification is displayed."] = ""; $a->strings["Advanced Account/Page Type Settings"] = "Käyttäjätili/sivutyyppi lisäasetuksia"; @@ -1714,25 +1714,25 @@ $a->strings["If you have moved this profile from another server, and some of you $a->strings["Resend relocate message to contacts"] = ""; $a->strings["Error decoding account file"] = ""; $a->strings["Error! No version data in file! This is not a Friendica account file?"] = ""; -$a->strings["User '%s' already exists on this server!"] = ""; -$a->strings["User creation error"] = ""; -$a->strings["User profile creation error"] = ""; +$a->strings["User '%s' already exists on this server!"] = "Käyttäjä '%s' on jo olemassa tällä palvelimella!"; +$a->strings["User creation error"] = "Virhe käyttäjän luomisessa"; +$a->strings["User profile creation error"] = "Virhe käyttäjäprofiilin luomisessa"; $a->strings["%d contact not imported"] = [ - 0 => "", - 1 => "", + 0 => "%d kontakti ei tuotu", + 1 => "%d kontakteja ei tuotu", ]; $a->strings["Done. You can now login with your username and password"] = "Suoritettu. Voit nyt kirjautua sisään käyttäjätunnuksellasi."; $a->strings["System"] = "Järjestelmä"; $a->strings["Home"] = "Koti"; $a->strings["Introductions"] = "Esittelyt"; -$a->strings["%s commented on %s's post"] = ""; +$a->strings["%s commented on %s's post"] = "%s kommentoi julkaisuun jonka kirjoitti %s"; $a->strings["%s created a new post"] = "%s loi uuden julkaisun"; -$a->strings["%s liked %s's post"] = ""; -$a->strings["%s disliked %s's post"] = ""; +$a->strings["%s liked %s's post"] = "%s tykkäsi julkaisusta jonka kirjoitti %s"; +$a->strings["%s disliked %s's post"] = "%s ei tykännyt julkaisusta jonka kirjoitti %s"; $a->strings["%s is attending %s's event"] = ""; $a->strings["%s is not attending %s's event"] = ""; $a->strings["%s may attend %s's event"] = ""; -$a->strings["%s is now friends with %s"] = ""; +$a->strings["%s is now friends with %s"] = "%s ja %s ovat kavereita"; $a->strings["Friend Suggestion"] = "Kaveriehdotus"; $a->strings["Friend/Connect Request"] = "Ystävä/yhteyspyyntö"; $a->strings["New Follower"] = "Uusi seuraaja"; @@ -1758,15 +1758,15 @@ $a->strings["minute"] = "minuutti"; $a->strings["minutes"] = "inuuttia"; $a->strings["second"] = "sekunti"; $a->strings["seconds"] = "sekuntia"; -$a->strings["%1\$d %2\$s ago"] = ""; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s sitten"; $a->strings["view full size"] = "näytä täysikokoisena"; $a->strings["Image/photo"] = "Kuva/valokuva"; $a->strings["%2\$s %3\$s"] = ""; $a->strings["$1 wrote:"] = "$1 kirjoitti:"; $a->strings["Encrypted content"] = "Salattu sisältö"; -$a->strings["Invalid source protocol"] = ""; -$a->strings["Invalid link protocol"] = ""; -$a->strings["External link to forum"] = ""; +$a->strings["Invalid source protocol"] = "Virheellinen lähdeprotokolla"; +$a->strings["Invalid link protocol"] = "Virheellinen linkkiprotokolla"; +$a->strings["External link to forum"] = "Ulkoinen linkki foorumiin"; $a->strings["Nothing new here"] = ""; $a->strings["Clear notifications"] = "Tyhjennä ilmoitukset"; $a->strings["Logout"] = "Kirjaudu ulos"; @@ -1807,10 +1807,10 @@ $a->strings["Account settings"] = "Tiliasetukset"; $a->strings["Profiles"] = "Profiilit"; $a->strings["Manage/Edit Profiles"] = "Hallitse/muokka profiilit"; $a->strings["Manage/edit friends and contacts"] = "Hallitse/muokkaa kaverit ja kontaktit"; -$a->strings["Site setup and configuration"] = ""; +$a->strings["Site setup and configuration"] = "Sivuston asennus ja asetukset"; $a->strings["Navigation"] = "Navigointi"; $a->strings["Site map"] = "Sivustokartta"; -$a->strings["Embedding disabled"] = ""; +$a->strings["Embedding disabled"] = "Upottaminen poistettu käytöstä"; $a->strings["Embedded content"] = "Upotettu sisältö"; $a->strings["Export"] = "Vie"; $a->strings["Export calendar as ical"] = "Vie kalenteri ical -tiedostona"; @@ -1820,7 +1820,7 @@ $a->strings["Multiple Profiles"] = ""; $a->strings["Ability to create multiple profiles"] = ""; $a->strings["Photo Location"] = "Kuvan sijainti"; $a->strings["Photo metadata is normally stripped. This extracts the location (if present) prior to stripping metadata and links it to a map."] = ""; -$a->strings["Export Public Calendar"] = ""; +$a->strings["Export Public Calendar"] = "Vie julkinen kalenteri"; $a->strings["Ability for visitors to download the public calendar"] = ""; $a->strings["Post Composition Features"] = ""; $a->strings["Post Preview"] = "Viestin esikatselu"; @@ -1865,14 +1865,14 @@ $a->strings["Advanced Profile Settings"] = "Profiilin lisäasetukset"; $a->strings["Show visitors public community forums at the Advanced Profile Page"] = ""; $a->strings["Tag Cloud"] = "Tunnistepilvi"; $a->strings["Provide a personal tag cloud on your profile page"] = ""; -$a->strings["Display Membership Date"] = ""; -$a->strings["Display membership date in profile"] = ""; +$a->strings["Display Membership Date"] = "Näytä liittymispäivämäärä"; +$a->strings["Display membership date in profile"] = "Näytä liittymispäivämäärä profiilissa"; $a->strings["Add New Contact"] = "Lisää uusi kontakti"; -$a->strings["Enter address or web location"] = ""; +$a->strings["Enter address or web location"] = "Syötä verkko-osoite"; $a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esimerkki: bob@example.com, http://example.com/barbara"; $a->strings["%d invitation available"] = [ - 0 => "", - 1 => "", + 0 => "%d kutsu saatavilla", + 1 => "%d kutsuja saatavilla", ]; $a->strings["Find People"] = "Löydä ihmisiä"; $a->strings["Enter name or interest"] = "Syötä nimi tai harrastus"; @@ -1886,8 +1886,8 @@ $a->strings["All Networks"] = "Kaikki verkot"; $a->strings["Everything"] = "Kaikki"; $a->strings["Categories"] = "Luokat"; $a->strings["%d contact in common"] = [ - 0 => "", - 1 => "", + 0 => "%d yhteinen kontakti", + 1 => "%d yhteistä kontaktia", ]; $a->strings["Frequently"] = "Usein"; $a->strings["Hourly"] = "Tunneittain"; @@ -1905,22 +1905,22 @@ $a->strings["MySpace"] = "MySpace"; $a->strings["Google+"] = "Google+"; $a->strings["pump.io"] = "pump.io"; $a->strings["Twitter"] = "Twitter"; -$a->strings["Diaspora Connector"] = ""; -$a->strings["GNU Social Connector"] = ""; +$a->strings["Diaspora Connector"] = "Diaspora -liitin"; +$a->strings["GNU Social Connector"] = "GNU social -liitin"; $a->strings["pnut"] = "pnut"; $a->strings["App.net"] = "App.net"; $a->strings["Male"] = "Mies"; $a->strings["Female"] = "Nainen"; $a->strings["Currently Male"] = "Tällä hetkellä mies"; $a->strings["Currently Female"] = "Tällä hetkellä nainen"; -$a->strings["Mostly Male"] = ""; -$a->strings["Mostly Female"] = ""; +$a->strings["Mostly Male"] = "Enimmäkseen mies"; +$a->strings["Mostly Female"] = "Enimmäkseen nainen"; $a->strings["Transgender"] = "Transsukupuolinen"; $a->strings["Intersex"] = "Intersukupuolinen"; $a->strings["Transsexual"] = "Transsukupuolinen"; $a->strings["Hermaphrodite"] = "Hermafrodiitti"; $a->strings["Neuter"] = "Neutri"; -$a->strings["Non-specific"] = ""; +$a->strings["Non-specific"] = "Ei-binäärinen"; $a->strings["Other"] = "Toinen"; $a->strings["Males"] = "Miehet"; $a->strings["Females"] = "Naiset"; @@ -1929,8 +1929,8 @@ $a->strings["Lesbian"] = "Lesbo"; $a->strings["No Preference"] = ""; $a->strings["Bisexual"] = "Biseksuaali"; $a->strings["Autosexual"] = ""; -$a->strings["Abstinent"] = ""; -$a->strings["Virgin"] = ""; +$a->strings["Abstinent"] = "Selibaatissa elävä"; +$a->strings["Virgin"] = "Neitsyt"; $a->strings["Deviant"] = ""; $a->strings["Fetish"] = ""; $a->strings["Oodles"] = ""; @@ -1952,7 +1952,7 @@ $a->strings["Married"] = "Naimisissa"; $a->strings["Imaginarily married"] = ""; $a->strings["Partners"] = "Kumppanit"; $a->strings["Cohabiting"] = "Avoliitossa"; -$a->strings["Common law"] = ""; +$a->strings["Common law"] = "Avoliitossa"; $a->strings["Happy"] = "Iloinen"; $a->strings["Not looking"] = ""; $a->strings["Swinger"] = ""; @@ -1964,8 +1964,8 @@ $a->strings["Imaginarily divorced"] = ""; $a->strings["Widowed"] = "Leski"; $a->strings["Uncertain"] = "Epävarma"; $a->strings["It's complicated"] = "Se on monimutkaista"; -$a->strings["Don't care"] = ""; -$a->strings["Ask me"] = ""; +$a->strings["Don't care"] = "Ei ole väliä"; +$a->strings["Ask me"] = "Kysy minulta"; $a->strings["There are no tables on MyISAM."] = ""; $a->strings["\n\t\t\t\tThe friendica developers released update %s recently,\n\t\t\t\tbut when I tried to install it, something went terribly wrong.\n\t\t\t\tThis needs to be fixed soon and I can't do it alone. Please contact a\n\t\t\t\tfriendica developer if you can not help me on your own. My database might be invalid."] = ""; $a->strings["The error message is\n[pre]%s[/pre]"] = "Virheviesti on\n[pre]%s[/pre]"; @@ -1986,7 +1986,7 @@ $a->strings["Birthdays this week:"] = "Syntymäpäiviä tällä viikolla:"; $a->strings["[No description]"] = "[Ei kuvausta]"; $a->strings["Event Reminders"] = "Tapahtumamuistutukset"; $a->strings["Events this week:"] = "Tapahtumia tällä viikolla:"; -$a->strings["Member since:"] = ""; +$a->strings["Member since:"] = "Liittymispäivämäärä:"; $a->strings["j F, Y"] = ""; $a->strings["j F"] = ""; $a->strings["Age:"] = "Ikä:"; @@ -2007,7 +2007,7 @@ $a->strings["%1\$s is attending %2\$s's %3\$s"] = ""; $a->strings["%1\$s is not attending %2\$s's %3\$s"] = ""; $a->strings["%1\$s may attend %2\$s's %3\$s"] = ""; $a->strings["A deleted group with this name was revived. Existing item permissions may apply to this group and any future members. If this is not what you intended, please create another group with a different name."] = ""; -$a->strings["Default privacy group for new contacts"] = ""; +$a->strings["Default privacy group for new contacts"] = "Oletusryhmä uusille kontakteille"; $a->strings["Everybody"] = "Kaikki"; $a->strings["edit"] = "muokkaa"; $a->strings["Edit group"] = "Muokkaa ryhmää"; @@ -2054,22 +2054,22 @@ $a->strings["Invalid OpenID url"] = "Virheellinen OpenID url-osoite"; $a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = ""; $a->strings["The error message was:"] = "Virheviesti oli:"; $a->strings["Please enter the required information."] = "Syötä tarvittavat tiedot."; -$a->strings["Please use a shorter name."] = ""; +$a->strings["Please use a shorter name."] = "Käytä lyhyempää nimeä."; $a->strings["Name too short."] = "Nimi on liian lyhyt."; $a->strings["That doesn't appear to be your full (First Last) name."] = ""; -$a->strings["Your email domain is not among those allowed on this site."] = ""; +$a->strings["Your email domain is not among those allowed on this site."] = "Sähköpostiosoitteesi verkkotunnus on tämän sivuston estolistalla."; $a->strings["Not a valid email address."] = "Virheellinen sähköpostiosoite."; -$a->strings["Cannot use that email."] = ""; -$a->strings["Your nickname can only contain a-z, 0-9 and _."] = ""; -$a->strings["Nickname is already registered. Please choose another."] = ""; +$a->strings["Cannot use that email."] = "Sähköpostiosoitetta ei voitu käyttää."; +$a->strings["Your nickname can only contain a-z, 0-9 and _."] = "Nimimerkki voi sisältää a-z, 0-9 ja _."; +$a->strings["Nickname is already registered. Please choose another."] = "Valitsemasi nimimerkki on jo käytössä. Valitse toinen nimimerkki."; $a->strings["SERIOUS ERROR: Generation of security keys failed."] = "VAKAVA VIRHE: Salausavainten luominen epäonnistui."; -$a->strings["An error occurred during registration. Please try again."] = ""; +$a->strings["An error occurred during registration. Please try again."] = "Rekisteröityminen epäonnistui. Yritä uudelleen."; $a->strings["default"] = "oletus"; -$a->strings["An error occurred creating your default profile. Please try again."] = ""; +$a->strings["An error occurred creating your default profile. Please try again."] = "Oletusprofiilin luominen epäonnistui. Yritä uudelleen."; $a->strings["An error occurred creating your self contact. Please try again."] = ""; $a->strings["An error occurred creating your default contact group. Please try again."] = ""; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account is pending for approval by the administrator.\n\t\t"] = ""; -$a->strings["Registration at %s"] = ""; +$a->strings["Registration at %s"] = "Rekisteröityminen kohteessa %s"; $a->strings["\n\t\t\tDear %1\$s,\n\t\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t\t"] = ""; $a->strings["\n\t\t\tThe login details are as follows:\n\n\t\t\tSite Location:\t%3\$s\n\t\t\tLogin Name:\t\t%1\$s\n\t\t\tPassword:\t\t%5\$s\n\n\t\t\tYou may change your password from your account \"Settings\" page after logging\n\t\t\tin.\n\n\t\t\tPlease take a few moments to review the other account settings on that page.\n\n\t\t\tYou may also wish to add some basic information to your default profile\n\t\t\t(on the \"Profiles\" page) so that other people can easily find you.\n\n\t\t\tWe recommend setting your full name, adding a profile photo,\n\t\t\tadding some profile \"keywords\" (very useful in making new friends) - and\n\t\t\tperhaps what country you live in; if you do not wish to be more specific\n\t\t\tthan that.\n\n\t\t\tWe fully respect your right to privacy, and none of these items are necessary.\n\t\t\tIf you are new and do not know anybody here, they may help\n\t\t\tyou to make some new and interesting friends.\n\n\t\t\tIf you ever want to delete your account, you can do so at %3\$s/removeme\n\n\t\t\tThank you and welcome to %2\$s."] = ""; $a->strings["%s is now following %s."] = "%s seuraa %s."; @@ -2094,7 +2094,7 @@ $a->strings["unignore thread"] = ""; $a->strings["toggle ignore status"] = ""; $a->strings["add tag"] = "lisää tägi"; $a->strings["like"] = "tykkää"; -$a->strings["dislike"] = ""; +$a->strings["dislike"] = "en tykkää"; $a->strings["Share this"] = "Jaa tämä"; $a->strings["share"] = "jaa"; $a->strings["to"] = ""; From 96d8591b95e10fda6dee639d222c3368ec9a0e73 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= <25648755+M-arcus@users.noreply.github.com> Date: Wed, 18 Apr 2018 11:40:16 +0200 Subject: [PATCH 080/112] [TASK] Remove auto_install.php --- auto_install.php | 159 ----------------------------------------------- 1 file changed, 159 deletions(-) delete mode 100644 auto_install.php diff --git a/auto_install.php b/auto_install.php deleted file mode 100644 index bc418d688..000000000 --- a/auto_install.php +++ /dev/null @@ -1,159 +0,0 @@ -config['php_path'])) { - check_php($app->config['php_path'], $checks); - } else { - die(" ERROR: The php_path is not set in the config. Please check the file .htconfig.php.\n"); - } - - echo " NOTICE: Not checking .htaccess/URL-Rewrite during CLI installation.\n"; - - return $checks; -} - -function run_database_check() -{ - global $db_host; - global $db_user; - global $db_pass; - global $db_data; - - $result = array( - 'title' => 'MySQL Connection', - 'required' => true, - 'status' => true, - 'help' => '', - ); - - if (!dba::connect($db_host, $db_user, $db_pass, $db_data, true)) { - $result['status'] = false; - $result['help'] = 'Failed, please check your MySQL settings and credentials.'; - } - - return $result; -} From 1d552b5e66b3ece7e539432d0d2c462708b86c41 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= <25648755+M-arcus@users.noreply.github.com> Date: Wed, 18 Apr 2018 11:43:23 +0200 Subject: [PATCH 081/112] [TASK] Install script: Add installation class --- src/Core/Console/AutomaticInstallation.php | 181 +++++++++++++++++++++ 1 file changed, 181 insertions(+) create mode 100644 src/Core/Console/AutomaticInstallation.php diff --git a/src/Core/Console/AutomaticInstallation.php b/src/Core/Console/AutomaticInstallation.php new file mode 100644 index 000000000..a847b4a1b --- /dev/null +++ b/src/Core/Console/AutomaticInstallation.php @@ -0,0 +1,181 @@ +output("Initializing setup...\n"); + + $a = get_app(); + $db_host = ''; + $db_user = ''; + $db_pass = ''; + $db_data = ''; + require_once '.htautoinstall.php'; + + $this->output(" Complete!\n\n"); + + // Check basic setup + $this->output("Checking basic setup...\n"); + + $checkResults = []; + $checkResults['basic'] = $this->runBasicChecks($a); + $errorMessage = $this->extractErrors($checkResults['basic']); + + if ($errorMessage !== '') { + die($errorMessage); + } + + $this->output(" Complete!\n\n"); + + // Check database connection + $this->output("Checking database...\n"); + + $checkResults['db'] = array(); + $checkResults['db'][] = $this->runDatabaseCheck($db_host, $db_user, $db_pass, $db_data); + $errorMessage = $this->extractErrors($checkResults['db']); + + if ($errorMessage !== '') { + die($errorMessage); + } + + $this->output(" Complete!\n\n"); + + // Install database + $this->output("Inserting data into database...\n"); + + $checkResults['data'] = load_database(); + + if ($checkResults['data'] !== '') { + die("ERROR: DB Database creation error. Is the DB empty?\n"); + } + + $this->output(" Complete!\n\n"); + + // Copy config file + $this->output("Saving config file...\n"); + if (!copy('.htautoinstall.php', '.htconfig.php')) { + die("ERROR: Saving config file failed. Please copy .htautoinstall.php to .htconfig.php manually.\n"); + } + $this->output(" Complete!\n\n"); + $this->output("\nInstallation is finished\n"); + + return 0; + } + + /** + * @param App $app + * @return array + */ + public function runBasicChecks($app) + { + $checks = []; + + check_funcs($checks); + check_imagik($checks); + check_htconfig($checks); + check_smarty3($checks); + check_keys($checks); + + if (!empty($app->config['php_path'])) { + check_php($app->config['php_path'], $checks); + } else { + die(" ERROR: The php_path is not set in the config. Please check the file .htconfig.php.\n"); + } + + $this->output(" NOTICE: Not checking .htaccess/URL-Rewrite during CLI installation.\n"); + + return $checks; + } + + /** + * @param $db_host + * @param $db_user + * @param $db_pass + * @param $db_data + * @return array + */ + public function runDatabaseCheck($db_host, $db_user, $db_pass, $db_data) + { + $result = array( + 'title' => 'MySQL Connection', + 'required' => true, + 'status' => true, + 'help' => '', + ); + + + if (!dba::connect($db_host, $db_user, $db_pass, $db_data, true)) { + $result['status'] = false; + $result['help'] = 'Failed, please check your MySQL settings and credentials.'; + } + + return $result; + } + + /** + * @param array $results + * @return string + */ + public function extractErrors($results) + { + $errorMessage = ''; + $allChecksRequired = $this->getOption('a') !== null; + + foreach ($results as $result) { + if (($allChecksRequired || $result['required'] === true) && $result['status'] === false) { + $errorMessage .= "--------\n"; + $errorMessage .= $result['title'] . ': ' . $result['help'] . "\n"; + } + } + + return $errorMessage; + } + + /** + * @param string $text + */ + public function output($text) + { + $debugInfo = $this->getOption('v') !== null; + if ($debugInfo) { + echo $text; + } + } +} From d53e64a583d3cc3ed81ff43095b631a132ea52f9 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= <25648755+M-arcus@users.noreply.github.com> Date: Wed, 18 Apr 2018 11:46:27 +0200 Subject: [PATCH 082/112] [TASK] Install Script: Register installation class --- src/Core/Console.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/Core/Console.php b/src/Core/Console.php index a1143ae1d..fa69ad968 100644 --- a/src/Core/Console.php +++ b/src/Core/Console.php @@ -21,6 +21,7 @@ class Console extends \Asika\SimpleConsole\Console 'extract' => __NAMESPACE__ . '\Console\Extract', 'globalcommunityblock' => __NAMESPACE__ . '\Console\GlobalCommunityBlock', 'globalcommunitysilence' => __NAMESPACE__ . '\Console\GlobalCommunitySilence', + 'install' => __NAMESPACE__ . '\Console\AutomaticInstallation', 'maintenance' => __NAMESPACE__ . '\Console\Maintenance', 'newpassword' => __NAMESPACE__ . '\Console\NewPassword', 'php2po' => __NAMESPACE__ . '\Console\PhpToPo', @@ -42,6 +43,7 @@ Commands: globalcommunityblock Block remote profile from interacting with this node globalcommunitysilence Silence remote profile from global community page help Show help about a command, e.g (bin/console help config) + install Starts automatic installation of friendica based on values from htconfig.php maintenance Set maintenance mode for this node newpassword Set a new password for a given user php2po Generate a messages.po file from a strings.php file From 7b7ca71bf6b96ea45a201b4562d35a51f6ed5cd8 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= <25648755+M-arcus@users.noreply.github.com> Date: Wed, 18 Apr 2018 14:20:21 +0200 Subject: [PATCH 083/112] [TASK] Auto install: Rename script command --- src/Core/Console.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Core/Console.php b/src/Core/Console.php index fa69ad968..36614ad55 100644 --- a/src/Core/Console.php +++ b/src/Core/Console.php @@ -21,7 +21,7 @@ class Console extends \Asika\SimpleConsole\Console 'extract' => __NAMESPACE__ . '\Console\Extract', 'globalcommunityblock' => __NAMESPACE__ . '\Console\GlobalCommunityBlock', 'globalcommunitysilence' => __NAMESPACE__ . '\Console\GlobalCommunitySilence', - 'install' => __NAMESPACE__ . '\Console\AutomaticInstallation', + 'autoinstall' => __NAMESPACE__ . '\Console\AutomaticInstallation', 'maintenance' => __NAMESPACE__ . '\Console\Maintenance', 'newpassword' => __NAMESPACE__ . '\Console\NewPassword', 'php2po' => __NAMESPACE__ . '\Console\PhpToPo', From 24626f5fd20d076025e1c49d1dc59580ffca9834 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= <25648755+M-arcus@users.noreply.github.com> Date: Wed, 18 Apr 2018 14:21:40 +0200 Subject: [PATCH 084/112] [TASK] Auto install: Rename script command --- src/Core/Console.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/Core/Console.php b/src/Core/Console.php index 36614ad55..82c485179 100644 --- a/src/Core/Console.php +++ b/src/Core/Console.php @@ -43,7 +43,7 @@ Commands: globalcommunityblock Block remote profile from interacting with this node globalcommunitysilence Silence remote profile from global community page help Show help about a command, e.g (bin/console help config) - install Starts automatic installation of friendica based on values from htconfig.php + autoinstall Starts automatic installation of friendica based on values from htconfig.php maintenance Set maintenance mode for this node newpassword Set a new password for a given user php2po Generate a messages.po file from a strings.php file From 457b86711d47236dcabafdbdf83a9d44ccecf4d2 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marcus=20M=C3=BCller?= <25648755+M-arcus@users.noreply.github.com> Date: Wed, 18 Apr 2018 14:30:42 +0200 Subject: [PATCH 085/112] [TASK] Auto install: Rework class --- src/Core/Console/AutomaticInstallation.php | 66 ++++++++-------------- 1 file changed, 23 insertions(+), 43 deletions(-) diff --git a/src/Core/Console/AutomaticInstallation.php b/src/Core/Console/AutomaticInstallation.php index a847b4a1b..5df99c1e9 100644 --- a/src/Core/Console/AutomaticInstallation.php +++ b/src/Core/Console/AutomaticInstallation.php @@ -16,11 +16,7 @@ class AutomaticInstallation extends Console return <<output("Initializing setup...\n"); + $this->out("Initializing setup...\n"); $a = get_app(); $db_host = ''; $db_user = ''; $db_pass = ''; $db_data = ''; - require_once '.htautoinstall.php'; + require_once 'htconfig.php'; - $this->output(" Complete!\n\n"); + $this->out(" Complete!\n\n"); // Check basic setup - $this->output("Checking basic setup...\n"); + $this->out("Checking basic setup...\n"); $checkResults = []; $checkResults['basic'] = $this->runBasicChecks($a); $errorMessage = $this->extractErrors($checkResults['basic']); if ($errorMessage !== '') { - die($errorMessage); + throw new \RuntimeException($errorMessage); } - $this->output(" Complete!\n\n"); + $this->out(" Complete!\n\n"); // Check database connection - $this->output("Checking database...\n"); + $this->out("Checking database...\n"); $checkResults['db'] = array(); $checkResults['db'][] = $this->runDatabaseCheck($db_host, $db_user, $db_pass, $db_data); $errorMessage = $this->extractErrors($checkResults['db']); if ($errorMessage !== '') { - die($errorMessage); + throw new \RuntimeException($errorMessage); } - $this->output(" Complete!\n\n"); + $this->out(" Complete!\n\n"); // Install database - $this->output("Inserting data into database...\n"); + $this->out("Inserting data into database...\n"); $checkResults['data'] = load_database(); if ($checkResults['data'] !== '') { - die("ERROR: DB Database creation error. Is the DB empty?\n"); + throw new \RuntimeException("ERROR: DB Database creation error. Is the DB empty?\n"); } - $this->output(" Complete!\n\n"); + $this->out(" Complete!\n\n"); // Copy config file - $this->output("Saving config file...\n"); - if (!copy('.htautoinstall.php', '.htconfig.php')) { - die("ERROR: Saving config file failed. Please copy .htautoinstall.php to .htconfig.php manually.\n"); + $this->out("Saving config file...\n"); + if (!copy('htconfig.php', '.htconfig.php')) { + throw new \RuntimeException("ERROR: Saving config file failed. Please copy .htautoinstall.php to .htconfig.php manually.\n"); } - $this->output(" Complete!\n\n"); - $this->output("\nInstallation is finished\n"); + $this->out(" Complete!\n\n"); + $this->out("\nInstallation is finished\n"); return 0; } @@ -103,7 +94,7 @@ HELP; * @param App $app * @return array */ - public function runBasicChecks($app) + private function runBasicChecks($app) { $checks = []; @@ -116,10 +107,10 @@ HELP; if (!empty($app->config['php_path'])) { check_php($app->config['php_path'], $checks); } else { - die(" ERROR: The php_path is not set in the config. Please check the file .htconfig.php.\n"); + throw new \RuntimeException(" ERROR: The php_path is not set in the config. Please check the file .htconfig.php.\n"); } - $this->output(" NOTICE: Not checking .htaccess/URL-Rewrite during CLI installation.\n"); + $this->out(" NOTICE: Not checking .htaccess/URL-Rewrite during CLI installation.\n"); return $checks; } @@ -131,7 +122,7 @@ HELP; * @param $db_data * @return array */ - public function runDatabaseCheck($db_host, $db_user, $db_pass, $db_data) + private function runDatabaseCheck($db_host, $db_user, $db_pass, $db_data) { $result = array( 'title' => 'MySQL Connection', @@ -153,7 +144,7 @@ HELP; * @param array $results * @return string */ - public function extractErrors($results) + private function extractErrors($results) { $errorMessage = ''; $allChecksRequired = $this->getOption('a') !== null; @@ -167,15 +158,4 @@ HELP; return $errorMessage; } - - /** - * @param string $text - */ - public function output($text) - { - $debugInfo = $this->getOption('v') !== null; - if ($debugInfo) { - echo $text; - } - } } From 1017e244cae7cb1cfce46fe0d4fdc43fb117885e Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Wed, 18 Apr 2018 17:52:34 +0200 Subject: [PATCH 086/112] Frio: add template for admin/users --- view/theme/frio/templates/admin/users.tpl | 273 ++++++++++++++++++++++ 1 file changed, 273 insertions(+) create mode 100644 view/theme/frio/templates/admin/users.tpl diff --git a/view/theme/frio/templates/admin/users.tpl b/view/theme/frio/templates/admin/users.tpl new file mode 100644 index 000000000..5ab002573 --- /dev/null +++ b/view/theme/frio/templates/admin/users.tpl @@ -0,0 +1,273 @@ + + + + +
+

{{$title}} - {{$page}}

+
+ +
+ + + + +
+

{{$h_pending}}

+ + {{if $pending}} + + + + {{foreach $th_pending as $th}}{{/foreach}} + + + + + + {{foreach $pending as $u}} + + + + + + + + + + + + {{/foreach}} + +
{{$th}} + + +
{{$u.created}}{{$u.name}}{{$u.email}} + + +
{{$pendingnotetext}}{{$u.note}}
+ + {{else}} +
{{$no_pending}}
+ {{/if}} +
+ + +
+

{{$h_users}}

+ {{if $users}} + + + + + + {{foreach $th_users as $k=>$th}} + {{if $k < 2 || $order_users == $th.1 || ($k==5 && !in_array($order_users,[$th_users.2.1, $th_users.3.1, $th_users.4.1])) }} + + {{/if}} + {{/foreach}} + + + + + + {{foreach $users as $u}} + + + + + {{if $order_users == $th_users.2.1}} + + {{/if}} + + {{if $order_users == $th_users.3.1}} + + {{/if}} + + {{if $order_users == $th_users.4.1}} + + {{/if}} + + {{if !in_array($order_users,[$th_users.2.1, $th_users.3.1, $th_users.4.1]) }} + + {{/if}} + + {{else}} +   + {{/if}} + + + + + + + + {{/foreach}} + +
+ + {{if $order_users == $th.1}} + {{if $order_direction_users == "+"}} + ↓ + {{else}} + ↑ + {{/if}} + {{else}} + ↕ + {{/if}} + {{$th.0}} + + + +
{{$u.name}}{{$u.email}}{{$u.register_date}}{{$u.lastitem_date}}{{$u.page_flags}} {{if $u.is_admin}}({{$siteadmin}}){{/if}} {{if $u.account_expired}}({{$accountexpired}}){{/if}} + {{if $u.is_deletable}} + + +
+ + {{else}} +
NO USERS?!?
+ {{/if}} +
+ + + +
+ + + + + + + {{if $deleted}} +
+

{{$h_deleted}}

+ + + + + {{foreach $th_deleted as $k=>$th}} + {{if in_array($k,[0,1,5])}} + + {{/if}} + {{/foreach}} + + + + {{foreach $deleted as $u}} + + + + + + + {{/foreach}} + +
{{$th}}
{{$u.name}}{{$u.email}}{{$u.deleted}}
+
+{{/if}} + + + + +
+ + +
+

{{$h_newuser}}

+
+ {{include file="field_input.tpl" field=$newusername}} + {{include file="field_input.tpl" field=$newusernickname}} + {{include file="field_input.tpl" field=$newuseremail}} +
+ + From 362654abf06ed2974d2ce5878011ecf1fe05e203 Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Wed, 18 Apr 2018 19:44:10 +0200 Subject: [PATCH 087/112] Fix indentation --- view/theme/frio/templates/admin/users.tpl | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/view/theme/frio/templates/admin/users.tpl b/view/theme/frio/templates/admin/users.tpl index 5ab002573..f648cb748 100644 --- a/view/theme/frio/templates/admin/users.tpl +++ b/view/theme/frio/templates/admin/users.tpl @@ -1,4 +1,3 @@ -