From 5e3b8b34327aea58dd473e6b268746690d6583db Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sat, 6 Sep 2014 12:38:06 +0200 Subject: [PATCH 001/294] Creating a shadow entry for every public post and show it on the community page. --- include/threads.php | 105 ++++++++++++++++++++++++++++++++++++++++---- mod/community.php | 22 +++++++++- 2 files changed, 117 insertions(+), 10 deletions(-) diff --git a/include/threads.php b/include/threads.php index 6b1c4342f7..2645098f57 100644 --- a/include/threads.php +++ b/include/threads.php @@ -13,9 +13,47 @@ function add_thread($itemid) { .implode("`, `", array_keys($item)) ."`) VALUES ('" .implode("', '", array_values($item)) - ."')" ); + ."')"); logger("add_thread: Add thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); + + // Adding a shadow item entry + if (($itemid == 0) OR ($item['uid'] == 0)) + return; + + // Check, if hide-friends is activated - then don't do a shadow entry + $r = q("SELECT `hide-friends` FROM `profile` WHERE `is-default` AND `uid` = %d AND NOT `hide-friends`", + $item['uid']); + if (!count($r)) + return; + + // Only add a shadow, if the profile isn't hidden + $r = q("SELECT `uid` FROM `user` where `uid` = %d AND NOT `hidewall`", $item['uid']); + if (!count($r)) + return; + + $item = q("SELECT * FROM `item` WHERE `id` = %d", + intval($itemid)); + + if (count($item) AND ($item[0]["visible"] == 1) AND ($item[0]["deleted"] == 0) AND + (($item[0]["id"] == $item[0]["parent"]) OR ($item[0]["parent"] == 0)) AND + ($item[0]["moderated"] == 0) AND ($item[0]["allow_cid"] == '') AND ($item[0]["allow_gid"] == '') AND + ($item[0]["deny_cid"] == '') AND ($item[0]["deny_gid"] == '') AND ($item[0]["private"] == 0)) { + + $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", + dbesc($item['uri'])); + + if (!$r) { + // Preparing public shadow (removing user specific data) + require_once("include/items.php"); + unset($item[0]['id']); + $item[0]['uid'] = 0; + $item[0]['contact-id'] = 0; + + $public_shadow = item_store($item[0],false); + logger("add_thread: Stored public shadow for post ".$itemid." under id ".$public_shadow, LOGGER_DEBUG); + } + } } function update_thread_uri($itemuri, $uid) { @@ -27,7 +65,7 @@ function update_thread_uri($itemuri, $uid) { } function update_thread($itemid, $setmention = false) { - $items = q("SELECT `uid`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, + $items = q("SELECT `uid`, `uri`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, `deleted`, `origin`, `forum_mode`, `network` FROM `item` WHERE `id` = %d AND (`parent` = %d OR `parent` = 0) LIMIT 1", intval($itemid), intval($itemid)); if (!$items) @@ -40,16 +78,50 @@ function update_thread($itemid, $setmention = false) { $sql = ""; - foreach ($item AS $field => $data) { - if ($sql != "") - $sql .= ", "; + foreach ($item AS $field => $data) + if ($field != "uri") { + if ($sql != "") + $sql .= ", "; - $sql .= "`".$field."` = '".$data."'"; - } + $sql .= "`".$field."` = '".dbesc($data)."'"; + } - $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", $itemid); + $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", intval($itemid)); logger("update_thread: Update thread for item ".$itemid." - ".print_r($result, true)." ".print_r($item, true), LOGGER_DEBUG); + + // Updating a shadow item entry + $items = q("SELECT `id`, `title`, `body`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, + `moderated`, `visible`, `spam`, `starred`, `bookmark`, `deleted`, `origin`, `forum_mode`, `network` + FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", dbesc($item["uri"])); + + if (!$items) + return; + + $item = $items[0]; + + $result = q("UPDATE `item` SET `title` = '%s', `body` = '%s', `network` = '%s' WHERE `id` = %d", + dbesc($item["title"]), + dbesc($item["body"]), + dbesc($item["network"]), + intval($item["id"]) + ); + logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); + + /* + $sql = ""; + + foreach ($item AS $field => $data) + if ($field != "id") { + if ($sql != "") + $sql .= ", "; + + $sql .= "`".$field."` = '".dbesc($data)."'"; + } + //logger("update_thread: Updating public shadow for post ".$item["id"]." SQL: ".$sql, LOGGER_DEBUG); + $result = q("UPDATE `item` SET ".$sql." WHERE `id` = %d", intval($item["id"])); + logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); + */ } function delete_thread_uri($itemuri, $uid) { @@ -61,13 +133,28 @@ function delete_thread_uri($itemuri, $uid) { } function delete_thread($itemid) { + $item = q("SELECT `uri`, `uid` FROM `thread` WHERE `iid` = %d", intval($itemid)); + $result = q("DELETE FROM `thread` WHERE `iid` = %d", intval($itemid)); logger("delete_thread: Deleted thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); + + if ($count($item)) { + $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND NOT (`uid` IN (%d, 0))", + dbesc($item["uri"]), + intval($item["uid"]) + ); + if (!count($r)) { + $r = q("DELETE FROM `item` WHERE `uri` = '%s' AND `uid` = 0)", + dbesc($item["uri"]) + ); + logger("delete_thread: Deleted shadow for item ".$item["uri"]." - ".print_r($result, true), LOGGER_DEBUG); + } + } } function update_threads() { - global $db; + global $db; logger("update_threads: start"); diff --git a/mod/community.php b/mod/community.php index 8d23c4af28..5b3f40a798 100644 --- a/mod/community.php +++ b/mod/community.php @@ -114,6 +114,8 @@ function community_content(&$a, $update = 0) { } function community_getitems($start, $itemspage) { +// Work in progress return(community_getpublicitems($start, $itemspage)); + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, @@ -125,7 +127,7 @@ function community_getitems($start, $itemspage) { AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' INNER JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` - AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND `contact`.`self` + AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND (`contact`.`self` OR `contact`.`remote_self`) WHERE `thread`.`visible` = 1 AND `thread`.`deleted` = 0 and `thread`.`moderated` = 0 AND `thread`.`private` = 0 AND `thread`.`wall` = 1 ORDER BY `thread`.`received` DESC LIMIT %d, %d ", @@ -136,3 +138,21 @@ function community_getitems($start, $itemspage) { return($r); } + +function community_getpublicitems($start, $itemspage) { + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, + `author-name` AS `name`, `owner-avatar` AS `photo`, + `owner-link` AS `url`, `owner-avatar` AS `thumb` + FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s') + AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' + AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' + ORDER BY `item`.`received` DESC LIMIT %d, %d", + dbesc(NETWORK_DFRN), + dbesc(NETWORK_DIASPORA), + intval($start), + intval($itemspage) + ); + + return($r); + +} From f02435408ce8a3fde887b5f44af11dfd201f803c Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Fri, 12 Dec 2014 19:01:08 +0100 Subject: [PATCH 002/294] RO and FR: update to the core strings --- view/fr/messages.po | 13938 +++++++++++++++++++++--------------------- view/fr/strings.php | 2496 ++++---- view/ro/messages.po | 12280 ++++++++++++++++++------------------- view/ro/strings.php | 2528 ++++---- 4 files changed, 15654 insertions(+), 15588 deletions(-) diff --git a/view/fr/messages.po b/view/fr/messages.po index 700c2a8338..6f1477b4d6 100644 --- a/view/fr/messages.po +++ b/view/fr/messages.po @@ -3,620 +3,5851 @@ # This file is distributed under the same license as the Friendica package. # # Translators: -# Rafael GARAU , 2012 -# Rafael GARAU , 2012-2013 +# Cyboulette , 2014 +# Domovoy , 2012 +# Jak , 2014 +# Lionel Triay , 2013 +# Marquis_de_Carabas , 2012 +# Olivier , 2011-2012 +# tomamplius , 2014 +# Tubuntu , 2013-2014 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-09-07 14:32+0200\n" -"PO-Revision-Date: 2014-09-08 10:08+0000\n" -"Last-Translator: fabrixxm \n" -"Language-Team: Catalan (http://www.transifex.com/projects/p/friendica/language/ca/)\n" +"POT-Creation-Date: 2014-10-22 10:05+0200\n" +"PO-Revision-Date: 2014-12-09 10:59+0000\n" +"Last-Translator: Jak \n" +"Language-Team: French (http://www.transifex.com/projects/p/friendica/language/fr/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"Language: ca\n" -"Plural-Forms: nplurals=2; plural=(n != 1);\n" +"Language: fr\n" +"Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:52 ../../view/theme/diabook/config.php:148 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 -#: ../../object/Item.php:678 ../../mod/contacts.php:470 -#: ../../mod/manage.php:110 ../../mod/fsuggest.php:107 -#: ../../mod/photos.php:1084 ../../mod/photos.php:1205 -#: ../../mod/photos.php:1512 ../../mod/photos.php:1563 -#: ../../mod/photos.php:1607 ../../mod/photos.php:1695 -#: ../../mod/invite.php:140 ../../mod/events.php:478 ../../mod/mood.php:137 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/profiles.php:645 ../../mod/install.php:248 -#: ../../mod/install.php:286 ../../mod/crepair.php:179 -#: ../../mod/content.php:710 ../../mod/poke.php:199 ../../mod/localtime.php:45 -msgid "Submit" -msgstr "Enviar" +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "Cette entrée à été édité" -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:54 ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 ../../view/theme/dispy/config.php:72 -msgid "Theme settings" -msgstr "Configuració de Temes" +#: ../../object/Item.php:116 ../../mod/photos.php:1357 +#: ../../mod/content.php:620 +msgid "Private Message" +msgstr "Message privé" -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Ajusteu el nivell de canvi de mida d'imatges en els missatges i comentaris ( amplada i alçada" +#: ../../object/Item.php:120 ../../mod/settings.php:673 +#: ../../mod/content.php:728 +msgid "Edit" +msgstr "Éditer" -#: ../../view/theme/cleanzero/config.php:84 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/dispy/config.php:73 -msgid "Set font-size for posts and comments" -msgstr "Canvia la mida del tipus de lletra per enviaments i comentaris" +#: ../../object/Item.php:129 ../../mod/photos.php:1651 +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "Sélectionner" -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Ajustar l'ample del tema" +#: ../../object/Item.php:130 ../../mod/admin.php:970 ../../mod/photos.php:1652 +#: ../../mod/contacts.php:709 ../../mod/settings.php:674 +#: ../../mod/group.php:171 ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../include/conversation.php:614 +msgid "Delete" +msgstr "Supprimer" -#: ../../view/theme/cleanzero/config.php:86 -#: ../../view/theme/quattro/config.php:68 -msgid "Color scheme" -msgstr "Esquema de colors" +#: ../../object/Item.php:133 ../../mod/content.php:763 +msgid "save to folder" +msgstr "sauver vers dossier" -#: ../../view/theme/vier/config.php:55 -msgid "Set style" +#: ../../object/Item.php:195 ../../mod/content.php:753 +msgid "add star" +msgstr "mett en avant" + +#: ../../object/Item.php:196 ../../mod/content.php:754 +msgid "remove star" +msgstr "ne plus mettre en avant" + +#: ../../object/Item.php:197 ../../mod/content.php:755 +msgid "toggle star status" +msgstr "mettre en avant" + +#: ../../object/Item.php:200 ../../mod/content.php:758 +msgid "starred" +msgstr "mis en avant" + +#: ../../object/Item.php:208 +msgid "ignore thread" msgstr "" -#: ../../view/theme/diabook/config.php:142 -#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:328 -msgid "don't show" -msgstr "no mostris" +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "" -#: ../../view/theme/diabook/config.php:142 -#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:327 -msgid "show" -msgstr "mostra" +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "" -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Canvia l'espaiat de línia per enviaments i comentaris" +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "ignoré" -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "canvia la resolució per a la columna central" +#: ../../object/Item.php:220 ../../mod/content.php:759 +msgid "add tag" +msgstr "ajouter une étiquette" -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Canvia l'esquema de color" +#: ../../object/Item.php:231 ../../mod/photos.php:1540 +#: ../../mod/content.php:684 +msgid "I like this (toggle)" +msgstr "J'aime (bascule)" -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Ajustar el factor de zoom de Earth Layers" +#: ../../object/Item.php:231 ../../mod/content.php:684 +msgid "like" +msgstr "aime" -#: ../../view/theme/diabook/config.php:156 -#: ../../view/theme/diabook/theme.php:585 -msgid "Set longitude (X) for Earth Layers" -msgstr "Ajustar longitud (X) per Earth Layers" +#: ../../object/Item.php:232 ../../mod/photos.php:1541 +#: ../../mod/content.php:685 +msgid "I don't like this (toggle)" +msgstr "Je n'aime pas (bascule)" -#: ../../view/theme/diabook/config.php:157 -#: ../../view/theme/diabook/theme.php:586 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Ajustar latitud (Y) per Earth Layers" +#: ../../object/Item.php:232 ../../mod/content.php:685 +msgid "dislike" +msgstr "n'aime pas" -#: ../../view/theme/diabook/config.php:158 -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -msgid "Community Pages" -msgstr "Pàgines de la Comunitat" +#: ../../object/Item.php:234 ../../mod/content.php:687 +msgid "Share this" +msgstr "Partager" -#: ../../view/theme/diabook/config.php:159 -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -msgid "Earth Layers" -msgstr "Earth Layers" +#: ../../object/Item.php:234 ../../mod/content.php:687 +msgid "share" +msgstr "partager" -#: ../../view/theme/diabook/config.php:160 -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -msgid "Community Profiles" -msgstr "Perfils de Comunitat" +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "Catégories:" -#: ../../view/theme/diabook/config.php:161 -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -msgid "Help or @NewHere ?" -msgstr "Ajuda o @NouAqui?" +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "Rangé sous:" -#: ../../view/theme/diabook/config.php:162 -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -msgid "Connect Services" -msgstr "Serveis Connectats" +#: ../../object/Item.php:326 ../../object/Item.php:327 +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Voir le profil de %s @ %s" -#: ../../view/theme/diabook/config.php:163 -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -msgid "Find Friends" -msgstr "Trobar Amistats" +#: ../../object/Item.php:328 ../../mod/content.php:854 +msgid "to" +msgstr "à" -#: ../../view/theme/diabook/config.php:164 -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -msgid "Last users" -msgstr "Últims usuaris" +#: ../../object/Item.php:329 +msgid "via" +msgstr "via" -#: ../../view/theme/diabook/config.php:165 -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -msgid "Last photos" -msgstr "Últimes fotos" +#: ../../object/Item.php:330 ../../mod/content.php:855 +msgid "Wall-to-Wall" +msgstr "Inter-mur" -#: ../../view/theme/diabook/config.php:166 -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -msgid "Last likes" -msgstr "Últims \"m'agrada\"" +#: ../../object/Item.php:331 ../../mod/content.php:856 +msgid "via Wall-To-Wall:" +msgstr "en Inter-mur:" -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:105 -#: ../../include/nav.php:146 ../../mod/notifications.php:93 +#: ../../object/Item.php:340 ../../mod/content.php:481 +#: ../../mod/content.php:864 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s de %s" + +#: ../../object/Item.php:361 ../../object/Item.php:677 +#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 +#: ../../mod/photos.php:1694 ../../mod/content.php:709 ../../boot.php:724 +msgid "Comment" +msgstr "Commenter" + +#: ../../object/Item.php:364 ../../mod/message.php:334 +#: ../../mod/message.php:565 ../../mod/editpost.php:124 +#: ../../mod/wallmessage.php:156 ../../mod/photos.php:1543 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "Patientez" + +#: ../../object/Item.php:387 ../../mod/content.php:603 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d commentaire" +msgstr[1] "%d commentaires" + +#: ../../object/Item.php:389 ../../object/Item.php:402 +#: ../../mod/content.php:605 ../../include/text.php:1969 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "commentaire" + +#: ../../object/Item.php:390 ../../mod/content.php:606 ../../boot.php:725 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "montrer plus" + +#: ../../object/Item.php:675 ../../mod/photos.php:1560 +#: ../../mod/photos.php:1604 ../../mod/photos.php:1692 +#: ../../mod/content.php:707 +msgid "This is you" +msgstr "C'est vous" + +#: ../../object/Item.php:678 ../../mod/fsuggest.php:107 +#: ../../mod/message.php:335 ../../mod/message.php:564 +#: ../../mod/events.php:478 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1205 ../../mod/photos.php:1512 +#: ../../mod/photos.php:1563 ../../mod/photos.php:1607 +#: ../../mod/photos.php:1695 ../../mod/contacts.php:470 +#: ../../mod/invite.php:140 ../../mod/profiles.php:645 +#: ../../mod/manage.php:110 ../../mod/poke.php:199 ../../mod/localtime.php:45 +#: ../../mod/install.php:248 ../../mod/install.php:286 +#: ../../mod/content.php:710 ../../mod/mood.php:137 ../../mod/crepair.php:181 +#: ../../view/theme/diabook/theme.php:633 +#: ../../view/theme/diabook/config.php:148 ../../view/theme/vier/config.php:52 +#: ../../view/theme/dispy/config.php:70 +#: ../../view/theme/duepuntozero/config.php:59 +#: ../../view/theme/quattro/config.php:64 +#: ../../view/theme/cleanzero/config.php:80 +msgid "Submit" +msgstr "Envoyer" + +#: ../../object/Item.php:679 ../../mod/content.php:711 +msgid "Bold" +msgstr "Gras" + +#: ../../object/Item.php:680 ../../mod/content.php:712 +msgid "Italic" +msgstr "Italique" + +#: ../../object/Item.php:681 ../../mod/content.php:713 +msgid "Underline" +msgstr "Souligné" + +#: ../../object/Item.php:682 ../../mod/content.php:714 +msgid "Quote" +msgstr "Citation" + +#: ../../object/Item.php:683 ../../mod/content.php:715 +msgid "Code" +msgstr "Code" + +#: ../../object/Item.php:684 ../../mod/content.php:716 +msgid "Image" +msgstr "Image" + +#: ../../object/Item.php:685 ../../mod/content.php:717 +msgid "Link" +msgstr "Lien" + +#: ../../object/Item.php:686 ../../mod/content.php:718 +msgid "Video" +msgstr "Vidéo" + +#: ../../object/Item.php:687 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1564 ../../mod/photos.php:1608 +#: ../../mod/photos.php:1696 ../../mod/content.php:719 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "Aperçu" + +#: ../../index.php:205 ../../mod/apps.php:7 +msgid "You must be logged in to use addons. " +msgstr "Vous devez être connecté pour utiliser les greffons." + +#: ../../index.php:249 ../../mod/help.php:90 +msgid "Not Found" +msgstr "Non trouvé" + +#: ../../index.php:252 ../../mod/help.php:93 +msgid "Page not found." +msgstr "Page introuvable." + +#: ../../index.php:361 ../../mod/profperm.php:19 ../../mod/group.php:72 +msgid "Permission denied" +msgstr "Permission refusée" + +#: ../../index.php:362 ../../mod/fsuggest.php:78 ../../mod/files.php:170 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/editpost.php:10 +#: ../../mod/dfrn_confirm.php:55 ../../mod/events.php:140 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/nogroup.php:25 ../../mod/wall_upload.php:66 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/photos.php:134 ../../mod/photos.php:1050 +#: ../../mod/register.php:42 ../../mod/attach.php:33 +#: ../../mod/contacts.php:249 ../../mod/follow.php:9 ../../mod/uimport.php:23 +#: ../../mod/allfriends.php:9 ../../mod/invite.php:15 ../../mod/invite.php:101 +#: ../../mod/settings.php:102 ../../mod/settings.php:593 +#: ../../mod/settings.php:598 ../../mod/display.php:455 +#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 +#: ../../mod/wall_attach.php:55 ../../mod/suggest.php:56 +#: ../../mod/manage.php:96 ../../mod/delegate.php:12 +#: ../../mod/viewcontacts.php:22 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 +#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 +#: ../../mod/install.php:151 ../../mod/group.php:19 ../../mod/regmod.php:110 +#: ../../mod/item.php:149 ../../mod/item.php:165 ../../mod/mood.php:114 +#: ../../mod/network.php:4 ../../mod/crepair.php:119 +#: ../../include/items.php:4575 +msgid "Permission denied." +msgstr "Permission refusée." + +#: ../../index.php:421 +msgid "toggle mobile" +msgstr "activ. mobile" + +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 +#: ../../mod/update_display.php:22 +msgid "[Embedded content - reload page to view]" +msgstr "[contenu incorporé - rechargez la page pour le voir]" + +#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 +#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "Contact introuvable." + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Suggestion d'amitié/contact envoyée." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Suggérer des amis/contacts" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Suggérer un ami/contact pour %s" + +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Cette introduction a déjà été acceptée." + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "L'emplacement du profil est invalide ou ne contient pas de profil valide." + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Attention: l'emplacement du profil n'a pas de nom identifiable." + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Attention: l'emplacement du profil n'a pas de photo de profil." + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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 paramètre requis n'a pas été trouvé à l'endroit indiqué" +msgstr[1] "%d paramètres requis n'ont pas été trouvés à l'endroit indiqué" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Phase d'introduction achevée." + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Erreur de protocole non-récupérable." + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profil indisponible." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s a reçu trop de demandes d'introduction aujourd'hui." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Des mesures de protection contre le spam ont été déclenchées." + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Les relations sont encouragées à attendre 24 heures pour recommencer." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Localisateur invalide" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Adresse courriel invalide." + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Ce compte n'a pas été configuré pour les échanges de courriel. Requête avortée." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Impossible de résoudre votre nom à l'emplacement fourni." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Vous vous êtes déjà présenté ici." + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Il semblerait que vous soyez déjà ami avec %s." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "URL de profil invalide." + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "URL de profil interdite." + +#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:183 +msgid "Failed to update contact record." +msgstr "Échec de mise-à-jour du contact." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "Votre introduction a été envoyée." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Connectez-vous pour confirmer l'introduction." + +#: ../../mod/dfrn_request.php:664 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Identité incorrecte actuellement connectée. Merci de vous connecter à ce profil." + +#: ../../mod/dfrn_request.php:675 +msgid "Hide this contact" +msgstr "Cacher ce contact" + +#: ../../mod/dfrn_request.php:678 +#, php-format +msgid "Welcome home %s." +msgstr "Bienvenue chez vous, %s." + +#: ../../mod/dfrn_request.php:679 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Merci de confirmer votre demande d'introduction auprès de %s." + +#: ../../mod/dfrn_request.php:680 +msgid "Confirm" +msgstr "Confirmer" + +#: ../../mod/dfrn_request.php:721 ../../mod/dfrn_confirm.php:752 +#: ../../include/items.php:3881 +msgid "[Name Withheld]" +msgstr "[Nom non-publié]" + +#: ../../mod/dfrn_request.php:766 ../../mod/photos.php:920 +#: ../../mod/videos.php:115 ../../mod/search.php:89 ../../mod/display.php:180 +#: ../../mod/community.php:18 ../../mod/viewcontacts.php:17 +#: ../../mod/directory.php:33 +msgid "Public access denied." +msgstr "Accès public refusé." + +#: ../../mod/dfrn_request.php:808 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Merci d'entrer votre \"adresse d'identité\" de l'un des réseaux de communication suivant:" + +#: ../../mod/dfrn_request.php:828 +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 "Si vous n'êtes pas encore membre du web social libre, suivez ce lien pour trouver un site Friendica ouvert au public et nous rejoindre dès aujourd'hui." + +#: ../../mod/dfrn_request.php:831 +msgid "Friend/Connection Request" +msgstr "Requête de relation/amitié" + +#: ../../mod/dfrn_request.php:832 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Exemples : jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:833 +msgid "Please answer the following:" +msgstr "Merci de répondre à ce qui suit:" + +#: ../../mod/dfrn_request.php:834 +#, php-format +msgid "Does %s know you?" +msgstr "Est-ce que %s vous connaît?" + +#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 +#: ../../mod/register.php:234 ../../mod/settings.php:1007 +#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 +#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 +#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 +#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 +#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 +msgid "No" +msgstr "Non" + +#: ../../mod/dfrn_request.php:834 ../../mod/message.php:209 +#: ../../mod/api.php:105 ../../mod/register.php:233 ../../mod/contacts.php:332 +#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 +#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 +#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 +#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 +#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 +#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 +#: ../../mod/settings.php:1082 ../../mod/profiles.php:620 +#: ../../mod/profiles.php:623 ../../mod/suggest.php:29 +#: ../../include/items.php:4420 +msgid "Yes" +msgstr "Oui" + +#: ../../mod/dfrn_request.php:838 +msgid "Add a personal note:" +msgstr "Ajouter une note personnelle:" + +#: ../../mod/dfrn_request.php:840 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:841 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/Federated Social Web" + +#: ../../mod/dfrn_request.php:842 ../../mod/settings.php:733 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../mod/dfrn_request.php:843 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - merci de ne pas utiliser ce formulaire. Entrez plutôt %s dans votre barre de recherche Diaspora." + +#: ../../mod/dfrn_request.php:844 +msgid "Your Identity Address:" +msgstr "Votre adresse d'identité:" + +#: ../../mod/dfrn_request.php:847 +msgid "Submit Request" +msgstr "Envoyer la requête" + +#: ../../mod/dfrn_request.php:848 ../../mod/message.php:212 +#: ../../mod/editpost.php:148 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/photos.php:203 +#: ../../mod/photos.php:292 ../../mod/contacts.php:335 ../../mod/tagrm.php:11 +#: ../../mod/tagrm.php:94 ../../mod/settings.php:612 +#: ../../mod/settings.php:638 ../../mod/suggest.php:32 +#: ../../include/items.php:4423 ../../include/conversation.php:1129 +msgid "Cancel" +msgstr "Annuler" + +#: ../../mod/files.php:156 ../../mod/videos.php:301 +#: ../../include/text.php:1402 +msgid "View Video" +msgstr "Regarder la vidéo" + +#: ../../mod/profile.php:21 ../../boot.php:1432 +msgid "Requested profile is not available." +msgstr "Le profil demandé n'est pas disponible." + +#: ../../mod/profile.php:155 ../../mod/display.php:288 +msgid "Access to this profile has been restricted." +msgstr "L'accès au profil a été restreint." + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Conseils aux nouveaux venus" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "Identifiant de demande invalide." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "Rejeter" + +#: ../../mod/notifications.php:51 ../../mod/notifications.php:164 +#: ../../mod/notifications.php:210 ../../mod/contacts.php:443 +#: ../../mod/contacts.php:497 ../../mod/contacts.php:707 +msgid "Ignore" +msgstr "Ignorer" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "Système" + +#: ../../mod/notifications.php:83 ../../include/nav.php:143 +msgid "Network" +msgstr "Réseau" + +#: ../../mod/notifications.php:88 ../../mod/network.php:365 +msgid "Personal" +msgstr "Personnel" + +#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:123 +#: ../../include/nav.php:105 ../../include/nav.php:146 msgid "Home" -msgstr "Inici" +msgstr "Profil" -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "Els teus anuncis i converses" +#: ../../mod/notifications.php:98 ../../include/nav.php:152 +msgid "Introductions" +msgstr "Introductions" -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2070 -#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 -#: ../../include/nav.php:77 ../../mod/profperm.php:103 -#: ../../mod/newmember.php:32 -msgid "Profile" -msgstr "Perfil" +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Voir les demandes ignorées" -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "La seva pàgina de perfil" +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Cacher les demandes ignorées" -#: ../../view/theme/diabook/theme.php:125 ../../include/nav.php:175 -#: ../../mod/contacts.php:694 -msgid "Contacts" -msgstr "Contactes" +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "Type de notification: " -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "Els teus contactes" +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "Suggestion d'amitié/contact" -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2077 -#: ../../include/nav.php:78 ../../mod/fbrowser.php:25 -msgid "Photos" -msgstr "Fotos" +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "suggéré(e) par %s" -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Les seves fotos" +#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 +#: ../../mod/contacts.php:503 +msgid "Hide this contact from others" +msgstr "Cacher ce contact aux autres" -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2094 -#: ../../include/nav.php:80 ../../mod/events.php:370 -msgid "Events" -msgstr "Esdeveniments" +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "Poster une nouvelle avtivité d'ami" -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "Els seus esdeveniments" +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "si possible" -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" -msgstr "Notes personals" +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:968 +msgid "Approve" +msgstr "Approuver" -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Les seves fotos personals" +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "Prétend que vous le connaissez: " -#: ../../view/theme/diabook/theme.php:129 ../../include/nav.php:129 -#: ../../mod/community.php:32 -msgid "Community" -msgstr "Comunitat" +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "oui" -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1964 -msgid "event" -msgstr "esdeveniment" +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "non" -#: ../../view/theme/diabook/theme.php:466 +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "Approuver en tant que: " + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "Ami" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "Initiateur du partage" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "Fan/Admirateur" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "Demande de connexion/relation" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "Nouvel abonné" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "Aucune demande d'introduction." + +#: ../../mod/notifications.php:220 ../../include/nav.php:153 +msgid "Notifications" +msgstr "Notifications" + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "%s a aimé la publication de %s" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "%s n'a pas aimé la publication de %s" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s est désormais ami(e) avec %s" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "%s a créé une nouvelle publication" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s a commenté la publication de %s" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "Aucune notification du réseau." + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "Notifications du réseau" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "Pas plus de notifications système." + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "Notifications du système" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "Aucun notification personnelle." + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "Notifications personnelles" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "Aucune notification de la page d'accueil." + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "Notifications de page d'accueil" + +#: ../../mod/like.php:149 ../../mod/tagger.php:62 ../../mod/subthread.php:87 +#: ../../view/theme/diabook/theme.php:471 ../../include/text.php:1965 +#: ../../include/diaspora.php:1919 ../../include/conversation.php:126 +#: ../../include/conversation.php:254 +msgid "photo" +msgstr "photo" + +#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/tagger.php:62 +#: ../../mod/subthread.php:87 ../../view/theme/diabook/theme.php:466 #: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 #: ../../include/conversation.php:121 ../../include/conversation.php:130 #: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../mod/tagger.php:62 msgid "status" -msgstr "estatus" +msgstr "le statut" -#: ../../view/theme/diabook/theme.php:471 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1966 ../../mod/like.php:149 -#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 -msgid "photo" -msgstr "foto" - -#: ../../view/theme/diabook/theme.php:480 ../../include/diaspora.php:1935 -#: ../../include/conversation.php:137 ../../mod/like.php:166 +#: ../../mod/like.php:166 ../../view/theme/diabook/theme.php:480 +#: ../../include/diaspora.php:1935 ../../include/conversation.php:137 #, php-format msgid "%1$s likes %2$s's %3$s" -msgstr "a %1$s agrada %2$s de %3$s" +msgstr "%1$s aime %3$s de %2$s" -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s n'aime pas %3$s de %2$s" + +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "Erreur de protocole OpenID. Pas d'ID en retour." + +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "Compte introuvable, et l'inscription OpenID n'est pas autorisée sur ce site." + +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "Échec de connexion." + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Texte source (bbcode) :" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Texte source (Diaspora) à convertir en BBcode :" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Source input: " + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (HTML brut)" + +#: ../../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 "Texte source (format Diaspora) :" + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb :" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Réglages du thème sauvés." + +#: ../../mod/admin.php:104 ../../mod/admin.php:589 +msgid "Site" +msgstr "Site" + +#: ../../mod/admin.php:105 ../../mod/admin.php:961 ../../mod/admin.php:976 +msgid "Users" +msgstr "Utilisateurs" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1065 ../../mod/admin.php:1118 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "Extensions" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1286 ../../mod/admin.php:1320 +msgid "Themes" +msgstr "Thèmes" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "Mise-à-jour de la base" + +#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1407 +msgid "Logs" +msgstr "Journaux" + +#: ../../mod/admin.php:128 ../../include/nav.php:182 +msgid "Admin" +msgstr "Admin" + +#: ../../mod/admin.php:129 +msgid "Plugin Features" +msgstr "Propriétés des extensions" + +#: ../../mod/admin.php:131 +msgid "User registrations waiting for confirmation" +msgstr "Inscriptions en attente de confirmation" + +#: ../../mod/admin.php:166 ../../mod/admin.php:1015 ../../mod/admin.php:1228 +#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 +#: ../../mod/display.php:459 ../../mod/viewsrc.php:15 +#: ../../include/items.php:4379 +msgid "Item not found." +msgstr "Élément introuvable." + +#: ../../mod/admin.php:190 ../../mod/admin.php:915 +msgid "Normal Account" +msgstr "Compte normal" + +#: ../../mod/admin.php:191 ../../mod/admin.php:916 +msgid "Soapbox Account" +msgstr "Compte \"boîte à savon\"" + +#: ../../mod/admin.php:192 ../../mod/admin.php:917 +msgid "Community/Celebrity Account" +msgstr "Compte de communauté/célébrité" + +#: ../../mod/admin.php:193 ../../mod/admin.php:918 +msgid "Automatic Friend Account" +msgstr "Compte auto-amical" + +#: ../../mod/admin.php:194 +msgid "Blog Account" +msgstr "Compte de blog" + +#: ../../mod/admin.php:195 +msgid "Private Forum" +msgstr "Forum privé" + +#: ../../mod/admin.php:214 +msgid "Message queues" +msgstr "Files d'attente des messages" + +#: ../../mod/admin.php:219 ../../mod/admin.php:588 ../../mod/admin.php:960 +#: ../../mod/admin.php:1064 ../../mod/admin.php:1117 ../../mod/admin.php:1285 +#: ../../mod/admin.php:1319 ../../mod/admin.php:1406 +msgid "Administration" +msgstr "Administration" + +#: ../../mod/admin.php:220 +msgid "Summary" +msgstr "Résumé" + +#: ../../mod/admin.php:222 +msgid "Registered users" +msgstr "Utilisateurs inscrits" + +#: ../../mod/admin.php:224 +msgid "Pending registrations" +msgstr "Inscriptions en attente" + +#: ../../mod/admin.php:225 +msgid "Version" +msgstr "Versio" + +#: ../../mod/admin.php:229 +msgid "Active plugins" +msgstr "Extensions activés" + +#: ../../mod/admin.php:252 +msgid "Can not parse base url. Must have at least ://" +msgstr "Impossible d'analyser l'URL de base. Doit contenir au moins ://" + +#: ../../mod/admin.php:496 +msgid "Site settings updated." +msgstr "Réglages du site mis-à-jour." + +#: ../../mod/admin.php:525 ../../mod/settings.php:825 +msgid "No special theme for mobile devices" +msgstr "Pas de thème particulier pour les terminaux mobiles" + +#: ../../mod/admin.php:542 ../../mod/contacts.php:414 +msgid "Never" +msgstr "Jamais" + +#: ../../mod/admin.php:543 +msgid "At post arrival" +msgstr "A l'arrivé d'une publication" + +#: ../../mod/admin.php:544 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "Fréquemment" + +#: ../../mod/admin.php:545 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "Toutes les heures" + +#: ../../mod/admin.php:546 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "Deux fois par jour" + +#: ../../mod/admin.php:547 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "Chaque jour" + +#: ../../mod/admin.php:552 +msgid "Multi user instance" +msgstr "Instance multi-utilisateurs" + +#: ../../mod/admin.php:575 +msgid "Closed" +msgstr "Fermé" + +#: ../../mod/admin.php:576 +msgid "Requires approval" +msgstr "Demande une apptrobation" + +#: ../../mod/admin.php:577 +msgid "Open" +msgstr "Ouvert" + +#: ../../mod/admin.php:581 +msgid "No SSL policy, links will track page SSL state" +msgstr "Pas de politique SSL, le liens conserveront l'état SSL de la page" + +#: ../../mod/admin.php:582 +msgid "Force all links to use SSL" +msgstr "Forcer tous les liens à utiliser SSL" + +#: ../../mod/admin.php:583 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Certificat auto-signé, n'utiliser SSL que pour les liens locaux (non recommandé)" + +#: ../../mod/admin.php:590 ../../mod/admin.php:1119 ../../mod/admin.php:1321 +#: ../../mod/admin.php:1408 ../../mod/settings.php:611 +#: ../../mod/settings.php:721 ../../mod/settings.php:795 +#: ../../mod/settings.php:877 ../../mod/settings.php:1110 +msgid "Save Settings" +msgstr "Sauvegarder les paramétres" + +#: ../../mod/admin.php:591 ../../mod/register.php:255 +msgid "Registration" +msgstr "Inscription" + +#: ../../mod/admin.php:592 +msgid "File upload" +msgstr "Téléversement de fichier" + +#: ../../mod/admin.php:593 +msgid "Policies" +msgstr "Politiques" + +#: ../../mod/admin.php:594 +msgid "Advanced" +msgstr "Avancé" + +#: ../../mod/admin.php:595 +msgid "Performance" +msgstr "Performance" + +#: ../../mod/admin.php:596 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Relocalisation - ATTENTION: fonction avancée. Peut rendre ce serveur inaccessible." + +#: ../../mod/admin.php:599 +msgid "Site name" +msgstr "Nom du site" + +#: ../../mod/admin.php:600 +msgid "Banner/Logo" +msgstr "Bannière/Logo" + +#: ../../mod/admin.php:601 +msgid "Additional Info" +msgstr "Informations supplémentaires" + +#: ../../mod/admin.php:601 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Pour les serveurs publics vous pouvez ajouter ici des informations supplémentaires qui seront listées sur dir.friendica.com/siteinfo." + +#: ../../mod/admin.php:602 +msgid "System language" +msgstr "Langue du système" + +#: ../../mod/admin.php:603 +msgid "System theme" +msgstr "Thème du système" + +#: ../../mod/admin.php:603 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Thème par défaut sur ce site - peut être changé au niveau du profile utilisateur - changer les réglages du thème" + +#: ../../mod/admin.php:604 +msgid "Mobile system theme" +msgstr "Thème mobile" + +#: ../../mod/admin.php:604 +msgid "Theme for mobile devices" +msgstr "Thème pour les terminaux mobiles" + +#: ../../mod/admin.php:605 +msgid "SSL link policy" +msgstr "Politique SSL pour les liens" + +#: ../../mod/admin.php:605 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Détermine si les liens générés doivent forcer l'utilisation de SSL" + +#: ../../mod/admin.php:606 +msgid "Old style 'Share'" +msgstr "Anciens style 'Partage'" + +#: ../../mod/admin.php:606 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Désactive l'élément 'partage' de bbcode pour répéter les articles." + +#: ../../mod/admin.php:607 +msgid "Hide help entry from navigation menu" +msgstr "Cacher l'aide du menu de navigation" + +#: ../../mod/admin.php:607 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Cacher du menu de navigation le l'entrée des vers les pages d'aide. Vous pouvez toujours y accéder en tapant directement /help." + +#: ../../mod/admin.php:608 +msgid "Single user instance" +msgstr "Instance mono-utilisateur" + +#: ../../mod/admin.php:608 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Transformer cette en instance en multi-utilisateur ou mono-utilisateur pour cet l'utilisateur." + +#: ../../mod/admin.php:609 +msgid "Maximum image size" +msgstr "Taille maximale des images" + +#: ../../mod/admin.php:609 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Taille maximale des images envoyées (en octets). 0 par défaut, c'est à dire \"aucune limite\"." + +#: ../../mod/admin.php:610 +msgid "Maximum image length" +msgstr "Longueur maximale des images" + +#: ../../mod/admin.php:610 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Longueur maximale (en pixels) du plus long côté des images téléversées. La valeur par défaut est -1, soit une absence de limite." + +#: ../../mod/admin.php:611 +msgid "JPEG image quality" +msgstr "Qualité JPEG des images" + +#: ../../mod/admin.php:611 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Les JPEGs téléversés seront sauvegardés avec ce niveau de qualité [0-100]. La valeur par défaut est 100, soit la qualité maximale." + +#: ../../mod/admin.php:613 +msgid "Register policy" +msgstr "Politique d'inscription" + +#: ../../mod/admin.php:614 +msgid "Maximum Daily Registrations" +msgstr "Inscriptions maximum par jour" + +#: ../../mod/admin.php:614 +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 "Si les inscriptions sont permises ci-dessus, ceci fixe le nombre maximum d'inscriptions de nouveaux utilisateurs acceptées par jour. Si les inscriptions ne sont pas ouvertes, ce paramètre n'a aucun effet." + +#: ../../mod/admin.php:615 +msgid "Register text" +msgstr "Texte d'inscription" + +#: ../../mod/admin.php:615 +msgid "Will be displayed prominently on the registration page." +msgstr "Sera affiché de manière bien visible sur la page d'accueil." + +#: ../../mod/admin.php:616 +msgid "Accounts abandoned after x days" +msgstr "Les comptes sont abandonnés après x jours" + +#: ../../mod/admin.php:616 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Pour ne pas gaspiller les ressources système, on cesse d'interroger les sites distants pour les comptes abandonnés. Mettre 0 pour désactiver cette fonction." + +#: ../../mod/admin.php:617 +msgid "Allowed friend domains" +msgstr "Domaines autorisés" + +#: ../../mod/admin.php:617 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Une liste de domaines, séparés par des virgules, autorisés à établir des relations avec les utilisateurs de ce site. Les '*' sont acceptés. Laissez vide pour autoriser tous les domaines" + +#: ../../mod/admin.php:618 +msgid "Allowed email domains" +msgstr "Domaines courriel autorisés" + +#: ../../mod/admin.php:618 +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 "Liste de domaines - séparés par des virgules - dont les adresses e-mail sont autorisées à s'inscrire sur ce site. Les '*' sont acceptées. Laissez vide pour autoriser tous les domaines" + +#: ../../mod/admin.php:619 +msgid "Block public" +msgstr "Interdire la publication globale" + +#: ../../mod/admin.php:619 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Cocher pour bloquer les accès anonymes (non-connectés) à tout sauf aux pages personnelles publiques." + +#: ../../mod/admin.php:620 +msgid "Force publish" +msgstr "Forcer la publication globale" + +#: ../../mod/admin.php:620 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Cocher pour publier obligatoirement tous les profils locaux dans l'annuaire du site." + +#: ../../mod/admin.php:621 +msgid "Global directory update URL" +msgstr "URL de mise-à-jour de l'annuaire global" + +#: ../../mod/admin.php:621 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL de mise-à-jour de l'annuaire global. Si vide, l'annuaire global sera complètement indisponible." + +#: ../../mod/admin.php:622 +msgid "Allow threaded items" +msgstr "autoriser le suivi des éléments par fil conducteur" + +#: ../../mod/admin.php:622 +msgid "Allow infinite level threading for items on this site." +msgstr "Permettre une imbrication infinie des commentaires." + +#: ../../mod/admin.php:623 +msgid "Private posts by default for new users" +msgstr "Publications privées par défaut pour les nouveaux utilisateurs" + +#: ../../mod/admin.php:623 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Rendre les publications de tous les nouveaux utilisateurs accessibles seulement par le groupe de contacts par défaut, et non par tout le monde." + +#: ../../mod/admin.php:624 +msgid "Don't include post content in email notifications" +msgstr "Ne pas inclure le contenu posté dans l'e-mail de notification" + +#: ../../mod/admin.php:624 +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 "Ne pas inclure le contenu de publication/commentaire/message privé/etc dans l'e-mail de notification qui est envoyé à partir du site, par mesure de confidentialité." + +#: ../../mod/admin.php:625 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Interdire l’accès public pour les greffons listées dans le menu apps." + +#: ../../mod/admin.php:625 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Cocher cette case restreint la liste des greffons dans le menu des applications seulement aux membres." + +#: ../../mod/admin.php:626 +msgid "Don't embed private images in posts" +msgstr "Ne pas miniaturiser les images privées dans les publications" + +#: ../../mod/admin.php:626 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Ne remplacez pas les images privées hébergées localement dans les publications avec une image attaché en copie, car cela signifie que le contact qui reçoit les publications contenant ces photos privées devra s’authentifier pour charger chaque image, ce qui peut prendre du temps." + +#: ../../mod/admin.php:627 +msgid "Allow Users to set remote_self" +msgstr "Autoriser les utilisateurs à définir remote_self" + +#: ../../mod/admin.php:627 +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 "Cocher cette case, permet à chaque utilisateur de marquer chaque contact comme un remote_self dans la boîte de dialogue de réparation des contacts. Activer cette fonction à un contact engendre la réplique de toutes les publications d'un contact dans le flux d'activités des utilisateurs." + +#: ../../mod/admin.php:628 +msgid "Block multiple registrations" +msgstr "Interdire les inscriptions multiples" + +#: ../../mod/admin.php:628 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Ne pas permettre l'inscription de comptes multiples comme des pages." + +#: ../../mod/admin.php:629 +msgid "OpenID support" +msgstr "Support OpenID" + +#: ../../mod/admin.php:629 +msgid "OpenID support for registration and logins." +msgstr "Supporter OpenID pour les inscriptions et connexions." + +#: ../../mod/admin.php:630 +msgid "Fullname check" +msgstr "Vérification du \"Prénom Nom\"" + +#: ../../mod/admin.php:630 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Imposer l'utilisation d'un espace entre le prénom et le nom (dans le Nom complet), pour limiter les abus" + +#: ../../mod/admin.php:631 +msgid "UTF-8 Regular expressions" +msgstr "Regex UTF-8" + +#: ../../mod/admin.php:631 +msgid "Use PHP UTF8 regular expressions" +msgstr "Utiliser les expressions rationnelles de PHP en UTF8" + +#: ../../mod/admin.php:632 +msgid "Show Community Page" +msgstr "Montrer la \"Place publique\"" + +#: ../../mod/admin.php:632 +msgid "" +"Display a Community page showing all recent public postings on this site." +msgstr "Afficher une page Communauté avec toutes les publications publiques récentes du site." + +#: ../../mod/admin.php:633 +msgid "Enable OStatus support" +msgstr "Activer le support d'OStatus" + +#: ../../mod/admin.php:633 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Fourni nativement la compatibilité avec OStatus (StatusNet, GNU Social etc.). Touts les communications utilisant OStatus sont public, des avertissements liés à la vie privée seront affichés si utile." + +#: ../../mod/admin.php:634 +msgid "OStatus conversation completion interval" +msgstr "" + +#: ../../mod/admin.php:634 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "" + +#: ../../mod/admin.php:635 +msgid "Enable Diaspora support" +msgstr "Activer le support de Diaspora" + +#: ../../mod/admin.php:635 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Fournir une compatibilité Diaspora intégrée." + +#: ../../mod/admin.php:636 +msgid "Only allow Friendica contacts" +msgstr "N'autoriser que les contacts Friendica" + +#: ../../mod/admin.php:636 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Tous les contacts doivent utiliser les protocoles de Friendica. Tous les autres protocoles de communication intégrés sont désactivés." + +#: ../../mod/admin.php:637 +msgid "Verify SSL" +msgstr "Vérifier SSL" + +#: ../../mod/admin.php:637 +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 "Si vous le souhaitez, vous pouvez activier la vérification stricte des certificats. Cela signifie que vous ne pourrez pas vous connecter (du tout) aux sites SSL munis d'un certificat auto-signé." + +#: ../../mod/admin.php:638 +msgid "Proxy user" +msgstr "Utilisateur du proxy" + +#: ../../mod/admin.php:639 +msgid "Proxy URL" +msgstr "URL du proxy" + +#: ../../mod/admin.php:640 +msgid "Network timeout" +msgstr "Dépassement du délai d'attente du réseau" + +#: ../../mod/admin.php:640 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Valeur en secondes. Mettre à 0 pour 'illimité' (pas recommandé)." + +#: ../../mod/admin.php:641 +msgid "Delivery interval" +msgstr "Intervalle de transmission" + +#: ../../mod/admin.php:641 +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 "Rallonge le processus de transmissions pour réduire la charge système (en secondes). Valeurs recommandées : 4-5 pour les serveurs mutualisés, 2-3 pour les VPS, 0-1 pour les gros servers dédiés." + +#: ../../mod/admin.php:642 +msgid "Poll interval" +msgstr "Intervalle de réception" + +#: ../../mod/admin.php:642 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Rajouter un délai - en secondes - au processus de 'polling', afin de réduire la charge système. Mettre à 0 pour utiliser l'intervalle d'émission." + +#: ../../mod/admin.php:643 +msgid "Maximum Load Average" +msgstr "Plafond de la charge moyenne" + +#: ../../mod/admin.php:643 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Charge système maximale à partir de laquelle l'émission et la réception seront soumises à un délai supplémentaire. Par défaut, 50." + +#: ../../mod/admin.php:645 +msgid "Use MySQL full text engine" +msgstr "Utiliser le moteur de recherche plein texte de MySQL" + +#: ../../mod/admin.php:645 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Activer le moteur de recherche plein texte. Accélère la recherche mais peut seulement rechercher quatre lettres ou plus." + +#: ../../mod/admin.php:646 +msgid "Suppress Language" +msgstr "Supprimer un langage" + +#: ../../mod/admin.php:646 +msgid "Suppress language information in meta information about a posting." +msgstr "Supprimer les informations de langue dans les métadonnées des publications." + +#: ../../mod/admin.php:647 +msgid "Path to item cache" +msgstr "Chemin vers le cache des objets." + +#: ../../mod/admin.php:648 +msgid "Cache duration in seconds" +msgstr "Durée du cache en secondes" + +#: ../../mod/admin.php:648 +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:649 +msgid "Maximum numbers of comments per post" +msgstr "Nombre maximum de commentaires par publication" + +#: ../../mod/admin.php:649 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Combien de commentaires doivent être affichés pour chaque publication? Valeur par défaut: 100." + +#: ../../mod/admin.php:650 +msgid "Path for lock file" +msgstr "Chemin vers le ficher de verrouillage" + +#: ../../mod/admin.php:651 +msgid "Temp path" +msgstr "Chemin des fichiers temporaires" + +#: ../../mod/admin.php:652 +msgid "Base path to installation" +msgstr "Chemin de base de l'installation" + +#: ../../mod/admin.php:653 +msgid "Disable picture proxy" +msgstr "" + +#: ../../mod/admin.php:653 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "" + +#: ../../mod/admin.php:655 +msgid "New base url" +msgstr "Nouvelle URL de base" + +#: ../../mod/admin.php:657 +msgid "Disable noscrape" +msgstr "" + +#: ../../mod/admin.php:657 +msgid "" +"The noscrape feature speeds up directory submissions by using JSON data " +"instead of HTML scraping. Disabling it will cause higher load on your server" +" and the directory server." +msgstr "" + +#: ../../mod/admin.php:674 +msgid "Update has been marked successful" +msgstr "Mise-à-jour validée comme 'réussie'" + +#: ../../mod/admin.php:682 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "" + +#: ../../mod/admin.php:685 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:697 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:700 +#, php-format +msgid "Update %s was successfully applied." +msgstr "Mise-à-jour %s appliquée avec succès." + +#: ../../mod/admin.php:704 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "La mise-à-jour %s n'a pas retourné de détails. Impossible de savoir si elle a réussi." + +#: ../../mod/admin.php:706 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "" + +#: ../../mod/admin.php:725 +msgid "No failed updates." +msgstr "Pas de mises-à-jour échouées." + +#: ../../mod/admin.php:726 +msgid "Check database structure" +msgstr "Vérifier la structure de la base de données" + +#: ../../mod/admin.php:731 +msgid "Failed Updates" +msgstr "Mises-à-jour échouées" + +#: ../../mod/admin.php:732 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Ceci n'inclut pas les versions antérieures à la 1139, qui ne retournaient jamais de détails." + +#: ../../mod/admin.php:733 +msgid "Mark success (if update was manually applied)" +msgstr "Marquer comme 'réussie' (dans le cas d'une mise-à-jour manuelle)" + +#: ../../mod/admin.php:734 +msgid "Attempt to execute this update step automatically" +msgstr "Tenter d'éxecuter cette étape automatiquement" + +#: ../../mod/admin.php:766 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\n\t\t\tChère/Cher %1$s,\n\t\t\t\tL’administrateur de %2$s vous a ouvert un compte." + +#: ../../mod/admin.php:769 +#, php-format +msgid "" +"\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." +msgstr "" + +#: ../../mod/admin.php:801 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "Détails d'inscription pour %s" + +#: ../../mod/admin.php:813 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s utilisateur a (dé)bloqué" +msgstr[1] "%s utilisateurs ont (dé)bloqué" + +#: ../../mod/admin.php:820 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s utilisateur supprimé" +msgstr[1] "%s utilisateurs supprimés" + +#: ../../mod/admin.php:859 +#, php-format +msgid "User '%s' deleted" +msgstr "Utilisateur '%s' supprimé" + +#: ../../mod/admin.php:867 +#, php-format +msgid "User '%s' unblocked" +msgstr "Utilisateur '%s' débloqué" + +#: ../../mod/admin.php:867 +#, php-format +msgid "User '%s' blocked" +msgstr "Utilisateur '%s' bloqué" + +#: ../../mod/admin.php:962 +msgid "Add User" +msgstr "Ajouter l'utilisateur" + +#: ../../mod/admin.php:963 +msgid "select all" +msgstr "tout sélectionner" + +#: ../../mod/admin.php:964 +msgid "User registrations waiting for confirm" +msgstr "Inscriptions d'utilisateurs en attente de confirmation" + +#: ../../mod/admin.php:965 +msgid "User waiting for permanent deletion" +msgstr "Utilisateur en attente de suppression définitive" + +#: ../../mod/admin.php:966 +msgid "Request date" +msgstr "Date de la demande" + +#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 +#: ../../mod/admin.php:992 ../../mod/settings.php:613 +#: ../../mod/settings.php:639 ../../mod/crepair.php:160 +msgid "Name" +msgstr "Nom" + +#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 +#: ../../mod/admin.php:994 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "Courriel" + +#: ../../mod/admin.php:967 +msgid "No registrations." +msgstr "Pas d'inscriptions." + +#: ../../mod/admin.php:969 +msgid "Deny" +msgstr "Rejetter" + +#: ../../mod/admin.php:971 ../../mod/contacts.php:437 +#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 +msgid "Block" +msgstr "Bloquer" + +#: ../../mod/admin.php:972 ../../mod/contacts.php:437 +#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 +msgid "Unblock" +msgstr "Débloquer" + +#: ../../mod/admin.php:973 +msgid "Site admin" +msgstr "Administration du Site" + +#: ../../mod/admin.php:974 +msgid "Account expired" +msgstr "Compte expiré" + +#: ../../mod/admin.php:977 +msgid "New User" +msgstr "Nouvel utilisateur" + +#: ../../mod/admin.php:978 ../../mod/admin.php:979 +msgid "Register date" +msgstr "Date d'inscription" + +#: ../../mod/admin.php:978 ../../mod/admin.php:979 +msgid "Last login" +msgstr "Dernière connexion" + +#: ../../mod/admin.php:978 ../../mod/admin.php:979 +msgid "Last item" +msgstr "Dernier élément" + +#: ../../mod/admin.php:978 +msgid "Deleted since" +msgstr "Supprimé depuis" + +#: ../../mod/admin.php:979 ../../mod/settings.php:36 +msgid "Account" +msgstr "Compte" + +#: ../../mod/admin.php:981 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Les utilisateurs sélectionnés vont être supprimés!\\n\\nTout ce qu'ils ont posté sur ce site sera définitivement effacé!\\n\\nÊtes-vous certain?" + +#: ../../mod/admin.php:982 +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 "L'utilisateur {0} va être supprimé!\\n\\nTout ce qu'il a posté sur ce site sera définitivement perdu!\\n\\nÊtes-vous certain?" + +#: ../../mod/admin.php:992 +msgid "Name of the new user." +msgstr "Nom du nouvel utilisateur." + +#: ../../mod/admin.php:993 +msgid "Nickname" +msgstr "Pseudo" + +#: ../../mod/admin.php:993 +msgid "Nickname of the new user." +msgstr "Pseudo du nouvel utilisateur." + +#: ../../mod/admin.php:994 +msgid "Email address of the new user." +msgstr "Adresse mail du nouvel utilisateur." + +#: ../../mod/admin.php:1027 +#, php-format +msgid "Plugin %s disabled." +msgstr "Extension %s désactivée." + +#: ../../mod/admin.php:1031 +#, php-format +msgid "Plugin %s enabled." +msgstr "Extension %s activée." + +#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 +msgid "Disable" +msgstr "Désactiver" + +#: ../../mod/admin.php:1043 ../../mod/admin.php:1259 +msgid "Enable" +msgstr "Activer" + +#: ../../mod/admin.php:1066 ../../mod/admin.php:1287 +msgid "Toggle" +msgstr "Activer/Désactiver" + +#: ../../mod/admin.php:1067 ../../mod/admin.php:1288 +#: ../../mod/newmember.php:22 ../../mod/settings.php:85 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 +msgid "Settings" +msgstr "Réglages" + +#: ../../mod/admin.php:1074 ../../mod/admin.php:1297 +msgid "Author: " +msgstr "Auteur: " + +#: ../../mod/admin.php:1075 ../../mod/admin.php:1298 +msgid "Maintainer: " +msgstr "Mainteneur: " + +#: ../../mod/admin.php:1217 +msgid "No themes found." +msgstr "Aucun thème trouvé." + +#: ../../mod/admin.php:1279 +msgid "Screenshot" +msgstr "Capture d'écran" + +#: ../../mod/admin.php:1325 +msgid "[Experimental]" +msgstr "[Expérimental]" + +#: ../../mod/admin.php:1326 +msgid "[Unsupported]" +msgstr "[Non supporté]" + +#: ../../mod/admin.php:1353 +msgid "Log settings updated." +msgstr "Réglages des journaux mis-à-jour." + +#: ../../mod/admin.php:1409 +msgid "Clear" +msgstr "Effacer" + +#: ../../mod/admin.php:1415 +msgid "Enable Debugging" +msgstr "Activer le déboggage" + +#: ../../mod/admin.php:1416 +msgid "Log file" +msgstr "Fichier de journaux" + +#: ../../mod/admin.php:1416 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Accès en écriture par le serveur web requis. Relatif à la racine de votre installation de Friendica." + +#: ../../mod/admin.php:1417 +msgid "Log level" +msgstr "Niveau de journalisaton" + +#: ../../mod/admin.php:1466 ../../mod/contacts.php:493 +msgid "Update now" +msgstr "Mettre à jour" + +#: ../../mod/admin.php:1467 +msgid "Close" +msgstr "Fermer" + +#: ../../mod/admin.php:1473 +msgid "FTP Host" +msgstr "Hôte FTP" + +#: ../../mod/admin.php:1474 +msgid "FTP Path" +msgstr "Chemin FTP" + +#: ../../mod/admin.php:1475 +msgid "FTP User" +msgstr "Utilisateur FTP" + +#: ../../mod/admin.php:1476 +msgid "FTP Password" +msgstr "Mot de passe FTP" + +#: ../../mod/message.php:9 ../../include/nav.php:162 +msgid "New Message" +msgstr "Nouveau message" + +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "Pas de destinataire sélectionné." + +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Impossible de localiser les informations du contact." + +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "Impossible d'envoyer le message." + +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "Récupération des messages infructueuse." + +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "Message envoyé." + +#: ../../mod/message.php:182 ../../include/nav.php:159 +msgid "Messages" +msgstr "Messages" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Voulez-vous vraiment supprimer ce message ?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Message supprimé." + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Conversation supprimée." + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "Entrez un lien web:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Envoyer un message privé" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "À:" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Sujet:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "Votre message:" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/editpost.php:110 ../../mod/wallmessage.php:154 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "Joindre photo" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/editpost.php:114 ../../mod/wallmessage.php:155 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "Insérer lien web" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Aucun message." + +#: ../../mod/message.php:378 +#, php-format +msgid "Unknown sender - %s" +msgstr "Émetteur inconnu - %s" + +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Vous et %s" + +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s et vous" + +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Effacer conversation" + +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D, d M Y - g:i A" + +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d message" +msgstr[1] "%d messages" + +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Message indisponible." + +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Effacer message" + +#: ../../mod/message.php:548 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Pas de communications sécurisées possibles. Vous serez peut-être en mesure de répondre depuis la page de profil de l'émetteur." + +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Répondre" + +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Élément introuvable" + +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Éditer la publication" + +#: ../../mod/editpost.php:109 ../../mod/filer.php:31 ../../mod/notes.php:63 +#: ../../include/text.php:955 +msgid "Save" +msgstr "Sauver" + +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "envoi image" + +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "Joindre fichier" + +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "ajout fichier" + +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "lien web" + +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "Insérer un lien video" + +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "lien vidéo" + +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "Insérer un lien audio" + +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "lien audio" + +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "Définir votre localisation" + +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "spéc. localisation" + +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "Effacer la localisation du navigateur" + +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "supp. localisation" + +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "Réglages des permissions" + +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "CC: adresses de courriel" + +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "Publication publique" + +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "Définir un titre" + +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "Catégories (séparées par des virgules)" + +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Exemple: bob@exemple.com, mary@exemple.com" + +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:162 +#: ../../mod/profiles.php:589 +msgid "Profile not found." +msgstr "Profil introuvable." + +#: ../../mod/dfrn_confirm.php:121 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Ceci peut se produire lorsque le contact a été requis par les deux personnes et a déjà été approuvé." + +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Réponse du site distant incomprise." + +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "Réponse inattendue du site distant: " + +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Confirmation achevée avec succès." + +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Alerte du site distant: " + +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Échec temporaire. Merci de recommencer ultérieurement." + +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "Introduction échouée ou annulée." + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Impossible de définir la photo du contact." + +#: ../../mod/dfrn_confirm.php:486 ../../include/diaspora.php:620 +#: ../../include/conversation.php:172 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s est désormais lié à %2$s" + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Pas d'utilisateur trouvé pour '%s' " + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "Notre clé de chiffrement de site est apparemment corrompue." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "URL de site absente ou indéchiffrable." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Pas d'entrée pour ce contact sur notre site." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "La clé publique du site ne se trouve pas dans l'enregistrement du contact pour l'URL %s." + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "L'identifiant fourni par votre système fait doublon sur le notre. Cela peut fonctionner si vous réessayez." + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Impossible de vous définir des permissions sur notre système." + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Impossible de mettre les détails de votre profil à jour sur notre système" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s a rejoint %2$s" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Vous devez donner un nom et un horaire de début à l'événement." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l, F j" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Editer l'événement" + +#: ../../mod/events.php:335 ../../include/text.php:1644 +#: ../../include/text.php:1654 +msgid "link to source" +msgstr "lien original" + +#: ../../mod/events.php:370 ../../view/theme/diabook/theme.php:127 +#: ../../boot.php:2114 ../../include/nav.php:80 +msgid "Events" +msgstr "Événements" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Créer un nouvel événement" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Précédent" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Suivant" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "heures:minutes" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Détails de l'événement" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Le format est %s %s. La date de début et le nom sont nécessaires." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "Début de l'événement:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Requis" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "Date/heure de fin inconnue ou sans objet" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "Fin de l'événement:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "Ajuster à la zone horaire du visiteur" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Description:" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1622 +#: ../../include/event.php:40 ../../include/bb2diaspora.php:156 +msgid "Location:" +msgstr "Localisation:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Titre :" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Partager cet événement" + +#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:126 +#: ../../boot.php:2097 ../../include/nav.php:78 +msgid "Photos" +msgstr "Photos" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "Fichiers" + +#: ../../mod/home.php:35 +#, php-format +msgid "Welcome to %s" +msgstr "Bienvenue sur %s" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Informations de confidentialité indisponibles." + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Visible par:" + +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Nombre de messages de mur quotidiens pour %s dépassé. Échec du message." + +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "Impossible de vérifier votre localisation." + +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Pas de destinataire." + +#: ../../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 "Si vous souhaitez que %s réponde, merci de vérifier vos réglages pour autoriser les messages privés venant d'inconnus." + +#: ../../mod/nogroup.php:40 ../../mod/contacts.php:479 +#: ../../mod/contacts.php:671 ../../mod/viewcontacts.php:62 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Visiter le profil de %s [%s]" + +#: ../../mod/nogroup.php:41 ../../mod/contacts.php:672 +msgid "Edit contact" +msgstr "Éditer le contact" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Contacts qui n’appartiennent à aucun groupe" + +#: ../../mod/friendica.php:62 +msgid "This is Friendica, version" +msgstr "Motorisé par Friendica version" + +#: ../../mod/friendica.php:63 +msgid "running at web location" +msgstr "hébergé sur" + +#: ../../mod/friendica.php:65 +msgid "" +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Merci de vous rendre sur Friendica.com si vous souhaitez en savoir plus sur le projet Friendica." + +#: ../../mod/friendica.php:67 +msgid "Bug reports and issues: please visit" +msgstr "Pour les rapports de bugs: rendez vous sur" + +#: ../../mod/friendica.php:68 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Suggestions, remerciements, donations, etc. - écrivez à \"Info\" arob. Friendica - point com" + +#: ../../mod/friendica.php:82 +msgid "Installed plugins/addons/apps:" +msgstr "Extensions/greffons/applications installées:" + +#: ../../mod/friendica.php:95 +msgid "No installed plugins/addons/apps" +msgstr "Extensions/greffons/applications non installées:" + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Supprimer mon compte" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Ceci supprimera totalement votre compte. Cette opération est irréversible." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Merci de saisir votre mot de passe pour vérification:" + +#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "L'image dépasse la taille limite de %d" + +#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 +#: ../../mod/profile_photo.php:153 +msgid "Unable to process image." +msgstr "Impossible de traiter l'image." + +#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 +#: ../../mod/wall_upload.php:185 ../../mod/item.php:465 +#: ../../include/message.php:144 ../../include/Photo.php:911 +#: ../../include/Photo.php:926 ../../include/Photo.php:933 +#: ../../include/Photo.php:955 +msgid "Wall Photos" +msgstr "Photos du mur" + +#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 +#: ../../mod/profile_photo.php:301 +msgid "Image upload failed." +msgstr "Le téléversement de l'image a échoué." + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Autoriser l'application à se connecter" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Retournez à votre application et saisissez ce Code de Sécurité : " + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Merci de vous connecter pour continuer." + +#: ../../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 "Voulez-vous autoriser cette application à accéder à vos publications et contacts, et/ou à créer des billets à votre place?" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s a étiqueté %3$s de %2$s avec %4$s" + +#: ../../mod/photos.php:52 ../../boot.php:2100 +msgid "Photo Albums" +msgstr "Albums photo" + +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 #: ../../mod/photos.php:1189 ../../mod/photos.php:1212 #: ../../mod/photos.php:1758 ../../mod/photos.php:1770 +#: ../../view/theme/diabook/theme.php:499 msgid "Contact Photos" -msgstr "Fotos de Contacte" +msgstr "Photos du contact" + +#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 +msgid "Upload New Photos" +msgstr "Téléverser de nouvelles photos" + +#: ../../mod/photos.php:80 ../../mod/settings.php:29 +msgid "everybody" +msgstr "tout le monde" + +#: ../../mod/photos.php:144 +msgid "Contact information unavailable" +msgstr "Informations de contact indisponibles" -#: ../../view/theme/diabook/theme.php:500 ../../include/user.php:335 -#: ../../include/user.php:342 ../../include/user.php:349 #: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 #: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 #: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 #: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 +#: ../../mod/profile_photo.php:305 ../../view/theme/diabook/theme.php:500 +#: ../../include/user.php:335 ../../include/user.php:342 +#: ../../include/user.php:349 msgid "Profile Photos" -msgstr "Fotos del Perfil" +msgstr "Photos du profil" + +#: ../../mod/photos.php:165 +msgid "Album not found." +msgstr "Album introuvable." + +#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 +msgid "Delete Album" +msgstr "Effacer l'album" + +#: ../../mod/photos.php:198 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Voulez-vous vraiment supprimer cet album photo et toutes ses photos ?" + +#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 +msgid "Delete Photo" +msgstr "Effacer la photo" + +#: ../../mod/photos.php:287 +msgid "Do you really want to delete this photo?" +msgstr "Voulez-vous vraiment supprimer cette photo ?" + +#: ../../mod/photos.php:662 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s a été étiqueté dans %2$s par %3$s" + +#: ../../mod/photos.php:662 +msgid "a photo" +msgstr "une photo" + +#: ../../mod/photos.php:767 +msgid "Image exceeds size limit of " +msgstr "L'image dépasse la taille maximale de " + +#: ../../mod/photos.php:775 +msgid "Image file is empty." +msgstr "Fichier image vide." + +#: ../../mod/photos.php:930 +msgid "No photos selected" +msgstr "Aucune photo sélectionnée" + +#: ../../mod/photos.php:1031 ../../mod/videos.php:226 +msgid "Access to this item is restricted." +msgstr "Accès restreint à cet élément." + +#: ../../mod/photos.php:1094 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "Vous avez utilisé %1$.2f Mo sur %2$.2f d'espace de stockage pour les photos." + +#: ../../mod/photos.php:1129 +msgid "Upload Photos" +msgstr "Téléverser des photos" + +#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 +msgid "New album name: " +msgstr "Nom du nouvel album: " + +#: ../../mod/photos.php:1134 +msgid "or existing album name: " +msgstr "ou nom d'un album existant: " + +#: ../../mod/photos.php:1135 +msgid "Do not show a status post for this upload" +msgstr "Ne pas publier de notice de statut pour cet envoi" + +#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 +msgid "Permissions" +msgstr "Permissions" + +#: ../../mod/photos.php:1146 ../../mod/photos.php:1517 +#: ../../mod/settings.php:1145 +msgid "Show to Groups" +msgstr "Montrer aux groupes" + +#: ../../mod/photos.php:1147 ../../mod/photos.php:1518 +#: ../../mod/settings.php:1146 +msgid "Show to Contacts" +msgstr "Montrer aux Contacts" + +#: ../../mod/photos.php:1148 +msgid "Private Photo" +msgstr "Photo privée" + +#: ../../mod/photos.php:1149 +msgid "Public Photo" +msgstr "Photo publique" + +#: ../../mod/photos.php:1216 +msgid "Edit Album" +msgstr "Éditer l'album" + +#: ../../mod/photos.php:1222 +msgid "Show Newest First" +msgstr "Plus récent d'abord" + +#: ../../mod/photos.php:1224 +msgid "Show Oldest First" +msgstr "Plus ancien d'abord" + +#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 +msgid "View Photo" +msgstr "Voir la photo" + +#: ../../mod/photos.php:1292 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Interdit. L'accès à cet élément peut avoir été restreint." + +#: ../../mod/photos.php:1294 +msgid "Photo not available" +msgstr "Photo indisponible" + +#: ../../mod/photos.php:1350 +msgid "View photo" +msgstr "Voir photo" + +#: ../../mod/photos.php:1350 +msgid "Edit photo" +msgstr "Éditer la photo" + +#: ../../mod/photos.php:1351 +msgid "Use as profile photo" +msgstr "Utiliser comme photo de profil" + +#: ../../mod/photos.php:1376 +msgid "View Full Size" +msgstr "Voir en taille réelle" + +#: ../../mod/photos.php:1455 +msgid "Tags: " +msgstr "Étiquettes:" + +#: ../../mod/photos.php:1458 +msgid "[Remove any tag]" +msgstr "[Retirer toutes les étiquettes]" + +#: ../../mod/photos.php:1498 +msgid "Rotate CW (right)" +msgstr "Tourner dans le sens des aiguilles d'une montre (vers la droite)" + +#: ../../mod/photos.php:1499 +msgid "Rotate CCW (left)" +msgstr "Tourner dans le sens contraire des aiguilles d'une montre (vers la gauche)" + +#: ../../mod/photos.php:1501 +msgid "New album name" +msgstr "Nom du nouvel album" + +#: ../../mod/photos.php:1504 +msgid "Caption" +msgstr "Titre" + +#: ../../mod/photos.php:1506 +msgid "Add a Tag" +msgstr "Ajouter une étiquette" + +#: ../../mod/photos.php:1510 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Exemples: @bob, @Barbara_Jensen, @jim@example.com, #Californie, #vacances" + +#: ../../mod/photos.php:1519 +msgid "Private photo" +msgstr "Photo privée" + +#: ../../mod/photos.php:1520 +msgid "Public photo" +msgstr "Photo publique" + +#: ../../mod/photos.php:1542 ../../include/conversation.php:1090 +msgid "Share" +msgstr "Partager" + +#: ../../mod/photos.php:1806 ../../mod/videos.php:308 +msgid "View Album" +msgstr "Voir l'album" + +#: ../../mod/photos.php:1815 +msgid "Recent Photos" +msgstr "Photos récentes" + +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Aucun profil" + +#: ../../mod/register.php:90 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Inscription réussie. Vérifiez vos emails pour la suite des instructions." + +#: ../../mod/register.php:96 +#, 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 +msgid "Your registration can not be processed." +msgstr "Votre inscription ne peut être traitée." + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "Votre inscription attend une validation du propriétaire du site." + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Le nombre d'inscriptions quotidiennes pour ce site a été dépassé. Merci de réessayer demain." + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Vous pouvez (si vous le souhaitez) remplir ce formulaire via OpenID. Fournissez votre OpenID et cliquez \"S'inscrire\"." + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Si vous n'êtes pas familier avec OpenID, laissez ce champ vide et remplissez le reste." + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "Votre OpenID (facultatif): " + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "Inclure votre profil dans l'annuaire des membres?" + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "L'inscription à ce site se fait uniquement sur invitation." + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "Votre ID d'invitation: " + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Votre nom complet (p.ex. Michel Dupont): " + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "Votre adresse courriel: " + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Choisissez un pseudo. Celui devra commencer par une lettre. L'adresse de votre profil en découlera sous la forme '<strong>pseudo@$sitename</strong>'." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "Choisir un pseudo: " + +#: ../../mod/register.php:269 ../../boot.php:1215 ../../include/nav.php:109 +msgid "Register" +msgstr "S'inscrire" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Importer" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "Importer votre profile dans cette instance de friendica" + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Impossible de trouver un compte valide." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "Réinitialisation du mot de passe en cours. Vérifiez votre courriel." + +#: ../../mod/lostpass.php:42 +#, 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:53 +#, 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:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Requête de réinitialisation de mot de passe à %s" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Impossible d'honorer cette demande. (Vous l'avez peut-être déjà utilisée par le passé.) La réinitialisation a échoué." + +#: ../../mod/lostpass.php:109 ../../boot.php:1254 +msgid "Password Reset" +msgstr "Réinitialiser le mot de passe" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "Votre mot de passe a bien été réinitialisé." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "Votre nouveau mot de passe est " + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Sauvez ou copiez ce nouveau mot de passe - puis" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "cliquez ici pour vous connecter" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Votre mot de passe peut être changé depuis la page <em>Réglages</em>, une fois que vous serez connecté." + +#: ../../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 "Votre mot de passe a été modifié à %s" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Mot de passe oublié?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Entrez votre adresse de courriel et validez pour réinitialiser votre mot de passe. Vous recevrez la suite des instructions par courriel." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Pseudo ou Courriel: " + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Réinitialiser" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "Système indisponible pour cause de maintenance" + +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Elément non disponible." + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Element introuvable." + +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Applications" + +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Pas d'application installée." + +#: ../../mod/help.php:79 +msgid "Help:" +msgstr "Aide:" + +#: ../../mod/help.php:84 ../../include/nav.php:114 +msgid "Help" +msgstr "Aide" + +#: ../../mod/contacts.php:107 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited" +msgstr[0] "%d contact édité" +msgstr[1] "%d contacts édités." + +#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 +msgid "Could not access contact record." +msgstr "Impossible d'accéder à l'enregistrement du contact." + +#: ../../mod/contacts.php:152 +msgid "Could not locate selected profile." +msgstr "Impossible de localiser le profil séléctionné." + +#: ../../mod/contacts.php:181 +msgid "Contact updated." +msgstr "Contact mis-à-jour." + +#: ../../mod/contacts.php:282 +msgid "Contact has been blocked" +msgstr "Le contact a été bloqué" + +#: ../../mod/contacts.php:282 +msgid "Contact has been unblocked" +msgstr "Le contact n'est plus bloqué" + +#: ../../mod/contacts.php:293 +msgid "Contact has been ignored" +msgstr "Le contact a été ignoré" + +#: ../../mod/contacts.php:293 +msgid "Contact has been unignored" +msgstr "Le contact n'est plus ignoré" + +#: ../../mod/contacts.php:305 +msgid "Contact has been archived" +msgstr "Contact archivé" + +#: ../../mod/contacts.php:305 +msgid "Contact has been unarchived" +msgstr "Contact désarchivé" + +#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 +msgid "Do you really want to delete this contact?" +msgstr "Voulez-vous vraiment supprimer ce contact?" + +#: ../../mod/contacts.php:347 +msgid "Contact has been removed." +msgstr "Ce contact a été retiré." + +#: ../../mod/contacts.php:385 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Vous êtes ami (et réciproquement) avec %s" + +#: ../../mod/contacts.php:389 +#, php-format +msgid "You are sharing with %s" +msgstr "Vous partagez avec %s" + +#: ../../mod/contacts.php:394 +#, php-format +msgid "%s is sharing with you" +msgstr "%s partage avec vous" + +#: ../../mod/contacts.php:411 +msgid "Private communications are not available for this contact." +msgstr "Les communications privées ne sont pas disponibles pour ce contact." + +#: ../../mod/contacts.php:418 +msgid "(Update was successful)" +msgstr "(Mise à jour effectuée avec succès)" + +#: ../../mod/contacts.php:418 +msgid "(Update was not successful)" +msgstr "(Mise à jour échouée)" + +#: ../../mod/contacts.php:420 +msgid "Suggest friends" +msgstr "Suggérer amitié/contact" + +#: ../../mod/contacts.php:424 +#, php-format +msgid "Network type: %s" +msgstr "Type de réseau %s" + +#: ../../mod/contacts.php:427 ../../include/contact_widgets.php:200 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d contact en commun" +msgstr[1] "%d contacts en commun" + +#: ../../mod/contacts.php:432 +msgid "View all contacts" +msgstr "Voir tous les contacts" + +#: ../../mod/contacts.php:440 +msgid "Toggle Blocked status" +msgstr "(dés)activer l'état \"bloqué\"" + +#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 +#: ../../mod/contacts.php:707 +msgid "Unignore" +msgstr "Ne plus ignorer" + +#: ../../mod/contacts.php:446 +msgid "Toggle Ignored status" +msgstr "(dés)activer l'état \"ignoré\"" + +#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +msgid "Unarchive" +msgstr "Désarchiver" + +#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +msgid "Archive" +msgstr "Archiver" + +#: ../../mod/contacts.php:453 +msgid "Toggle Archive status" +msgstr "(dés)activer l'état \"archivé\"" + +#: ../../mod/contacts.php:456 +msgid "Repair" +msgstr "Réparer" + +#: ../../mod/contacts.php:459 +msgid "Advanced Contact Settings" +msgstr "Réglages avancés du contact" + +#: ../../mod/contacts.php:465 +msgid "Communications lost with this contact!" +msgstr "Communications perdues avec ce contact !" + +#: ../../mod/contacts.php:468 +msgid "Contact Editor" +msgstr "Éditeur de contact" + +#: ../../mod/contacts.php:471 +msgid "Profile Visibility" +msgstr "Visibilité du profil" + +#: ../../mod/contacts.php:472 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Merci de choisir le profil que vous souhaitez montrer à %s lorsqu'il vous rend visite de manière sécurisée." + +#: ../../mod/contacts.php:473 +msgid "Contact Information / Notes" +msgstr "Informations de contact / Notes" + +#: ../../mod/contacts.php:474 +msgid "Edit contact notes" +msgstr "Éditer les notes des contacts" + +#: ../../mod/contacts.php:480 +msgid "Block/Unblock contact" +msgstr "Bloquer/débloquer ce contact" + +#: ../../mod/contacts.php:481 +msgid "Ignore contact" +msgstr "Ignorer ce contact" + +#: ../../mod/contacts.php:482 +msgid "Repair URL settings" +msgstr "Réglages de réparation des URL" + +#: ../../mod/contacts.php:483 +msgid "View conversations" +msgstr "Voir les conversations" + +#: ../../mod/contacts.php:485 +msgid "Delete contact" +msgstr "Effacer ce contact" + +#: ../../mod/contacts.php:489 +msgid "Last update:" +msgstr "Dernière mise-à-jour :" + +#: ../../mod/contacts.php:491 +msgid "Update public posts" +msgstr "Mettre à jour les publications publiques:" + +#: ../../mod/contacts.php:500 +msgid "Currently blocked" +msgstr "Actuellement bloqué" + +#: ../../mod/contacts.php:501 +msgid "Currently ignored" +msgstr "Actuellement ignoré" + +#: ../../mod/contacts.php:502 +msgid "Currently archived" +msgstr "Actuellement archivé" + +#: ../../mod/contacts.php:503 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Les réponses et \"j'aime\" à vos publications publiques peuvent être toujours visibles" + +#: ../../mod/contacts.php:504 +msgid "Notification for new posts" +msgstr "Notification des nouvelles publications" + +#: ../../mod/contacts.php:504 +msgid "Send a notification of every new post of this contact" +msgstr "" + +#: ../../mod/contacts.php:505 +msgid "Fetch further information for feeds" +msgstr "" + +#: ../../mod/contacts.php:556 +msgid "Suggestions" +msgstr "Suggestions" + +#: ../../mod/contacts.php:559 +msgid "Suggest potential friends" +msgstr "Suggérer des amis potentiels" + +#: ../../mod/contacts.php:562 ../../mod/group.php:194 +msgid "All Contacts" +msgstr "Tous les contacts" + +#: ../../mod/contacts.php:565 +msgid "Show all contacts" +msgstr "Montrer tous les contacts" + +#: ../../mod/contacts.php:568 +msgid "Unblocked" +msgstr "Non-bloqués" + +#: ../../mod/contacts.php:571 +msgid "Only show unblocked contacts" +msgstr "Ne montrer que les contacts non-bloqués" + +#: ../../mod/contacts.php:575 +msgid "Blocked" +msgstr "Bloqués" + +#: ../../mod/contacts.php:578 +msgid "Only show blocked contacts" +msgstr "Ne montrer que les contacts bloqués" + +#: ../../mod/contacts.php:582 +msgid "Ignored" +msgstr "Ignorés" + +#: ../../mod/contacts.php:585 +msgid "Only show ignored contacts" +msgstr "Ne montrer que les contacts ignorés" + +#: ../../mod/contacts.php:589 +msgid "Archived" +msgstr "Archivés" + +#: ../../mod/contacts.php:592 +msgid "Only show archived contacts" +msgstr "Ne montrer que les contacts archivés" + +#: ../../mod/contacts.php:596 +msgid "Hidden" +msgstr "Cachés" + +#: ../../mod/contacts.php:599 +msgid "Only show hidden contacts" +msgstr "Ne montrer que les contacts masqués" + +#: ../../mod/contacts.php:647 +msgid "Mutual Friendship" +msgstr "Relation réciproque" + +#: ../../mod/contacts.php:651 +msgid "is a fan of yours" +msgstr "Vous suit" + +#: ../../mod/contacts.php:655 +msgid "you are a fan of" +msgstr "Vous le/la suivez" + +#: ../../mod/contacts.php:694 ../../view/theme/diabook/theme.php:125 +#: ../../include/nav.php:175 +msgid "Contacts" +msgstr "Contacts" + +#: ../../mod/contacts.php:698 +msgid "Search your contacts" +msgstr "Rechercher dans vos contacts" + +#: ../../mod/contacts.php:699 ../../mod/directory.php:61 +msgid "Finding: " +msgstr "Trouvé: " + +#: ../../mod/contacts.php:700 ../../mod/directory.php:63 +#: ../../include/contact_widgets.php:34 +msgid "Find" +msgstr "Trouver" + +#: ../../mod/contacts.php:705 ../../mod/settings.php:132 +#: ../../mod/settings.php:637 +msgid "Update" +msgstr "Mises-à-jour" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Pas de vidéo sélectionné" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Vidéos récente" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Téléversé une nouvelle vidéo" + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Amis communs" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Pas de contacts en commun." + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Contact ajouté" + +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Migrer le compte" + +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Vous pouvez importer un compte d'un autre serveur Friendica." + +#: ../../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 "Vous devez exporter votre compte à partir de l'ancien serveur et le téléverser ici. Nous recréerons votre ancien compte ici avec tous vos contacts. Nous tenterons également d'informer vos amis que vous avez déménagé ici." + +#: ../../mod/uimport.php:69 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Cette fonctionnalité est expérimentale. Nous ne pouvons importer les contacts des réseaux OStatus (statusnet/identi.ca) ou Diaspora" + +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "Fichier du compte" + +#: ../../mod/uimport.php:70 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s suit les %3$s de %2$s" + +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Amis de %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Pas d'amis à afficher." + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Étiquette supprimée" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Enlever l'étiquette de l'élément" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Sélectionner une étiquette à supprimer: " + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "Utiliser comme photo de profil" + +#: ../../mod/newmember.php:6 +msgid "Welcome to Friendica" +msgstr "Bienvenue sur Friendica" + +#: ../../mod/newmember.php:8 +msgid "New Member Checklist" +msgstr "Checklist du nouvel utilisateur" + +#: ../../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 "Nous souhaiterions vous donner quelques astuces et ressources pour rendre votre expérience la plus agréable possible. Cliquez sur n'importe lequel de ces éléments pour visiter la page correspondante. Un lien vers cette page restera visible sur votre page d'accueil pendant les deux semaines qui suivent votre inscription initiale, puis disparaîtra silencieusement." + +#: ../../mod/newmember.php:14 +msgid "Getting Started" +msgstr "Bien démarrer" + +#: ../../mod/newmember.php:18 +msgid "Friendica Walk-Through" +msgstr "Friendica pas-à-pas" + +#: ../../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 "Sur votre page d'accueil, dans Conseils aux nouveaux venus - vous trouverez une rapide introduction aux onglets Profil et Réseau, pourrez vous connecter à Facebook, établir de nouvelles relations, et choisir des groupes à rejoindre." + +#: ../../mod/newmember.php:26 +msgid "Go to Your Settings" +msgstr "Éditer vos Réglages" + +#: ../../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 "Sur la page des Réglages - changez votre mot de passe initial. Notez bien votre Identité. Elle ressemble à une adresse de courriel - et vous sera utile pour vous faire des amis dans le web social libre." + +#: ../../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 "Vérifiez les autres réglages, tout particulièrement ceux liés à la vie privée. Un profil non listé, c'est un peu comme un numéro sur liste rouge. En général, vous devriez probablement publier votre profil - à moins que tous vos amis (potentiels) sachent déjà comment vous trouver." + +#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 +#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2090 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 +msgid "Profile" +msgstr "Profil" + +#: ../../mod/newmember.php:36 ../../mod/profiles.php:658 +#: ../../mod/profile_photo.php:244 +msgid "Upload Profile Photo" +msgstr "Téléverser une photo de profil" + +#: ../../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 "Téléversez (envoyez) une photo de profil si vous n'en avez pas déjà une. Les études montrent que les gens qui affichent de vraies photos d'eux sont dix fois plus susceptibles de se faire des amis." + +#: ../../mod/newmember.php:38 +msgid "Edit Your Profile" +msgstr "Éditer votre Profil" + +#: ../../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 "Éditez votre profil par défaut à votre convenance. Vérifiez les réglages concernant la visibilité de votre liste d'amis par les visiteurs inconnus." + +#: ../../mod/newmember.php:40 +msgid "Profile Keywords" +msgstr "Mots-clés du profil" + +#: ../../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 "Choisissez quelques mots-clé publics pour votre profil par défaut. Ils pourront ainsi décrire vos centres d'intérêt, et nous pourrons vous proposer des contacts qui les partagent." + +#: ../../mod/newmember.php:44 +msgid "Connecting" +msgstr "Connexions" + +#: ../../mod/newmember.php:49 ../../mod/newmember.php:51 +#: ../../include/contact_selectors.php:81 +msgid "Facebook" +msgstr "Facebook" + +#: ../../mod/newmember.php:49 +msgid "" +"Authorise the Facebook Connector if you currently have a Facebook account " +"and we will (optionally) import all your Facebook friends and conversations." +msgstr "Activez et paramétrez le connecteur Facebook si vous avez un compte Facebook et nous pourrons (de manière facultative) importer tous vos amis et conversations Facebook." + +#: ../../mod/newmember.php:51 +msgid "" +"If this is your own personal server, installing the Facebook addon " +"may ease your transition to the free social web." +msgstr "Si ceci est votre propre serveur, installer le connecteur Facebook peut adoucir votre transition vers le web social libre." + +#: ../../mod/newmember.php:56 +msgid "Importing Emails" +msgstr "Importer courriels" + +#: ../../mod/newmember.php:56 +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 "Entrez vos paramètres de courriel dans les Réglages des connecteurs si vous souhaitez importer et interagir avec des amis ou des listes venant de votre Boîte de Réception." + +#: ../../mod/newmember.php:58 +msgid "Go to Your Contacts Page" +msgstr "Consulter vos Contacts" + +#: ../../mod/newmember.php:58 +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 "Votre page Contacts est le point d'entrée vers la gestion de vos amitiés/relations et la connexion à des amis venant d'autres réseaux. Typiquement, vous pourrez y rentrer leur adresse d'Identité ou l'URL de leur site dans le formulaire Ajouter un nouveau contact." + +#: ../../mod/newmember.php:60 +msgid "Go to Your Site's Directory" +msgstr "Consulter l'Annuaire de votre Site" + +#: ../../mod/newmember.php:60 +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 "La page Annuaire vous permet de trouver d'autres personnes au sein de ce réseaux ou parmi d'autres sites fédérés. Cherchez un lien Relier ou Suivre sur leur profil. Vous pourrez avoir besoin d'indiquer votre adresse d'identité." + +#: ../../mod/newmember.php:62 +msgid "Finding New People" +msgstr "Trouver de nouvelles personnes" + +#: ../../mod/newmember.php:62 +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 "Sur le panneau latéral de la page Contacts, il y a plusieurs moyens de trouver de nouveaux amis. Nous pouvons mettre les gens en relation selon leurs intérêts, rechercher des amis par nom ou intérêt, et fournir des suggestions en fonction de la topologie du réseau. Sur un site tout neuf, les suggestions d'amitié devraient commencer à apparaître au bout de 24 heures." + +#: ../../mod/newmember.php:66 ../../include/group.php:270 +msgid "Groups" +msgstr "Groupes" + +#: ../../mod/newmember.php:70 +msgid "Group Your Contacts" +msgstr "Grouper vos contacts" + +#: ../../mod/newmember.php:70 +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 "Une fois que vous avez trouvé quelques amis, organisez-les en groupes de conversation privés depuis le panneau latéral de la page Contacts. Vous pourrez ensuite interagir avec chaque groupe de manière privée depuis la page Réseau." + +#: ../../mod/newmember.php:73 +msgid "Why Aren't My Posts Public?" +msgstr "Pourquoi mes éléments ne sont pas publics?" + +#: ../../mod/newmember.php:73 +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 respecte votre vie privée. Par défaut, toutes vos publications seront seulement montrés à vos amis. Pour plus d'information, consultez la section \"aide\" du lien ci-dessus." + +#: ../../mod/newmember.php:78 +msgid "Getting Help" +msgstr "Obtenir de l'aide" + +#: ../../mod/newmember.php:82 +msgid "Go to the Help Section" +msgstr "Aller à la section Aide" + +#: ../../mod/newmember.php:82 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "Nos pages d'aide peuvent être consultées pour davantage de détails sur les fonctionnalités ou les ressources." + +#: ../../mod/search.php:21 ../../mod/network.php:179 +msgid "Remove term" +msgstr "Retirer le terme" + +#: ../../mod/search.php:30 ../../mod/network.php:188 +#: ../../include/features.php:42 +msgid "Saved Searches" +msgstr "Recherches" + +#: ../../mod/search.php:99 ../../include/text.php:952 +#: ../../include/text.php:953 ../../include/nav.php:119 +msgid "Search" +msgstr "Recherche" + +#: ../../mod/search.php:170 ../../mod/search.php:196 +#: ../../mod/community.php:62 ../../mod/community.php:71 +msgid "No results." +msgstr "Aucun résultat." + +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "La limite d'invitation totale est éxédée." + +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : Adresse de courriel invalide." + +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Rejoignez-nous sur Friendica" + +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limite d'invitation exédée. Veuillez contacter l'administrateur de votre site." + +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : L'envoi du message a échoué." + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d message envoyé." +msgstr[1] "%d messages envoyés." + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Vous n'avez plus d'invitations disponibles" + +#: ../../mod/invite.php:120 +#, 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 "Visitez %s pour une liste des sites publics que vous pouvez rejoindre. Les membres de Friendica appartenant à d'autres sites peuvent s'interconnecter, ainsi qu'avec les membres de plusieurs autres réseaux sociaux." + +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Pour accepter cette invitation, merci d'aller vous inscrire sur %s, ou n'importe quel autre site Friendica public." + +#: ../../mod/invite.php:123 +#, 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 "Les sites Friendica sont tous interconnectés pour créer un immense réseau social respectueux de la vie privée, possédé et contrôllé par ses membres. Ils peuvent également interagir avec plusieurs réseaux sociaux traditionnels. Voir %s pour une liste d'autres sites Friendica que vous pourriez rejoindre." + +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Toutes nos excuses. Ce système n'est pas configuré pour se connecter à d'autres sites publics ou inviter de nouveaux membres." + +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Envoyer des invitations" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "Entrez les adresses email, une par ligne:" + +#: ../../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 "Vous êtes cordialement invité à me rejoindre sur Friendica, et nous aider ainsi à créer un meilleur web social." + +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Vous devrez fournir ce code d'invitation: $invite_code" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Une fois inscrit, connectez-vous à la page de mon profil sur:" + +#: ../../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 "Pour plus d'information sur le projet Friendica, et pourquoi nous croyons qu'il est important, merci de visiter http://friendica.com" + +#: ../../mod/settings.php:41 +msgid "Additional features" +msgstr "Fonctions supplémentaires" + +#: ../../mod/settings.php:46 +msgid "Display" +msgstr "Afficher" + +#: ../../mod/settings.php:52 ../../mod/settings.php:777 +msgid "Social Networks" +msgstr "Réseaux sociaux" + +#: ../../mod/settings.php:62 ../../include/nav.php:168 +msgid "Delegations" +msgstr "Délégations" + +#: ../../mod/settings.php:67 +msgid "Connected apps" +msgstr "Applications connectées" + +#: ../../mod/settings.php:72 ../../mod/uexport.php:85 +msgid "Export personal data" +msgstr "Exporter" + +#: ../../mod/settings.php:77 +msgid "Remove account" +msgstr "Supprimer le compte" + +#: ../../mod/settings.php:129 +msgid "Missing some important data!" +msgstr "Il manque certaines informations importantes!" + +#: ../../mod/settings.php:238 +msgid "Failed to connect with email account using the settings provided." +msgstr "Impossible de se connecter au compte courriel configuré." + +#: ../../mod/settings.php:243 +msgid "Email settings updated." +msgstr "Réglages de courriel mis-à-jour." + +#: ../../mod/settings.php:258 +msgid "Features updated" +msgstr "Fonctionnalités mises à jour" + +#: ../../mod/settings.php:321 +msgid "Relocate message has been send to your contacts" +msgstr "" + +#: ../../mod/settings.php:335 +msgid "Passwords do not match. Password unchanged." +msgstr "Les mots de passe ne correspondent pas. Aucun changement appliqué." + +#: ../../mod/settings.php:340 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Les mots de passe vides sont interdits. Aucun changement appliqué." + +#: ../../mod/settings.php:348 +msgid "Wrong password." +msgstr "Mauvais mot de passe." + +#: ../../mod/settings.php:359 +msgid "Password changed." +msgstr "Mots de passe changés." + +#: ../../mod/settings.php:361 +msgid "Password update failed. Please try again." +msgstr "Le changement de mot de passe a échoué. Merci de recommencer." + +#: ../../mod/settings.php:426 +msgid " Please use a shorter name." +msgstr " Merci d'utiliser un nom plus court." + +#: ../../mod/settings.php:428 +msgid " Name too short." +msgstr " Nom trop court." + +#: ../../mod/settings.php:437 +msgid "Wrong Password" +msgstr "Mauvais mot de passe" + +#: ../../mod/settings.php:442 +msgid " Not valid email." +msgstr " Email invalide." + +#: ../../mod/settings.php:448 +msgid " Cannot change to that email." +msgstr " Impossible de changer pour cet email." + +#: ../../mod/settings.php:503 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Ce forum privé n'a pas de paramètres de vie privée. Utilisation des paramètres de confidentialité par défaut." + +#: ../../mod/settings.php:507 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Ce forum privé n'a pas de paramètres de vie privée ni de paramètres de confidentialité par défaut." + +#: ../../mod/settings.php:537 +msgid "Settings updated." +msgstr "Réglages mis à jour." + +#: ../../mod/settings.php:610 ../../mod/settings.php:636 +#: ../../mod/settings.php:672 +msgid "Add application" +msgstr "Ajouter une application" + +#: ../../mod/settings.php:614 ../../mod/settings.php:640 +msgid "Consumer Key" +msgstr "Clé utilisateur" + +#: ../../mod/settings.php:615 ../../mod/settings.php:641 +msgid "Consumer Secret" +msgstr "Secret utilisateur" + +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Redirect" +msgstr "Rediriger" + +#: ../../mod/settings.php:617 ../../mod/settings.php:643 +msgid "Icon url" +msgstr "URL de l'icône" + +#: ../../mod/settings.php:628 +msgid "You can't edit this application." +msgstr "Vous ne pouvez pas éditer cette application." + +#: ../../mod/settings.php:671 +msgid "Connected Apps" +msgstr "Applications connectées" + +#: ../../mod/settings.php:675 +msgid "Client key starts with" +msgstr "La clé cliente commence par" + +#: ../../mod/settings.php:676 +msgid "No name" +msgstr "Sans nom" + +#: ../../mod/settings.php:677 +msgid "Remove authorization" +msgstr "Révoquer l'autorisation" + +#: ../../mod/settings.php:689 +msgid "No Plugin settings configured" +msgstr "Pas de réglages d'extensions configurés" + +#: ../../mod/settings.php:697 +msgid "Plugin Settings" +msgstr "Extensions" + +#: ../../mod/settings.php:711 +msgid "Off" +msgstr "Éteint" + +#: ../../mod/settings.php:711 +msgid "On" +msgstr "Allumé" + +#: ../../mod/settings.php:719 +msgid "Additional Features" +msgstr "Fonctions supplémentaires" + +#: ../../mod/settings.php:733 ../../mod/settings.php:734 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Le support natif pour la connectivité %s est %s" + +#: ../../mod/settings.php:733 ../../mod/settings.php:734 +msgid "enabled" +msgstr "activé" + +#: ../../mod/settings.php:733 ../../mod/settings.php:734 +msgid "disabled" +msgstr "désactivé" + +#: ../../mod/settings.php:734 +msgid "StatusNet" +msgstr "StatusNet" + +#: ../../mod/settings.php:770 +msgid "Email access is disabled on this site." +msgstr "L'accès courriel est désactivé sur ce site." + +#: ../../mod/settings.php:782 +msgid "Email/Mailbox Setup" +msgstr "Réglages de courriel/boîte à lettre" + +#: ../../mod/settings.php:783 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Si vous souhaitez communiquer avec vos contacts \"courriel\" (facultatif), merci de nous indiquer comment vous connecter à votre boîte." + +#: ../../mod/settings.php:784 +msgid "Last successful email check:" +msgstr "Dernière vérification réussie des courriels:" + +#: ../../mod/settings.php:786 +msgid "IMAP server name:" +msgstr "Nom du serveur IMAP:" + +#: ../../mod/settings.php:787 +msgid "IMAP port:" +msgstr "Port IMAP:" + +#: ../../mod/settings.php:788 +msgid "Security:" +msgstr "Sécurité:" + +#: ../../mod/settings.php:788 ../../mod/settings.php:793 +msgid "None" +msgstr "Aucun(e)" + +#: ../../mod/settings.php:789 +msgid "Email login name:" +msgstr "Nom de connexion:" + +#: ../../mod/settings.php:790 +msgid "Email password:" +msgstr "Mot de passe:" + +#: ../../mod/settings.php:791 +msgid "Reply-to address:" +msgstr "Adresse de réponse:" + +#: ../../mod/settings.php:792 +msgid "Send public posts to all email contacts:" +msgstr "Envoyer les publications publiques à tous les contacts courriels:" + +#: ../../mod/settings.php:793 +msgid "Action after import:" +msgstr "Action après import:" + +#: ../../mod/settings.php:793 +msgid "Mark as seen" +msgstr "Marquer comme vu" + +#: ../../mod/settings.php:793 +msgid "Move to folder" +msgstr "Déplacer vers" + +#: ../../mod/settings.php:794 +msgid "Move to folder:" +msgstr "Déplacer vers:" + +#: ../../mod/settings.php:875 +msgid "Display Settings" +msgstr "Affichage" + +#: ../../mod/settings.php:881 ../../mod/settings.php:896 +msgid "Display Theme:" +msgstr "Thème d'affichage:" + +#: ../../mod/settings.php:882 +msgid "Mobile Theme:" +msgstr "Thème mobile:" + +#: ../../mod/settings.php:883 +msgid "Update browser every xx seconds" +msgstr "Mettre-à-jour l'affichage toutes les xx secondes" + +#: ../../mod/settings.php:883 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Délai minimum de 10 secondes, pas de maximum" + +#: ../../mod/settings.php:884 +msgid "Number of items to display per page:" +msgstr "Nombre d’éléments par page:" + +#: ../../mod/settings.php:884 ../../mod/settings.php:885 +msgid "Maximum of 100 items" +msgstr "Maximum de 100 éléments" + +#: ../../mod/settings.php:885 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Nombre d'éléments a afficher par page pour un appareil mobile" + +#: ../../mod/settings.php:886 +msgid "Don't show emoticons" +msgstr "Ne pas afficher les émoticônes (smileys grahiques)" + +#: ../../mod/settings.php:887 +msgid "Don't show notices" +msgstr "" + +#: ../../mod/settings.php:888 +msgid "Infinite scroll" +msgstr "" + +#: ../../mod/settings.php:889 +msgid "Automatic updates only at the top of the network page" +msgstr "" + +#: ../../mod/settings.php:966 +msgid "User Types" +msgstr "" + +#: ../../mod/settings.php:967 +msgid "Community Types" +msgstr "" + +#: ../../mod/settings.php:968 +msgid "Normal Account Page" +msgstr "Compte normal" + +#: ../../mod/settings.php:969 +msgid "This account is a normal personal profile" +msgstr "Ce compte correspond à un profil normal, pour une seule personne (physique, généralement)" + +#: ../../mod/settings.php:972 +msgid "Soapbox Page" +msgstr "Compte \"boîte à savon\"" + +#: ../../mod/settings.php:973 +msgid "Automatically approve all connection/friend requests as read-only fans" +msgstr "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des fans 'en lecture seule'" + +#: ../../mod/settings.php:976 +msgid "Community Forum/Celebrity Account" +msgstr "Compte de communauté/célébrité" + +#: ../../mod/settings.php:977 +msgid "" +"Automatically approve all connection/friend requests as read-write fans" +msgstr "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des fans en 'lecture/écriture'" + +#: ../../mod/settings.php:980 +msgid "Automatic Friend Page" +msgstr "Compte d'\"amitié automatique\"" + +#: ../../mod/settings.php:981 +msgid "Automatically approve all connection/friend requests as friends" +msgstr "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des amis" + +#: ../../mod/settings.php:984 +msgid "Private Forum [Experimental]" +msgstr "Forum privé [expérimental]" + +#: ../../mod/settings.php:985 +msgid "Private forum - approved members only" +msgstr "Forum privé - modéré en inscription" + +#: ../../mod/settings.php:997 +msgid "OpenID:" +msgstr "OpenID:" + +#: ../../mod/settings.php:997 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "&nbsp;(Facultatif) Autoriser cet OpenID à se connecter à ce compte." + +#: ../../mod/settings.php:1007 +msgid "Publish your default profile in your local site directory?" +msgstr "Publier votre profil par défaut sur l'annuaire local de ce site?" + +#: ../../mod/settings.php:1013 +msgid "Publish your default profile in the global social directory?" +msgstr "Publier votre profil par défaut sur l'annuaire social global?" + +#: ../../mod/settings.php:1021 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Cacher votre liste de contacts/amis des visiteurs de votre profil par défaut?" + +#: ../../mod/settings.php:1025 ../../include/conversation.php:1057 +msgid "Hide your profile details from unknown viewers?" +msgstr "Cacher les détails du profil aux visiteurs inconnus?" + +#: ../../mod/settings.php:1030 +msgid "Allow friends to post to your profile page?" +msgstr "Autoriser vos amis à publier sur votre profil?" + +#: ../../mod/settings.php:1036 +msgid "Allow friends to tag your posts?" +msgstr "Autoriser vos amis à étiqueter vos publications?" + +#: ../../mod/settings.php:1042 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Autoriser les suggestions d'amis potentiels aux nouveaux arrivants?" + +#: ../../mod/settings.php:1048 +msgid "Permit unknown people to send you private mail?" +msgstr "Autoriser les messages privés d'inconnus?" + +#: ../../mod/settings.php:1056 +msgid "Profile is not published." +msgstr "Ce profil n'est pas publié." + +#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 +msgid "or" +msgstr "ou" + +#: ../../mod/settings.php:1064 +msgid "Your Identity Address is" +msgstr "L'adresse de votre identité est" + +#: ../../mod/settings.php:1075 +msgid "Automatically expire posts after this many days:" +msgstr "Les publications expirent automatiquement après (en jours) :" + +#: ../../mod/settings.php:1075 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Si ce champ est vide, les publications n'expireront pas. Les publications expirées seront supprimées" + +#: ../../mod/settings.php:1076 +msgid "Advanced expiration settings" +msgstr "Réglages avancés de l'expiration" + +#: ../../mod/settings.php:1077 +msgid "Advanced Expiration" +msgstr "Expiration (avancé)" + +#: ../../mod/settings.php:1078 +msgid "Expire posts:" +msgstr "Faire expirer les publications:" + +#: ../../mod/settings.php:1079 +msgid "Expire personal notes:" +msgstr "Faire expirer les notes personnelles:" + +#: ../../mod/settings.php:1080 +msgid "Expire starred posts:" +msgstr "Faire expirer les publications marqués:" + +#: ../../mod/settings.php:1081 +msgid "Expire photos:" +msgstr "Faire expirer les photos:" + +#: ../../mod/settings.php:1082 +msgid "Only expire posts by others:" +msgstr "Faire expirer seulement les publications des autres:" + +#: ../../mod/settings.php:1108 +msgid "Account Settings" +msgstr "Compte" + +#: ../../mod/settings.php:1116 +msgid "Password Settings" +msgstr "Réglages de mot de passe" + +#: ../../mod/settings.php:1117 +msgid "New Password:" +msgstr "Nouveau mot de passe:" + +#: ../../mod/settings.php:1118 +msgid "Confirm:" +msgstr "Confirmer:" + +#: ../../mod/settings.php:1118 +msgid "Leave password fields blank unless changing" +msgstr "Laissez les champs de mot de passe vierges, sauf si vous désirez les changer" + +#: ../../mod/settings.php:1119 +msgid "Current Password:" +msgstr "Mot de passe actuel:" + +#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 +msgid "Your current password to confirm the changes" +msgstr "Votre mot de passe actuel pour confirmer les modifications" + +#: ../../mod/settings.php:1120 +msgid "Password:" +msgstr "Mot de passe:" + +#: ../../mod/settings.php:1124 +msgid "Basic Settings" +msgstr "Réglages basiques" + +#: ../../mod/settings.php:1125 ../../include/profile_advanced.php:15 +msgid "Full Name:" +msgstr "Nom complet:" + +#: ../../mod/settings.php:1126 +msgid "Email Address:" +msgstr "Adresse courriel:" + +#: ../../mod/settings.php:1127 +msgid "Your Timezone:" +msgstr "Votre fuseau horaire:" + +#: ../../mod/settings.php:1128 +msgid "Default Post Location:" +msgstr "Emplacement de publication par défaut:" + +#: ../../mod/settings.php:1129 +msgid "Use Browser Location:" +msgstr "Utiliser la localisation géographique du navigateur:" + +#: ../../mod/settings.php:1132 +msgid "Security and Privacy Settings" +msgstr "Réglages de sécurité et vie privée" + +#: ../../mod/settings.php:1134 +msgid "Maximum Friend Requests/Day:" +msgstr "Nombre maximal de requêtes d'amitié/jour:" + +#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 +msgid "(to prevent spam abuse)" +msgstr "(pour limiter l'impact du spam)" + +#: ../../mod/settings.php:1135 +msgid "Default Post Permissions" +msgstr "Permissions de publication par défaut" + +#: ../../mod/settings.php:1136 +msgid "(click to open/close)" +msgstr "(cliquer pour ouvrir/fermer)" + +#: ../../mod/settings.php:1147 +msgid "Default Private Post" +msgstr "Message privé par défaut" + +#: ../../mod/settings.php:1148 +msgid "Default Public Post" +msgstr "Message publique par défaut" + +#: ../../mod/settings.php:1152 +msgid "Default Permissions for New Posts" +msgstr "Permissions par défaut pour les nouvelles publications" + +#: ../../mod/settings.php:1164 +msgid "Maximum private messages per day from unknown people:" +msgstr "Maximum de messages privés d'inconnus par jour:" + +#: ../../mod/settings.php:1167 +msgid "Notification Settings" +msgstr "Réglages de notification" + +#: ../../mod/settings.php:1168 +msgid "By default post a status message when:" +msgstr "Par défaut, poster un statut quand:" + +#: ../../mod/settings.php:1169 +msgid "accepting a friend request" +msgstr "j'accepte un ami" + +#: ../../mod/settings.php:1170 +msgid "joining a forum/community" +msgstr "joignant un forum/une communauté" + +#: ../../mod/settings.php:1171 +msgid "making an interesting profile change" +msgstr "je fais une modification intéressante de mon profil" + +#: ../../mod/settings.php:1172 +msgid "Send a notification email when:" +msgstr "Envoyer un courriel de notification quand:" + +#: ../../mod/settings.php:1173 +msgid "You receive an introduction" +msgstr "Vous recevez une introduction" + +#: ../../mod/settings.php:1174 +msgid "Your introductions are confirmed" +msgstr "Vos introductions sont confirmées" + +#: ../../mod/settings.php:1175 +msgid "Someone writes on your profile wall" +msgstr "Quelqu'un écrit sur votre mur" + +#: ../../mod/settings.php:1176 +msgid "Someone writes a followup comment" +msgstr "Quelqu'un vous commente" + +#: ../../mod/settings.php:1177 +msgid "You receive a private message" +msgstr "Vous recevez un message privé" + +#: ../../mod/settings.php:1178 +msgid "You receive a friend suggestion" +msgstr "Vous avez reçu une suggestion d'ami" + +#: ../../mod/settings.php:1179 +msgid "You are tagged in a post" +msgstr "Vous avez été étiquetté dans une publication" + +#: ../../mod/settings.php:1180 +msgid "You are poked/prodded/etc. in a post" +msgstr "Vous avez été sollicité dans une publication" + +#: ../../mod/settings.php:1183 +msgid "Advanced Account/Page Type Settings" +msgstr "Paramètres avancés de compte/page" + +#: ../../mod/settings.php:1184 +msgid "Change the behaviour of this account for special situations" +msgstr "Modifier le comportement de ce compte dans certaines situations" + +#: ../../mod/settings.php:1187 +msgid "Relocate" +msgstr "" + +#: ../../mod/settings.php:1188 +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:1189 +msgid "Resend relocate message to contacts" +msgstr "" + +#: ../../mod/display.php:452 +msgid "Item has been removed." +msgstr "Cet élément a été enlevé." + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Recherche de personnes" + +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "Aucune correspondance" + +#: ../../mod/profiles.php:37 +msgid "Profile deleted." +msgstr "Profil supprimé." + +#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 +msgid "Profile-" +msgstr "Profil-" + +#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 +msgid "New profile created." +msgstr "Nouveau profil créé." + +#: ../../mod/profiles.php:95 +msgid "Profile unavailable to clone." +msgstr "Ce profil ne peut être cloné." + +#: ../../mod/profiles.php:172 +msgid "Profile Name is required." +msgstr "Le nom du profil est requis." + +#: ../../mod/profiles.php:323 +msgid "Marital Status" +msgstr "Statut marital" + +#: ../../mod/profiles.php:327 +msgid "Romantic Partner" +msgstr "Partenaire/conjoint" + +#: ../../mod/profiles.php:331 +msgid "Likes" +msgstr "Derniers \"J'aime\"" + +#: ../../mod/profiles.php:335 +msgid "Dislikes" +msgstr "Derniers \"Je n'aime pas\"" + +#: ../../mod/profiles.php:339 +msgid "Work/Employment" +msgstr "Travail/Occupation" + +#: ../../mod/profiles.php:342 +msgid "Religion" +msgstr "Religion" + +#: ../../mod/profiles.php:346 +msgid "Political Views" +msgstr "Tendance politique" + +#: ../../mod/profiles.php:350 +msgid "Gender" +msgstr "Sexe" + +#: ../../mod/profiles.php:354 +msgid "Sexual Preference" +msgstr "Préférence sexuelle" + +#: ../../mod/profiles.php:358 +msgid "Homepage" +msgstr "Site internet" + +#: ../../mod/profiles.php:362 ../../mod/profiles.php:657 +msgid "Interests" +msgstr "Centres d'intérêt" + +#: ../../mod/profiles.php:366 +msgid "Address" +msgstr "Adresse" + +#: ../../mod/profiles.php:373 ../../mod/profiles.php:653 +msgid "Location" +msgstr "Localisation" + +#: ../../mod/profiles.php:456 +msgid "Profile updated." +msgstr "Profil mis à jour." + +#: ../../mod/profiles.php:527 +msgid " and " +msgstr " et " + +#: ../../mod/profiles.php:535 +msgid "public profile" +msgstr "profil public" + +#: ../../mod/profiles.php:538 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s a changé %2$s en “%3$s”" + +#: ../../mod/profiles.php:539 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr "Visiter le %2$s de %1$s" + +#: ../../mod/profiles.php:542 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s a mis à jour son %2$s, en modifiant %3$s." + +#: ../../mod/profiles.php:617 +msgid "Hide contacts and friends:" +msgstr "" + +#: ../../mod/profiles.php:622 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Cacher ma liste d'amis/contacts des visiteurs de ce profil?" + +#: ../../mod/profiles.php:644 +msgid "Edit Profile Details" +msgstr "Éditer les détails du profil" + +#: ../../mod/profiles.php:646 +msgid "Change Profile Photo" +msgstr "Changer la photo du profil" + +#: ../../mod/profiles.php:647 +msgid "View this profile" +msgstr "Voir ce profil" + +#: ../../mod/profiles.php:648 +msgid "Create a new profile using these settings" +msgstr "Créer un nouveau profil en utilisant ces réglages" + +#: ../../mod/profiles.php:649 +msgid "Clone this profile" +msgstr "Cloner ce profil" + +#: ../../mod/profiles.php:650 +msgid "Delete this profile" +msgstr "Supprimer ce profil" + +#: ../../mod/profiles.php:651 +msgid "Basic information" +msgstr "" + +#: ../../mod/profiles.php:652 +msgid "Profile picture" +msgstr "" + +#: ../../mod/profiles.php:654 +msgid "Preferences" +msgstr "" + +#: ../../mod/profiles.php:655 +msgid "Status information" +msgstr "" + +#: ../../mod/profiles.php:656 +msgid "Additional information" +msgstr "" + +#: ../../mod/profiles.php:659 +msgid "Profile Name:" +msgstr "Nom du profil:" + +#: ../../mod/profiles.php:660 +msgid "Your Full Name:" +msgstr "Votre nom complet:" + +#: ../../mod/profiles.php:661 +msgid "Title/Description:" +msgstr "Titre/Description:" + +#: ../../mod/profiles.php:662 +msgid "Your Gender:" +msgstr "Votre genre:" + +#: ../../mod/profiles.php:663 +#, php-format +msgid "Birthday (%s):" +msgstr "Anniversaire (%s):" + +#: ../../mod/profiles.php:664 +msgid "Street Address:" +msgstr "Adresse postale:" + +#: ../../mod/profiles.php:665 +msgid "Locality/City:" +msgstr "Ville/Localité:" + +#: ../../mod/profiles.php:666 +msgid "Postal/Zip Code:" +msgstr "Code postal:" + +#: ../../mod/profiles.php:667 +msgid "Country:" +msgstr "Pays:" + +#: ../../mod/profiles.php:668 +msgid "Region/State:" +msgstr "Région/État:" + +#: ../../mod/profiles.php:669 +msgid " Marital Status:" +msgstr " Statut marital:" + +#: ../../mod/profiles.php:670 +msgid "Who: (if applicable)" +msgstr "Qui: (si pertinent)" + +#: ../../mod/profiles.php:671 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Exemples: cathy123, Cathy Williams, cathy@example.com" + +#: ../../mod/profiles.php:672 +msgid "Since [date]:" +msgstr "Depuis [date] :" + +#: ../../mod/profiles.php:673 ../../include/profile_advanced.php:46 +msgid "Sexual Preference:" +msgstr "Préférence sexuelle:" + +#: ../../mod/profiles.php:674 +msgid "Homepage URL:" +msgstr "Page personnelle:" + +#: ../../mod/profiles.php:675 ../../include/profile_advanced.php:50 +msgid "Hometown:" +msgstr " Ville d'origine:" + +#: ../../mod/profiles.php:676 ../../include/profile_advanced.php:54 +msgid "Political Views:" +msgstr "Opinions politiques:" + +#: ../../mod/profiles.php:677 +msgid "Religious Views:" +msgstr "Opinions religieuses:" + +#: ../../mod/profiles.php:678 +msgid "Public Keywords:" +msgstr "Mots-clés publics:" + +#: ../../mod/profiles.php:679 +msgid "Private Keywords:" +msgstr "Mots-clés privés:" + +#: ../../mod/profiles.php:680 ../../include/profile_advanced.php:62 +msgid "Likes:" +msgstr "J'aime :" + +#: ../../mod/profiles.php:681 ../../include/profile_advanced.php:64 +msgid "Dislikes:" +msgstr "Je n'aime pas :" + +#: ../../mod/profiles.php:682 +msgid "Example: fishing photography software" +msgstr "Exemple: football dessin programmation" + +#: ../../mod/profiles.php:683 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(Utilisés pour vous suggérer des amis potentiels, peuvent être vus par autrui)" + +#: ../../mod/profiles.php:684 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Utilisés pour rechercher dans les profils, ne seront jamais montrés à autrui)" + +#: ../../mod/profiles.php:685 +msgid "Tell us about yourself..." +msgstr "Parlez-nous de vous..." + +#: ../../mod/profiles.php:686 +msgid "Hobbies/Interests" +msgstr "Passe-temps/Centres d'intérêt" + +#: ../../mod/profiles.php:687 +msgid "Contact information and Social Networks" +msgstr "Coordonnées/Réseaux sociaux" + +#: ../../mod/profiles.php:688 +msgid "Musical interests" +msgstr "Goûts musicaux" + +#: ../../mod/profiles.php:689 +msgid "Books, literature" +msgstr "Lectures" + +#: ../../mod/profiles.php:690 +msgid "Television" +msgstr "Télévision" + +#: ../../mod/profiles.php:691 +msgid "Film/dance/culture/entertainment" +msgstr "Cinéma/Danse/Culture/Divertissement" + +#: ../../mod/profiles.php:692 +msgid "Love/romance" +msgstr "Amour/Romance" + +#: ../../mod/profiles.php:693 +msgid "Work/employment" +msgstr "Activité professionnelle/Occupation" + +#: ../../mod/profiles.php:694 +msgid "School/education" +msgstr "Études/Formation" + +#: ../../mod/profiles.php:699 +msgid "" +"This is your public profile.
It may " +"be visible to anybody using the internet." +msgstr "Ceci est votre profil public.
Il peut être visible par n'importe quel utilisateur d'Internet." + +#: ../../mod/profiles.php:709 ../../mod/directory.php:113 +msgid "Age: " +msgstr "Age: " + +#: ../../mod/profiles.php:762 +msgid "Edit/Manage Profiles" +msgstr "Editer/gérer les profils" + +#: ../../mod/profiles.php:763 ../../boot.php:1585 ../../boot.php:1611 +msgid "Change profile photo" +msgstr "Changer de photo de profil" + +#: ../../mod/profiles.php:764 ../../boot.php:1586 +msgid "Create New Profile" +msgstr "Créer un nouveau profil" + +#: ../../mod/profiles.php:775 ../../boot.php:1596 +msgid "Profile Image" +msgstr "Image du profil" + +#: ../../mod/profiles.php:777 ../../boot.php:1599 +msgid "visible to everybody" +msgstr "visible par tous" + +#: ../../mod/profiles.php:778 ../../boot.php:1600 +msgid "Edit visibility" +msgstr "Changer la visibilité" + +#: ../../mod/share.php:44 +msgid "link" +msgstr "lien" + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Exporter le compte" + +#: ../../mod/uexport.php:77 +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 "Exportez votre compte, vos infos et vos contacts. Vous pourrez utiliser le résultat comme sauvegarde et/ou pour le ré-importer sur un autre serveur." + +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Tout exporter" + +#: ../../mod/uexport.php:78 +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 "Exportez votre compte, vos infos, vos contacts et toutes vos publications (en JSON). Le fichier résultant peut être extrêmement volumineux, et sa production peut durer longtemps. Vous pourrez l'utiliser pour faire une sauvegarde complète (à part les photos)." + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "{0} souhaite être votre ami(e)" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "{0} vous a envoyé un message" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "{0} a demandé à s'inscrire" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0} a commenté la publication de %s" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "{0} a aimé la publication de %s" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "{0} n'a pas aimé la publication de %s" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0} est désormais ami(e) avec %s" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "{0} a publié" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "{0} a étiqueté la publication de %s avec #%s" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "{0} vous a mentionné dans une publication" + +#: ../../mod/navigation.php:20 ../../include/nav.php:34 +msgid "Nothing new here" +msgstr "Rien de neuf ici" + +#: ../../mod/navigation.php:24 ../../include/nav.php:38 +msgid "Clear notifications" +msgstr "Effacer les notifications" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Indisponible." + +#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:129 +#: ../../include/nav.php:129 +msgid "Community" +msgstr "Communauté" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "Sauver dans le Dossier:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- choisir -" + +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Désolé, il semble que votre fichier est plus important que ce que la configuration de PHP autorise" + +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "" + +#: ../../mod/wall_attach.php:81 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "La taille du fichier dépasse la limite de %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Le téléversement a échoué." + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Identifiant de profil invalide." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Éditer la visibilité du profil" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "Cliquez sur un contact pour l'ajouter ou le supprimer." + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Visible par" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Tous les contacts (ayant un accès sécurisé)" + +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "Voulez-vous vraiment supprimer cette suggestion ?" + +#: ../../mod/suggest.php:66 ../../view/theme/diabook/theme.php:527 +#: ../../include/contact_widgets.php:35 +msgid "Friend Suggestions" +msgstr "Suggestions d'amitiés/contacts" + +#: ../../mod/suggest.php:72 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Aucune suggestion. Si ce site est récent, merci de recommencer dans 24h." + +#: ../../mod/suggest.php:88 ../../mod/match.php:58 ../../boot.php:1542 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "Relier" + +#: ../../mod/suggest.php:90 +msgid "Ignore/Hide" +msgstr "Ignorer/cacher" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "Accès refusé." + +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "%1$s accueille %2$s" + +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Gérer les identités et/ou les pages" + +#: ../../mod/manage.php:107 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Basculez entre les différentes identités ou pages (groupes/communautés) qui se partagent votre compte ou que vous avez été autorisé à gérer." + +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Choisir une identité à gérer: " + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "Pas de délégataire potentiel." + +#: ../../mod/delegate.php:130 ../../include/nav.php:168 +msgid "Delegate Page Management" +msgstr "Déléguer la gestion de la page" + +#: ../../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 "Les délégataires seront capables de gérer tous les aspects de ce compte ou de cette page, à l'exception des réglages de compte. Merci de ne pas déléguer votre compte principal à quelqu'un en qui vous n'avez pas une confiance absolue." + +#: ../../mod/delegate.php:133 +msgid "Existing Page Managers" +msgstr "Gestionnaires existants" + +#: ../../mod/delegate.php:135 +msgid "Existing Page Delegates" +msgstr "Délégataires existants" + +#: ../../mod/delegate.php:137 +msgid "Potential Delegates" +msgstr "Délégataires potentiels" + +#: ../../mod/delegate.php:140 +msgid "Add" +msgstr "Ajouter" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "Aucune entrée." + +#: ../../mod/viewcontacts.php:39 +msgid "No contacts." +msgstr "Aucun contact." + +#: ../../mod/viewcontacts.php:76 ../../include/text.php:875 +msgid "View Contacts" +msgstr "Voir les contacts" + +#: ../../mod/notes.php:44 ../../boot.php:2121 +msgid "Personal Notes" +msgstr "Notes personnelles" + +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Solliciter" + +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "solliciter (poke/...) quelqu'un" + +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "Destinataire" + +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Choisissez ce que vous voulez faire au destinataire" + +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Rendez ce message privé" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "Annuaire global" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Trouver sur ce site" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Annuaire local" + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Genre: " + +#: ../../mod/directory.php:138 ../../boot.php:1624 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "Genre:" + +#: ../../mod/directory.php:140 ../../boot.php:1627 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "Statut:" + +#: ../../mod/directory.php:142 ../../boot.php:1629 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "Page personnelle:" + +#: ../../mod/directory.php:144 ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "À propos:" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Aucune entrée (certaines peuvent être cachées)." + +#: ../../mod/localtime.php:12 ../../include/event.php:11 +#: ../../include/bb2diaspora.php:134 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" + +#: ../../mod/localtime.php:24 +msgid "Time Conversion" +msgstr "Conversion temporelle" + +#: ../../mod/localtime.php:26 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica fournit ce service pour partager des événements avec d'autres réseaux et amis indépendament de leur fuseau horaire." + +#: ../../mod/localtime.php:30 +#, php-format +msgid "UTC time: %s" +msgstr "Temps UTC : %s" + +#: ../../mod/localtime.php:33 +#, php-format +msgid "Current timezone: %s" +msgstr "Zone de temps courante : %s" + +#: ../../mod/localtime.php:36 +#, php-format +msgid "Converted localtime: %s" +msgstr "Temps local converti : %s" + +#: ../../mod/localtime.php:41 +msgid "Please select your timezone:" +msgstr "Sélectionner votre zone :" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Publication réussie." + +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "Image envoyée, mais impossible de la retailler." + +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Réduction de la taille de l'image [%s] échouée." + +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Rechargez la page avec la touche Maj pressée, ou bien effacez le cache du navigateur, si d'aventure la nouvelle photo n'apparaissait pas immédiatement." + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Impossible de traiter l'image" + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Fichier à téléverser:" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Choisir un profil:" + +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "Téléverser" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "ignorer cette étape" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "choisissez une photo depuis vos albums" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "(Re)cadrer l'image" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Ajustez le cadre de l'image pour une visualisation optimale." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Édition terminée" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Image téléversée avec succès." + +#: ../../mod/install.php:117 +msgid "Friendica Communications Server - Setup" +msgstr "Serveur de communications Friendica - Configuration" + +#: ../../mod/install.php:123 +msgid "Could not connect to database." +msgstr "Impossible de se connecter à la base." + +#: ../../mod/install.php:127 +msgid "Could not create table." +msgstr "Impossible de créer une table." + +#: ../../mod/install.php:133 +msgid "Your Friendica site database has been installed." +msgstr "La base de données de votre site Friendica a bien été installée." + +#: ../../mod/install.php:138 +msgid "" +"You may need to import the file \"database.sql\" manually using phpmyadmin " +"or mysql." +msgstr "Vous pourriez avoir besoin d'importer le fichier \"database.sql\" manuellement au moyen de phpmyadmin ou de la commande mysql." + +#: ../../mod/install.php:139 ../../mod/install.php:206 +#: ../../mod/install.php:525 +msgid "Please see the file \"INSTALL.txt\"." +msgstr "Référez-vous au fichier \"INSTALL.txt\"." + +#: ../../mod/install.php:203 +msgid "System check" +msgstr "Vérifications système" + +#: ../../mod/install.php:208 +msgid "Check again" +msgstr "Vérifier à nouveau" + +#: ../../mod/install.php:227 +msgid "Database connection" +msgstr "Connexion à la base de données" + +#: ../../mod/install.php:228 +msgid "" +"In order to install Friendica we need to know how to connect to your " +"database." +msgstr "Pour installer Friendica, nous avons besoin de savoir comment contacter votre base de données." + +#: ../../mod/install.php:229 +msgid "" +"Please contact your hosting provider or site administrator if you have " +"questions about these settings." +msgstr "Merci de vous tourner vers votre hébergeur et/ou administrateur pour toute question concernant ces réglages." + +#: ../../mod/install.php:230 +msgid "" +"The database you specify below should already exist. If it does not, please " +"create it before continuing." +msgstr "La base de données que vous spécifierez doit exister. Si ce n'est pas encore le cas, merci de la créer avant de continuer." + +#: ../../mod/install.php:234 +msgid "Database Server Name" +msgstr "Serveur de base de données" + +#: ../../mod/install.php:235 +msgid "Database Login Name" +msgstr "Nom d'utilisateur de la base" + +#: ../../mod/install.php:236 +msgid "Database Login Password" +msgstr "Mot de passe de la base" + +#: ../../mod/install.php:237 +msgid "Database Name" +msgstr "Nom de la base" + +#: ../../mod/install.php:238 ../../mod/install.php:277 +msgid "Site administrator email address" +msgstr "Adresse électronique de l'administrateur du site" + +#: ../../mod/install.php:238 ../../mod/install.php:277 +msgid "" +"Your account email address must match this in order to use the web admin " +"panel." +msgstr "Votre adresse électronique doit correspondre à celle-ci pour pouvoir utiliser l'interface d'administration." + +#: ../../mod/install.php:242 ../../mod/install.php:280 +msgid "Please select a default timezone for your website" +msgstr "Sélectionner un fuseau horaire par défaut pour votre site" + +#: ../../mod/install.php:267 +msgid "Site settings" +msgstr "Réglages du site" + +#: ../../mod/install.php:321 +msgid "Could not find a command line version of PHP in the web server PATH." +msgstr "Impossible de trouver la version \"ligne de commande\" de PHP dans le PATH du serveur web." + +#: ../../mod/install.php:322 +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 'Activating scheduled tasks'" +msgstr "Si vous n'avez pas de version \"ligne de commande\" de PHP sur votre serveur, vous ne pourrez pas utiliser le 'poller' en tâche de fond via cron. Voir 'Activating scheduled tasks'" + +#: ../../mod/install.php:326 +msgid "PHP executable path" +msgstr "Chemin vers l'exécutable de PHP" + +#: ../../mod/install.php:326 +msgid "" +"Enter full path to php executable. You can leave this blank to continue the " +"installation." +msgstr "Entrez le chemin (absolu) vers l'exécutable 'php'. Vous pouvez laisser cette ligne vide pour continuer l'installation." + +#: ../../mod/install.php:331 +msgid "Command line PHP" +msgstr "Version \"ligne de commande\" de PHP" + +#: ../../mod/install.php:340 +msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" +msgstr "L'executable PHP n'est pas le binaire php client (c'est peut être la version cgi-fcgi)" + +#: ../../mod/install.php:341 +msgid "Found PHP version: " +msgstr "Version de PHP:" + +#: ../../mod/install.php:343 +msgid "PHP cli binary" +msgstr "PHP cli binary" + +#: ../../mod/install.php:354 +msgid "" +"The command line version of PHP on your system does not have " +"\"register_argc_argv\" enabled." +msgstr "La version \"ligne de commande\" de PHP de votre système n'a pas \"register_argc_argv\" d'activé." + +#: ../../mod/install.php:355 +msgid "This is required for message delivery to work." +msgstr "Ceci est requis pour que la livraison des messages fonctionne." + +#: ../../mod/install.php:357 +msgid "PHP register_argc_argv" +msgstr "PHP register_argc_argv" + +#: ../../mod/install.php:378 +msgid "" +"Error: the \"openssl_pkey_new\" function on this system is not able to " +"generate encryption keys" +msgstr "Erreur: la fonction \"openssl_pkey_new\" de ce système ne permet pas de générer des clés de chiffrement" + +#: ../../mod/install.php:379 +msgid "" +"If running under Windows, please see " +"\"http://www.php.net/manual/en/openssl.installation.php\"." +msgstr "Si vous utilisez Windows, merci de vous réferer à \"http://www.php.net/manual/en/openssl.installation.php\"." + +#: ../../mod/install.php:381 +msgid "Generate encryption keys" +msgstr "Générer les clés de chiffrement" + +#: ../../mod/install.php:388 +msgid "libCurl PHP module" +msgstr "Module libCurl de PHP" + +#: ../../mod/install.php:389 +msgid "GD graphics PHP module" +msgstr "Module GD (graphiques) de PHP" + +#: ../../mod/install.php:390 +msgid "OpenSSL PHP module" +msgstr "Module OpenSSL de PHP" + +#: ../../mod/install.php:391 +msgid "mysqli PHP module" +msgstr "Module Mysqli de PHP" + +#: ../../mod/install.php:392 +msgid "mb_string PHP module" +msgstr "Module mb_string de PHP" + +#: ../../mod/install.php:397 ../../mod/install.php:399 +msgid "Apache mod_rewrite module" +msgstr "Module mod_rewrite Apache" + +#: ../../mod/install.php:397 +msgid "" +"Error: Apache webserver mod-rewrite module is required but not installed." +msgstr "Erreur: Le module \"rewrite\" du serveur web Apache est requis mais pas installé." + +#: ../../mod/install.php:405 +msgid "Error: libCURL PHP module required but not installed." +msgstr "Erreur: Le module PHP \"libCURL\" est requis mais pas installé." + +#: ../../mod/install.php:409 +msgid "" +"Error: GD graphics PHP module with JPEG support required but not installed." +msgstr "Erreur: Le module PHP \"GD\" disposant du support JPEG est requis mais pas installé." + +#: ../../mod/install.php:413 +msgid "Error: openssl PHP module required but not installed." +msgstr "Erreur: Le module PHP \"openssl\" est requis mais pas installé." + +#: ../../mod/install.php:417 +msgid "Error: mysqli PHP module required but not installed." +msgstr "Erreur: Le module PHP \"mysqli\" est requis mais pas installé." + +#: ../../mod/install.php:421 +msgid "Error: mb_string PHP module required but not installed." +msgstr "Erreur: le module PHP mb_string est requis mais pas installé." + +#: ../../mod/install.php:438 +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 "L'installeur web doit être en mesure de créer un fichier \".htconfig.php\" à la racine de votre serveur web, mais il en est incapable." + +#: ../../mod/install.php:439 +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 "Le plus souvent, il s'agit d'un problème de permission. Le serveur web peut ne pas être capable d'écrire dans votre répertoire - alors que vous-même le pouvez." + +#: ../../mod/install.php:440 +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 "A la fin de cette étape, nous vous fournirons un texte à sauvegarder dans un fichier nommé .htconfig.php à la racine de votre répertoire Friendica." + +#: ../../mod/install.php:441 +msgid "" +"You can alternatively skip this procedure and perform a manual installation." +" Please see the file \"INSTALL.txt\" for instructions." +msgstr "Vous pouvez également sauter cette étape et procéder à une installation manuelle. Pour cela, merci de lire le fichier \"INSTALL.txt\"." + +#: ../../mod/install.php:444 +msgid ".htconfig.php is writable" +msgstr "Fichier .htconfig.php accessible en écriture" + +#: ../../mod/install.php:454 +msgid "" +"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " +"compiles templates to PHP to speed up rendering." +msgstr "Friendica utilise le moteur de modèles Smarty3 pour le rendu d'affichage web. Smarty3 compile les modèles en PHP pour accélérer le rendu." + +#: ../../mod/install.php:455 +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 "Pour pouvoir stocker ces modèles compilés, le serveur internet doit avoir accès au droit d'écriture pour le répertoire view/smarty3/ sous le dossier racine de Friendica." + +#: ../../mod/install.php:456 +msgid "" +"Please ensure that the user that your web server runs as (e.g. www-data) has" +" write access to this folder." +msgstr "Veuillez vous assurer que l'utilisateur qui exécute votre serveur internet (p. ex. www-data) détient le droit d'accès en écriture sur ce dossier." + +#: ../../mod/install.php:457 +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: pour plus de sécurité, vous devriez ne donner le droit d'accès en écriture qu'à view/smarty3/ et pas aux fichiers modèles (.tpl) qu'il contient." + +#: ../../mod/install.php:460 +msgid "view/smarty3 is writable" +msgstr "view/smarty3 est autorisé à l écriture" + +#: ../../mod/install.php:472 +msgid "" +"Url rewrite in .htaccess is not working. Check your server configuration." +msgstr "La réécriture d'URL dans le fichier .htaccess ne fonctionne pas. Vérifiez la configuration de votre serveur." + +#: ../../mod/install.php:474 +msgid "Url rewrite is working" +msgstr "La réécriture d'URL fonctionne." + +#: ../../mod/install.php:484 +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 "Le fichier de configuration de la base (\".htconfig.php\") ne peut être créé. Merci d'utiliser le texte ci-joint pour créer ce fichier à la racine de votre hébergement." + +#: ../../mod/install.php:523 +msgid "

What next

" +msgstr "

Ensuite

" + +#: ../../mod/install.php:524 +msgid "" +"IMPORTANT: You will need to [manually] setup a scheduled task for the " +"poller." +msgstr "IMPORTANT: Vous devez configurer [manuellement] une tâche programmée pour le 'poller'." + +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Groupe créé." + +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Impossible de créer le groupe." + +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Groupe introuvable." + +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Groupe renommé." + +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Sauvegarder le groupe" + +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Créez un groupe de contacts/amis." + +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Nom du groupe: " + +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Groupe enlevé." + +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Impossible d'enlever le groupe." + +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Éditeur de groupe" + +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Membres" + +#: ../../mod/content.php:119 ../../mod/network.php:514 +msgid "No such group" +msgstr "Groupe inexistant" + +#: ../../mod/content.php:130 ../../mod/network.php:531 +msgid "Group is empty" +msgstr "Groupe vide" + +#: ../../mod/content.php:134 ../../mod/network.php:538 +msgid "Group: " +msgstr "Groupe: " + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "Voir dans le contexte" + +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "Inscription validée." + +#: ../../mod/regmod.php:92 +#, php-format +msgid "Registration revoked for %s" +msgstr "Inscription révoquée pour %s" + +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "Merci de vous connecter." + +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "Correpondance de profils" + +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Aucun mot-clé en correspondance. Merci d'ajouter des mots-clés à votre profil par défaut." + +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "s'intéresse à:" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "Impossible de localiser la publication originale." + +#: ../../mod/item.php:326 +msgid "Empty post discarded." +msgstr "Publication vide rejetée." + +#: ../../mod/item.php:919 +msgid "System error. Post not saved." +msgstr "Erreur système. Publication non sauvée." + +#: ../../mod/item.php:945 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Ce message vous a été envoyé par %s, membre du réseau social Friendica." + +#: ../../mod/item.php:947 +#, php-format +msgid "You may visit them online at %s" +msgstr "Vous pouvez leur rendre visite sur %s" + +#: ../../mod/item.php:948 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Merci de contacter l’émetteur en répondant à cette publication si vous ne souhaitez pas recevoir ces messages." + +#: ../../mod/item.php:952 +#, php-format +msgid "%s posted an update." +msgstr "%s a publié une mise à jour." + +#: ../../mod/mood.php:62 ../../include/conversation.php:227 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "%1$s est d'humeur %2$s" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "Humeur" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "Spécifiez votre humeur du moment, et informez vos amis" + +#: ../../mod/network.php:136 +msgid "Search Results For:" +msgstr "Résultats pour:" + +#: ../../mod/network.php:189 ../../include/group.php:275 +msgid "add" +msgstr "ajouter" + +#: ../../mod/network.php:350 +msgid "Commented Order" +msgstr "Tri par commentaires" + +#: ../../mod/network.php:353 +msgid "Sort by Comment Date" +msgstr "Trier par date de commentaire" + +#: ../../mod/network.php:356 +msgid "Posted Order" +msgstr "Tri des publications" + +#: ../../mod/network.php:359 +msgid "Sort by Post Date" +msgstr "Trier par date de publication" + +#: ../../mod/network.php:368 +msgid "Posts that mention or involve you" +msgstr "Publications qui vous concernent" + +#: ../../mod/network.php:374 +msgid "New" +msgstr "Nouveau" + +#: ../../mod/network.php:377 +msgid "Activity Stream - by date" +msgstr "Flux d'activités - par date" + +#: ../../mod/network.php:383 +msgid "Shared Links" +msgstr "Liens partagés" + +#: ../../mod/network.php:386 +msgid "Interesting Links" +msgstr "Liens intéressants" + +#: ../../mod/network.php:392 +msgid "Starred" +msgstr "Mis en avant" + +#: ../../mod/network.php:395 +msgid "Favourite Posts" +msgstr "Publications favorites" + +#: ../../mod/network.php:457 +#, php-format +msgid "Warning: This group contains %s member from an insecure network." +msgid_plural "" +"Warning: This group contains %s members from an insecure network." +msgstr[0] "Attention: Ce groupe contient %s membre d'un réseau non-sûr." +msgstr[1] "Attention: Ce groupe contient %s membres d'un réseau non-sûr." + +#: ../../mod/network.php:460 +msgid "Private messages to this group are at risk of public disclosure." +msgstr "Les messages privés envoyés à ce groupe s'exposent à une diffusion incontrôlée." + +#: ../../mod/network.php:548 +msgid "Contact: " +msgstr "Contact: " + +#: ../../mod/network.php:550 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "Les messages privés envoyés à ce contact s'exposent à une diffusion incontrôlée." + +#: ../../mod/network.php:555 +msgid "Invalid contact." +msgstr "Contact invalide." + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "Réglages du contact appliqués." + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "Impossible d'appliquer les réglages." + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "Réglages de réparation des contacts" + +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "ATTENTION: Manipulation réservée aux experts, toute information incorrecte pourrait empêcher la communication avec ce contact." + +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "une photo" + +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "Retour à l'éditeur de contact" + +#: ../../mod/crepair.php:161 +msgid "Account Nickname" +msgstr "Pseudo du compte" + +#: ../../mod/crepair.php:162 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@NomEtiquette - prend le pas sur Nom/Pseudo" + +#: ../../mod/crepair.php:163 +msgid "Account URL" +msgstr "URL du compte" + +#: ../../mod/crepair.php:164 +msgid "Friend Request URL" +msgstr "Echec du téléversement de l'image." + +#: ../../mod/crepair.php:165 +msgid "Friend Confirm URL" +msgstr "Accès public refusé." + +#: ../../mod/crepair.php:166 +msgid "Notification Endpoint URL" +msgstr "Aucune photo sélectionnée" + +#: ../../mod/crepair.php:167 +msgid "Poll/Feed URL" +msgstr "Téléverser des photos" + +#: ../../mod/crepair.php:168 +msgid "New photo from this URL" +msgstr "Nouvelle photo depuis cette URL" + +#: ../../mod/crepair.php:169 +msgid "Remote Self" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "Mirror postings from this contact" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "No mirroring" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "Mirror as forwarded posting" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "Mirror as my own posting" +msgstr "" + +#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 +#: ../../include/nav.php:146 +msgid "Your posts and conversations" +msgstr "Vos publications et conversations" + +#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 +msgid "Your profile page" +msgstr "Votre page de profil" + +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "Vos contacts" + +#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 +msgid "Your photos" +msgstr "Vos photos" + +#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 +msgid "Your events" +msgstr "Vos événements" + +#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 +msgid "Personal notes" +msgstr "Notes personnelles" + +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Vos photos personnelles" + +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +#: ../../view/theme/diabook/config.php:158 +msgid "Community Pages" +msgstr "Pages de Communauté" + +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +#: ../../view/theme/diabook/config.php:160 +msgid "Community Profiles" +msgstr "Profils communautaires" + +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +#: ../../view/theme/diabook/config.php:164 +msgid "Last users" +msgstr "Derniers utilisateurs" + +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +#: ../../view/theme/diabook/config.php:166 +msgid "Last likes" +msgstr "Dernièrement aimé" + +#: ../../view/theme/diabook/theme.php:463 ../../include/text.php:1963 +#: ../../include/conversation.php:118 ../../include/conversation.php:246 +msgid "event" +msgstr "évènement" + +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +#: ../../view/theme/diabook/config.php:165 +msgid "Last photos" +msgstr "Dernières photos" + +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +#: ../../view/theme/diabook/config.php:163 +msgid "Find Friends" +msgstr "Trouver des amis" #: ../../view/theme/diabook/theme.php:524 msgid "Local Directory" -msgstr "Directori Local" - -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 -msgid "Global Directory" -msgstr "Directori Global" +msgstr "Annuaire local" #: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 msgid "Similar Interests" -msgstr "Aficions Similars" - -#: ../../view/theme/diabook/theme.php:527 ../../include/contact_widgets.php:35 -#: ../../mod/suggest.php:66 -msgid "Friend Suggestions" -msgstr "Amics Suggerits" +msgstr "Intérêts similaires" #: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 msgid "Invite Friends" -msgstr "Invita Amics" +msgstr "Inviter des amis" -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 -#: ../../mod/settings.php:85 ../../mod/admin.php:1065 ../../mod/admin.php:1286 -#: ../../mod/newmember.php:22 -msgid "Settings" -msgstr "Ajustos" +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +#: ../../view/theme/diabook/config.php:159 +msgid "Earth Layers" +msgstr "Géolocalisation" #: ../../view/theme/diabook/theme.php:584 msgid "Set zoomfactor for Earth Layers" -msgstr "Ajustar el factor de zoom per Earth Layers" +msgstr "Régler le niveau de zoom pour la géolocalisation" + +#: ../../view/theme/diabook/theme.php:585 +#: ../../view/theme/diabook/config.php:156 +msgid "Set longitude (X) for Earth Layers" +msgstr "Régler la longitude (X) pour la géolocalisation" + +#: ../../view/theme/diabook/theme.php:586 +#: ../../view/theme/diabook/config.php:157 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Régler la latitude (Y) pour la géolocalisation" + +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +#: ../../view/theme/diabook/config.php:161 +msgid "Help or @NewHere ?" +msgstr "Aide ou @NewHere?" + +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +#: ../../view/theme/diabook/config.php:162 +msgid "Connect Services" +msgstr "Connecter des services" + +#: ../../view/theme/diabook/theme.php:621 +#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:328 +msgid "don't show" +msgstr "cacher" + +#: ../../view/theme/diabook/theme.php:621 +#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:327 +msgid "show" +msgstr "montrer" #: ../../view/theme/diabook/theme.php:622 msgid "Show/hide boxes at right-hand column:" -msgstr "Mostra/amaga els marcs de la columna a ma dreta" +msgstr "Montrer/cacher les boîtes dans la colonne de droite :" + +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:54 +#: ../../view/theme/dispy/config.php:72 +#: ../../view/theme/duepuntozero/config.php:61 +#: ../../view/theme/quattro/config.php:66 +#: ../../view/theme/cleanzero/config.php:82 +msgid "Theme settings" +msgstr "Réglages du thème graphique" + +#: ../../view/theme/diabook/config.php:151 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/cleanzero/config.php:84 +msgid "Set font-size for posts and comments" +msgstr "Réglez 'font-size' (taille de police) pour publications et commentaires" + +#: ../../view/theme/diabook/config.php:152 +#: ../../view/theme/dispy/config.php:74 +msgid "Set line-height for posts and comments" +msgstr "Réglez 'line-height' (hauteur de police) pour publications et commentaires" + +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Réglez la résolution de la colonne centrale" + +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Choisir le schéma de couleurs" + +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Niveau de zoom" + +#: ../../view/theme/vier/config.php:55 +msgid "Set style" +msgstr "Définir le style" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Choisir le schéma de couleurs" + +#: ../../view/theme/duepuntozero/config.php:44 ../../include/text.php:1699 +#: ../../include/user.php:247 +msgid "default" +msgstr "défaut" + +#: ../../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 "" #: ../../view/theme/quattro/config.php:67 msgid "Alignment" -msgstr "Adaptació" +msgstr "Alignement" #: ../../view/theme/quattro/config.php:67 msgid "Left" -msgstr "Esquerra" +msgstr "Gauche" #: ../../view/theme/quattro/config.php:67 msgid "Center" msgstr "Centre" +#: ../../view/theme/quattro/config.php:68 +#: ../../view/theme/cleanzero/config.php:86 +msgid "Color scheme" +msgstr "Palette de couleurs" + #: ../../view/theme/quattro/config.php:69 msgid "Posts font size" -msgstr "Mida del text en enviaments" +msgstr "Taille de texte des publications" #: ../../view/theme/quattro/config.php:70 msgid "Textareas font size" -msgstr "mida del text en Areas de Text" +msgstr "Taille de police des zones de texte" -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Establir l'esquema de color" +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Choisir une taille pour les images dans les publications et commentaires (largeur et hauteur)" -#: ../../index.php:203 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "T'has d'identificar per emprar els complements" +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Largeur du thème" -#: ../../index.php:247 ../../mod/help.php:90 -msgid "Not Found" -msgstr "No trobat" - -#: ../../index.php:250 ../../mod/help.php:93 -msgid "Page not found." -msgstr "Pàgina no trobada." - -#: ../../index.php:359 ../../mod/group.php:72 ../../mod/profperm.php:19 -msgid "Permission denied" -msgstr "Permís denegat" - -#: ../../index.php:360 ../../include/items.php:4550 ../../mod/attach.php:33 -#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 -#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 -#: ../../mod/group.php:19 ../../mod/delegate.php:6 -#: ../../mod/notifications.php:66 ../../mod/settings.php:102 -#: ../../mod/settings.php:593 ../../mod/settings.php:598 -#: ../../mod/contacts.php:249 ../../mod/wall_attach.php:55 -#: ../../mod/register.php:42 ../../mod/manage.php:96 ../../mod/editpost.php:10 -#: ../../mod/regmod.php:109 ../../mod/api.php:26 ../../mod/api.php:31 -#: ../../mod/suggest.php:56 ../../mod/nogroup.php:25 ../../mod/fsuggest.php:78 -#: ../../mod/viewcontacts.php:22 ../../mod/wall_upload.php:66 -#: ../../mod/notes.php:20 ../../mod/network.php:4 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/follow.php:9 ../../mod/uimport.php:23 -#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/events.php:140 -#: ../../mod/mood.php:114 ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 -#: ../../mod/install.php:151 ../../mod/crepair.php:117 ../../mod/poke.php:135 -#: ../../mod/display.php:455 ../../mod/dfrn_confirm.php:55 -#: ../../mod/item.php:148 ../../mod/item.php:164 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/allfriends.php:9 -msgid "Permission denied." -msgstr "Permís denegat." - -#: ../../index.php:419 -msgid "toggle mobile" -msgstr "canviar a mòbil" - -#: ../../boot.php:719 +#: ../../boot.php:723 msgid "Delete this item?" -msgstr "Esborrar aquest element?" +msgstr "Effacer cet élément?" -#: ../../boot.php:720 ../../object/Item.php:361 ../../object/Item.php:677 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 ../../mod/content.php:709 -msgid "Comment" -msgstr "Comentari" - -#: ../../boot.php:721 ../../include/contact_widgets.php:205 -#: ../../object/Item.php:390 ../../mod/content.php:606 -msgid "show more" -msgstr "Mostrar més" - -#: ../../boot.php:722 +#: ../../boot.php:726 msgid "show fewer" -msgstr "Mostrar menys" +msgstr "montrer moins" -#: ../../boot.php:1042 ../../boot.php:1073 +#: ../../boot.php:1096 #, php-format msgid "Update %s failed. See error logs." -msgstr "Actualització de %s fracassà. Mira el registre d'errors." +msgstr "Mise-à-jour %s échouée. Voir les journaux d'erreur." -#: ../../boot.php:1194 +#: ../../boot.php:1214 msgid "Create a New Account" -msgstr "Crear un Nou Compte" +msgstr "Créer un nouveau compte" -#: ../../boot.php:1195 ../../include/nav.php:109 ../../mod/register.php:266 -msgid "Register" -msgstr "Registrar" - -#: ../../boot.php:1219 ../../include/nav.php:73 +#: ../../boot.php:1239 ../../include/nav.php:73 msgid "Logout" -msgstr "Sortir" +msgstr "Se déconnecter" -#: ../../boot.php:1220 ../../include/nav.php:92 +#: ../../boot.php:1240 ../../include/nav.php:92 msgid "Login" -msgstr "Identifica't" +msgstr "Connexion" -#: ../../boot.php:1222 +#: ../../boot.php:1242 msgid "Nickname or Email address: " -msgstr "Àlies o Adreça de correu:" +msgstr "Pseudo ou courriel: " -#: ../../boot.php:1223 +#: ../../boot.php:1243 msgid "Password: " -msgstr "Contrasenya:" +msgstr "Mot de passe: " -#: ../../boot.php:1224 +#: ../../boot.php:1244 msgid "Remember me" -msgstr "Recorda'm ho" +msgstr "Se souvenir de moi" -#: ../../boot.php:1227 +#: ../../boot.php:1247 msgid "Or login using OpenID: " -msgstr "O accedixi emprant OpenID:" +msgstr "Ou connectez-vous via OpenID: " -#: ../../boot.php:1233 +#: ../../boot.php:1253 msgid "Forgot your password?" -msgstr "Oblidà la contrasenya?" +msgstr "Mot de passe oublié?" -#: ../../boot.php:1234 ../../mod/lostpass.php:109 -msgid "Password Reset" -msgstr "Restabliment de Contrasenya" - -#: ../../boot.php:1236 +#: ../../boot.php:1256 msgid "Website Terms of Service" -msgstr "Termes del Servei al Llocweb" +msgstr "Conditions d'utilisation du site internet" -#: ../../boot.php:1237 +#: ../../boot.php:1257 msgid "terms of service" -msgstr "termes del servei" +msgstr "conditions d'utilisation" -#: ../../boot.php:1239 +#: ../../boot.php:1259 msgid "Website Privacy Policy" -msgstr "Política de Privacitat al Llocweb" +msgstr "Politique de confidentialité du site internet" -#: ../../boot.php:1240 +#: ../../boot.php:1260 msgid "privacy policy" -msgstr "política de privacitat" +msgstr "politique de confidentialité" -#: ../../boot.php:1373 +#: ../../boot.php:1393 msgid "Requested account is not available." -msgstr "El compte sol·licitat no esta disponible" +msgstr "Le compte demandé n'est pas disponible." -#: ../../boot.php:1412 ../../mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "El perfil sol·licitat no està disponible." - -#: ../../boot.php:1455 ../../boot.php:1589 +#: ../../boot.php:1475 ../../boot.php:1609 #: ../../include/profile_advanced.php:84 msgid "Edit profile" -msgstr "Editar perfil" +msgstr "Editer le profil" -#: ../../boot.php:1522 ../../include/contact_widgets.php:10 -#: ../../mod/suggest.php:88 ../../mod/match.php:58 -msgid "Connect" -msgstr "Connexió" - -#: ../../boot.php:1554 +#: ../../boot.php:1574 msgid "Message" -msgstr "Missatge" +msgstr "Message" -#: ../../boot.php:1560 ../../include/nav.php:173 +#: ../../boot.php:1580 ../../include/nav.php:173 msgid "Profiles" -msgstr "Perfils" +msgstr "Profils" -#: ../../boot.php:1560 +#: ../../boot.php:1580 msgid "Manage/edit profiles" -msgstr "Gestiona/edita perfils" +msgstr "Gérer/éditer les profils" -#: ../../boot.php:1565 ../../boot.php:1591 ../../mod/profiles.php:763 -msgid "Change profile photo" -msgstr "Canviar la foto del perfil" - -#: ../../boot.php:1566 ../../mod/profiles.php:764 -msgid "Create New Profile" -msgstr "Crear un Nou Perfil" - -#: ../../boot.php:1576 ../../mod/profiles.php:775 -msgid "Profile Image" -msgstr "Imatge del Perfil" - -#: ../../boot.php:1579 ../../mod/profiles.php:777 -msgid "visible to everybody" -msgstr "Visible per tothom" - -#: ../../boot.php:1580 ../../mod/profiles.php:778 -msgid "Edit visibility" -msgstr "Editar visibilitat" - -#: ../../boot.php:1602 ../../include/event.php:40 -#: ../../include/bb2diaspora.php:156 ../../mod/events.php:471 -#: ../../mod/directory.php:136 -msgid "Location:" -msgstr "Ubicació:" - -#: ../../boot.php:1604 ../../include/profile_advanced.php:17 -#: ../../mod/directory.php:138 -msgid "Gender:" -msgstr "Gènere:" - -#: ../../boot.php:1607 ../../include/profile_advanced.php:37 -#: ../../mod/directory.php:140 -msgid "Status:" -msgstr "Estatus:" - -#: ../../boot.php:1609 ../../include/profile_advanced.php:48 -#: ../../mod/directory.php:142 -msgid "Homepage:" -msgstr "Pàgina web:" - -#: ../../boot.php:1657 +#: ../../boot.php:1677 msgid "Network:" -msgstr "" +msgstr "Réseau" -#: ../../boot.php:1687 ../../boot.php:1773 +#: ../../boot.php:1707 ../../boot.php:1793 msgid "g A l F d" -msgstr "g A l F d" +msgstr "g A | F d" -#: ../../boot.php:1688 ../../boot.php:1774 +#: ../../boot.php:1708 ../../boot.php:1794 msgid "F d" msgstr "F d" -#: ../../boot.php:1733 ../../boot.php:1814 +#: ../../boot.php:1753 ../../boot.php:1834 msgid "[today]" -msgstr "[avui]" +msgstr "[aujourd'hui]" -#: ../../boot.php:1745 +#: ../../boot.php:1765 msgid "Birthday Reminders" -msgstr "Recordatori d'Aniversaris" +msgstr "Rappels d'anniversaires" -#: ../../boot.php:1746 +#: ../../boot.php:1766 msgid "Birthdays this week:" -msgstr "Aniversari aquesta setmana" +msgstr "Anniversaires cette semaine:" -#: ../../boot.php:1807 +#: ../../boot.php:1827 msgid "[No description]" -msgstr "[sense descripció]" +msgstr "[Sans description]" -#: ../../boot.php:1825 +#: ../../boot.php:1845 msgid "Event Reminders" -msgstr "Recordatori d'Esdeveniments" +msgstr "Rappels d'événements" -#: ../../boot.php:1826 +#: ../../boot.php:1846 msgid "Events this week:" -msgstr "Esdeveniments aquesta setmana" +msgstr "Evénements cette semaine:" -#: ../../boot.php:2063 ../../include/nav.php:76 +#: ../../boot.php:2083 ../../include/nav.php:76 msgid "Status" -msgstr "Estatus" +msgstr "Statut" -#: ../../boot.php:2066 +#: ../../boot.php:2086 msgid "Status Messages and Posts" -msgstr "Missatges i Enviaments d'Estatus" +msgstr "Messages d'état et publications" -#: ../../boot.php:2073 +#: ../../boot.php:2093 msgid "Profile Details" -msgstr "Detalls del Perfil" +msgstr "Détails du profil" -#: ../../boot.php:2080 ../../mod/photos.php:52 -msgid "Photo Albums" -msgstr "Àlbum de Fotos" - -#: ../../boot.php:2084 ../../boot.php:2087 ../../include/nav.php:79 +#: ../../boot.php:2104 ../../boot.php:2107 ../../include/nav.php:79 msgid "Videos" -msgstr "Vídeos" +msgstr "Vidéos" -#: ../../boot.php:2097 +#: ../../boot.php:2117 msgid "Events and Calendar" -msgstr "Esdeveniments i Calendari" +msgstr "Événements et agenda" -#: ../../boot.php:2101 ../../mod/notes.php:44 -msgid "Personal Notes" -msgstr "Notes Personals" - -#: ../../boot.php:2104 +#: ../../boot.php:2124 msgid "Only You Can See This" -msgstr "Només ho pots veure tu" +msgstr "Vous seul pouvez voir ça" #: ../../include/features.php:23 msgid "General Features" -msgstr "Característiques Generals" +msgstr "Fonctions générales" #: ../../include/features.php:25 msgid "Multiple Profiles" -msgstr "Perfils Múltiples" +msgstr "Profils multiples" #: ../../include/features.php:25 msgid "Ability to create multiple profiles" -msgstr "Habilitat per crear múltiples perfils" +msgstr "Possibilité de créer plusieurs profils" #: ../../include/features.php:30 msgid "Post Composition Features" -msgstr "Característiques de Composició d'Enviaments" +msgstr "Caractéristiques de composition de publication" #: ../../include/features.php:31 msgid "Richtext Editor" -msgstr "Editor de Text Enriquit" +msgstr "Éditeur de texte enrichi" #: ../../include/features.php:31 msgid "Enable richtext editor" -msgstr "Activar l'Editor de Text Enriquit" +msgstr "Activer l'éditeur de texte enrichi" #: ../../include/features.php:32 msgid "Post Preview" -msgstr "Vista Prèvia de l'Enviament" +msgstr "Aperçu de la publication" #: ../../include/features.php:32 msgid "Allow previewing posts and comments before publishing them" -msgstr "Permetre la vista prèvia dels enviament i comentaris abans de publicar-los" +msgstr "Permet la prévisualisation des publications et commentaires avant de les publier" #: ../../include/features.php:33 msgid "Auto-mention Forums" @@ -629,128 +5860,123 @@ msgstr "" #: ../../include/features.php:38 msgid "Network Sidebar Widgets" -msgstr "Barra Lateral Selectora de Xarxa " +msgstr "Widgets réseau pour barre latérale" #: ../../include/features.php:39 msgid "Search by Date" -msgstr "Cerca per Data" +msgstr "Rechercher par Date" #: ../../include/features.php:39 msgid "Ability to select posts by date ranges" -msgstr "Possibilitat de seleccionar els missatges per intervals de temps" +msgstr "Capacité de sélectionner les publications par intervalles de dates" #: ../../include/features.php:40 msgid "Group Filter" -msgstr "Filtre de Grup" +msgstr "Filtre de groupe" #: ../../include/features.php:40 msgid "Enable widget to display Network posts only from selected group" -msgstr "Habilitar botò per veure missatges de Xarxa només del grup seleccionat" +msgstr "Activer le widget d’affichage des publications du réseau seulement pour le groupe sélectionné" #: ../../include/features.php:41 msgid "Network Filter" -msgstr "Filtre de Xarxa" +msgstr "Filtre de réseau" #: ../../include/features.php:41 msgid "Enable widget to display Network posts only from selected network" -msgstr "Habilitar botò per veure missatges de Xarxa només de la xarxa seleccionada" - -#: ../../include/features.php:42 ../../mod/network.php:188 -#: ../../mod/search.php:30 -msgid "Saved Searches" -msgstr "Cerques Guardades" +msgstr "Activer le widget d’affichage des publications du réseau seulement pour le réseau sélectionné" #: ../../include/features.php:42 msgid "Save search terms for re-use" -msgstr "Guarda els termes de cerca per re-emprar" +msgstr "Sauvegarder la recherche pour une utilisation ultérieure" #: ../../include/features.php:47 msgid "Network Tabs" -msgstr "Pestanya Xarxes" +msgstr "Onglets Réseau" #: ../../include/features.php:48 msgid "Network Personal Tab" -msgstr "Pestanya Xarxa Personal" +msgstr "Onglet Réseau Personnel" #: ../../include/features.php:48 msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Habilitar la pestanya per veure unicament missatges de Xarxa en els que has intervingut" +msgstr "Activer l'onglet pour afficher seulement les publications du réseau où vous avez interagit" #: ../../include/features.php:49 msgid "Network New Tab" -msgstr "Pestanya Nova Xarxa" +msgstr "Nouvel onglet réseaux" #: ../../include/features.php:49 msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "Habilitar la pestanya per veure només els nous missatges de Xarxa (els de les darreres 12 hores)" +msgstr "Activer l'onglet pour afficher seulement les publications du réseau (dans les 12 dernières heures)" #: ../../include/features.php:50 msgid "Network Shared Links Tab" -msgstr "Pestanya d'Enllaços de Xarxa Compartits" +msgstr "Onglet réseau partagé" #: ../../include/features.php:50 msgid "Enable tab to display only Network posts with links in them" -msgstr "Habilitar la pestanya per veure els missatges de Xarxa amb enllaços en ells" +msgstr "Activer l'onglet pour afficher seulement les publications du réseau contenant des liens" #: ../../include/features.php:55 msgid "Post/Comment Tools" -msgstr "Eines d'Enviaments/Comentaris" +msgstr "outils de publication/commentaire" #: ../../include/features.php:56 msgid "Multiple Deletion" -msgstr "Esborrat Múltiple" +msgstr "Suppression multiple" #: ../../include/features.php:56 msgid "Select and delete multiple posts/comments at once" -msgstr "Sel·lecciona i esborra múltiples enviaments/commentaris en una vegada" +msgstr "Sélectionner et supprimer plusieurs publications/commentaires à la fois" #: ../../include/features.php:57 msgid "Edit Sent Posts" -msgstr "Editar Missatges Enviats" +msgstr "Éditer les publications envoyées" #: ../../include/features.php:57 msgid "Edit and correct posts and comments after sending" -msgstr "Edita i corregeix enviaments i comentaris una vegada han estat enviats" +msgstr "Éditer et corriger les publications et commentaires après l'envoi" #: ../../include/features.php:58 msgid "Tagging" -msgstr "Etiquetant" +msgstr "Étiquettage" #: ../../include/features.php:58 msgid "Ability to tag existing posts" -msgstr "Habilitar el etiquetar missatges existents" +msgstr "Possibilité d'étiqueter les publications existantes" #: ../../include/features.php:59 msgid "Post Categories" -msgstr "Categories en Enviaments" +msgstr "Catégories des publications" #: ../../include/features.php:59 msgid "Add categories to your posts" -msgstr "Afegeix categories als teus enviaments" +msgstr "Ajouter des catégories à vos publications" #: ../../include/features.php:60 ../../include/contact_widgets.php:104 msgid "Saved Folders" -msgstr "Carpetes Guardades" +msgstr "Dossiers sauvegardés" #: ../../include/features.php:60 msgid "Ability to file posts under folders" -msgstr "Habilitar el arxivar missatges en carpetes" +msgstr "Possibilité d'afficher les publications sous les répertoires" #: ../../include/features.php:61 msgid "Dislike Posts" -msgstr "No agrada el Missatge" +msgstr "Publications non aimées" #: ../../include/features.php:61 msgid "Ability to dislike posts/comments" -msgstr "Habilita el marcar amb \"no agrada\" els enviaments/comentaris" +msgstr "Possibilité de ne pas aimer les publications/commentaires" #: ../../include/features.php:62 msgid "Star Posts" -msgstr "Missatge Estelar" +msgstr "Publications spéciales" #: ../../include/features.php:62 msgid "Ability to mark special posts with a star indicator" -msgstr "Habilita el marcar amb un estel, missatges especials" +msgstr "Possibilité de marquer les publications spéciales d'une étoile" #: ../../include/features.php:63 msgid "Mute Post Notifications" @@ -760,121 +5986,924 @@ msgstr "" msgid "Ability to mute notifications for a thread" msgstr "" -#: ../../include/items.php:2090 ../../include/datetime.php:472 -#, php-format -msgid "%s's birthday" -msgstr "%s aniversari" +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Déconnecté." -#: ../../include/items.php:2091 ../../include/datetime.php:473 -#, php-format -msgid "Happy Birthday %s" -msgstr "Feliç Aniversari %s" - -#: ../../include/items.php:3856 ../../mod/dfrn_request.php:721 -#: ../../mod/dfrn_confirm.php:752 -msgid "[Name Withheld]" -msgstr "[Nom Amagat]" - -#: ../../include/items.php:4354 ../../mod/admin.php:166 -#: ../../mod/admin.php:1013 ../../mod/admin.php:1226 ../../mod/viewsrc.php:15 -#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 -#: ../../mod/display.php:459 -msgid "Item not found." -msgstr "Article no trobat." - -#: ../../include/items.php:4393 -msgid "Do you really want to delete this item?" -msgstr "Realment vols esborrar aquest article?" - -#: ../../include/items.php:4395 ../../mod/settings.php:1007 -#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 -#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 -#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 -#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 -#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/contacts.php:332 ../../mod/register.php:230 -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:105 -#: ../../mod/suggest.php:29 ../../mod/message.php:209 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:623 -msgid "Yes" -msgstr "Si" - -#: ../../include/items.php:4398 ../../include/conversation.php:1129 -#: ../../mod/settings.php:612 ../../mod/settings.php:638 -#: ../../mod/contacts.php:335 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:848 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../mod/suggest.php:32 -#: ../../mod/photos.php:203 ../../mod/photos.php:292 ../../mod/tagrm.php:11 -#: ../../mod/tagrm.php:94 ../../mod/message.php:212 -msgid "Cancel" -msgstr "Cancel·lar" - -#: ../../include/items.php:4616 -msgid "Archives" -msgstr "Arxius" - -#: ../../include/group.php:25 +#: ../../include/auth.php:128 ../../include/user.php:67 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 "Un grup eliminat amb aquest nom va ser restablert. Els permisos dels elements existents poden aplicar-se a aquest grup i tots els futurs membres. Si això no és el que pretén, si us plau, crei un altre grup amb un nom diferent." +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Nous avons eu un souci avec l'OpenID que vous avez fourni. merci de vérifier l'orthographe correcte de ce dernier." -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Privacitat per defecte per a nous contactes" +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Le message d'erreur était :" -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Tothom" +#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 +msgid "Starts:" +msgstr "Débute:" -#: ../../include/group.php:249 -msgid "edit" -msgstr "editar" +#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 +msgid "Finishes:" +msgstr "Finit:" -#: ../../include/group.php:270 ../../mod/newmember.php:66 -msgid "Groups" -msgstr "Grups" +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "j F, Y" -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Editar grup" +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "j F" -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Crear un nou grup" +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "Anniversaire:" -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Contactes en cap grup" +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "Age:" -#: ../../include/group.php:275 ../../mod/network.php:189 -msgid "add" -msgstr "afegir" +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "depuis %1$d %2$s" -#: ../../include/Photo_old.php:911 ../../include/Photo_old.php:926 -#: ../../include/Photo_old.php:933 ../../include/Photo_old.php:955 -#: ../../include/Photo.php:911 ../../include/Photo.php:926 -#: ../../include/Photo.php:933 ../../include/Photo.php:955 -#: ../../include/message.php:144 ../../mod/wall_upload.php:169 -#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 -#: ../../mod/item.php:463 -msgid "Wall Photos" -msgstr "Fotos del Mur" +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "Étiquette:" -#: ../../include/dba.php:51 ../../include/dba_pdo.php:72 +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "Religion:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "Passe-temps/Centres d'intérêt:" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "Coordonnées/Réseaux sociaux:" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "Goûts musicaux:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "Lectures:" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "Télévision:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "Cinéma/Danse/Culture/Divertissement:" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "Amour/Romance:" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "Activité professionnelle/Occupation:" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "Études/Formation:" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[pas de sujet]" + +#: ../../include/Scrape.php:584 +msgid " on Last.fm" +msgstr "sur Last.fm" + +#: ../../include/text.php:296 +msgid "newer" +msgstr "Plus récent" + +#: ../../include/text.php:298 +msgid "older" +msgstr "Plus ancien" + +#: ../../include/text.php:303 +msgid "prev" +msgstr "précédent" + +#: ../../include/text.php:305 +msgid "first" +msgstr "premier" + +#: ../../include/text.php:337 +msgid "last" +msgstr "dernier" + +#: ../../include/text.php:340 +msgid "next" +msgstr "suivant" + +#: ../../include/text.php:854 +msgid "No contacts" +msgstr "Aucun contact" + +#: ../../include/text.php:863 +#, php-format +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d contact" +msgstr[1] "%d contacts" + +#: ../../include/text.php:1004 +msgid "poke" +msgstr "titiller" + +#: ../../include/text.php:1004 ../../include/conversation.php:211 +msgid "poked" +msgstr "a titillé" + +#: ../../include/text.php:1005 +msgid "ping" +msgstr "attirer l'attention" + +#: ../../include/text.php:1005 +msgid "pinged" +msgstr "a attiré l'attention de" + +#: ../../include/text.php:1006 +msgid "prod" +msgstr "aiguillonner" + +#: ../../include/text.php:1006 +msgid "prodded" +msgstr "a aiguillonné" + +#: ../../include/text.php:1007 +msgid "slap" +msgstr "gifler" + +#: ../../include/text.php:1007 +msgid "slapped" +msgstr "a giflé" + +#: ../../include/text.php:1008 +msgid "finger" +msgstr "tripoter" + +#: ../../include/text.php:1008 +msgid "fingered" +msgstr "a tripoté" + +#: ../../include/text.php:1009 +msgid "rebuff" +msgstr "rabrouer" + +#: ../../include/text.php:1009 +msgid "rebuffed" +msgstr "a rabroué" + +#: ../../include/text.php:1023 +msgid "happy" +msgstr "heureuse" + +#: ../../include/text.php:1024 +msgid "sad" +msgstr "triste" + +#: ../../include/text.php:1025 +msgid "mellow" +msgstr "suave" + +#: ../../include/text.php:1026 +msgid "tired" +msgstr "fatiguée" + +#: ../../include/text.php:1027 +msgid "perky" +msgstr "guillerette" + +#: ../../include/text.php:1028 +msgid "angry" +msgstr "colérique" + +#: ../../include/text.php:1029 +msgid "stupified" +msgstr "stupéfaite" + +#: ../../include/text.php:1030 +msgid "puzzled" +msgstr "perplexe" + +#: ../../include/text.php:1031 +msgid "interested" +msgstr "intéressée" + +#: ../../include/text.php:1032 +msgid "bitter" +msgstr "amère" + +#: ../../include/text.php:1033 +msgid "cheerful" +msgstr "entraînante" + +#: ../../include/text.php:1034 +msgid "alive" +msgstr "vivante" + +#: ../../include/text.php:1035 +msgid "annoyed" +msgstr "ennuyée" + +#: ../../include/text.php:1036 +msgid "anxious" +msgstr "anxieuse" + +#: ../../include/text.php:1037 +msgid "cranky" +msgstr "excentrique" + +#: ../../include/text.php:1038 +msgid "disturbed" +msgstr "dérangée" + +#: ../../include/text.php:1039 +msgid "frustrated" +msgstr "frustrée" + +#: ../../include/text.php:1040 +msgid "motivated" +msgstr "motivée" + +#: ../../include/text.php:1041 +msgid "relaxed" +msgstr "détendue" + +#: ../../include/text.php:1042 +msgid "surprised" +msgstr "surprise" + +#: ../../include/text.php:1210 +msgid "Monday" +msgstr "Lundi" + +#: ../../include/text.php:1210 +msgid "Tuesday" +msgstr "Mardi" + +#: ../../include/text.php:1210 +msgid "Wednesday" +msgstr "Mercredi" + +#: ../../include/text.php:1210 +msgid "Thursday" +msgstr "Jeudi" + +#: ../../include/text.php:1210 +msgid "Friday" +msgstr "Vendredi" + +#: ../../include/text.php:1210 +msgid "Saturday" +msgstr "Samedi" + +#: ../../include/text.php:1210 +msgid "Sunday" +msgstr "Dimanche" + +#: ../../include/text.php:1214 +msgid "January" +msgstr "Janvier" + +#: ../../include/text.php:1214 +msgid "February" +msgstr "Février" + +#: ../../include/text.php:1214 +msgid "March" +msgstr "Mars" + +#: ../../include/text.php:1214 +msgid "April" +msgstr "Avril" + +#: ../../include/text.php:1214 +msgid "May" +msgstr "Mai" + +#: ../../include/text.php:1214 +msgid "June" +msgstr "Juin" + +#: ../../include/text.php:1214 +msgid "July" +msgstr "Juillet" + +#: ../../include/text.php:1214 +msgid "August" +msgstr "Août" + +#: ../../include/text.php:1214 +msgid "September" +msgstr "Septembre" + +#: ../../include/text.php:1214 +msgid "October" +msgstr "Octobre" + +#: ../../include/text.php:1214 +msgid "November" +msgstr "Novembre" + +#: ../../include/text.php:1214 +msgid "December" +msgstr "Décembre" + +#: ../../include/text.php:1434 +msgid "bytes" +msgstr "octets" + +#: ../../include/text.php:1458 ../../include/text.php:1470 +msgid "Click to open/close" +msgstr "Cliquer pour ouvrir/fermer" + +#: ../../include/text.php:1711 +msgid "Select an alternate language" +msgstr "Choisir une langue alternative" + +#: ../../include/text.php:1967 +msgid "activity" +msgstr "activité" + +#: ../../include/text.php:1970 +msgid "post" +msgstr "publication" + +#: ../../include/text.php:2138 +msgid "Item filed" +msgstr "Élément classé" + +#: ../../include/api.php:278 ../../include/api.php:289 +#: ../../include/api.php:390 ../../include/api.php:975 +#: ../../include/api.php:977 +msgid "User not found." +msgstr "Utilisateur non trouvé" + +#: ../../include/api.php:1184 +msgid "There is no status with this id." +msgstr "Il n'y a pas de statut avec cet id." + +#: ../../include/api.php:1254 +msgid "There is no conversation with this id." +msgstr "Il n'y a pas de conversation avec cet id." + +#: ../../include/dba.php:56 ../../include/dba_pdo.php:72 #, php-format msgid "Cannot locate DNS info for database server '%s'" -msgstr "No put trobar informació de DNS del servidor de base de dades '%s'" +msgstr "Impossible de localiser les informations DNS pour le serveur de base de données '%s'" + +#: ../../include/items.php:2112 ../../include/datetime.php:472 +#, php-format +msgid "%s's birthday" +msgstr "Anniversaire de %s's" + +#: ../../include/items.php:2113 ../../include/datetime.php:473 +#, php-format +msgid "Happy Birthday %s" +msgstr "Joyeux anniversaire, %s !" + +#: ../../include/items.php:4418 +msgid "Do you really want to delete this item?" +msgstr "Voulez-vous vraiment supprimer cet élément ?" + +#: ../../include/items.php:4641 +msgid "Archives" +msgstr "Archives" + +#: ../../include/delivery.php:456 ../../include/notifier.php:774 +msgid "(no subject)" +msgstr "(sans titre)" + +#: ../../include/delivery.php:467 ../../include/notifier.php:784 +#: ../../include/enotify.php:30 +msgid "noreply" +msgstr "noreply" + +#: ../../include/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "Notification de partage du réseau Diaspora" + +#: ../../include/diaspora.php:2312 +msgid "Attachments:" +msgstr "Pièces jointes : " + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "URL de connexion manquante." + +#: ../../include/follow.php:59 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "Ce site n'est pas configuré pour dialoguer avec d'autres réseaux." + +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Aucun protocole de communication ni aucun flux n'a pu être découvert." + +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "L'adresse de profil indiquée ne fournit par les informations adéquates." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Aucun auteur ou nom d'auteur n'a pu être trouvé." + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Aucune URL de navigation ne correspond à cette adresse." + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Impossible de faire correspondre l'adresse d'identité en \"@\" avec un protocole connu ou un contact courriel." + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Utilisez mailto: en face d'une adresse pour l'obliger à être reconnue comme courriel." + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "L'adresse de profil spécifiée correspond à un réseau qui a été désactivé sur ce site." + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Profil limité. Cette personne ne sera pas capable de recevoir des notifications directes/personnelles de votre part." + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Impossible de récupérer les informations du contact." + +#: ../../include/follow.php:259 +msgid "following" +msgstr "following" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Bienvenue " + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Merci d'illustrer votre profil d'une image." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Bienvenue à nouveau, " + +#: ../../include/security.php:366 +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 "Le jeton de sécurité du formulaire n'est pas correct. Ceci veut probablement dire que le formulaire est resté ouvert trop longtemps (plus de 3 heures) avant d'être validé." + +#: ../../include/profile_selectors.php:6 +msgid "Male" +msgstr "Masculin" + +#: ../../include/profile_selectors.php:6 +msgid "Female" +msgstr "Féminin" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Male" +msgstr "Actuellement masculin" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Female" +msgstr "Actuellement féminin" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Male" +msgstr "Principalement masculin" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Female" +msgstr "Principalement féminin" + +#: ../../include/profile_selectors.php:6 +msgid "Transgender" +msgstr "Transgenre" + +#: ../../include/profile_selectors.php:6 +msgid "Intersex" +msgstr "Inter-sexe" + +#: ../../include/profile_selectors.php:6 +msgid "Transsexual" +msgstr "Transsexuel" + +#: ../../include/profile_selectors.php:6 +msgid "Hermaphrodite" +msgstr "Hermaphrodite" + +#: ../../include/profile_selectors.php:6 +msgid "Neuter" +msgstr "Neutre" + +#: ../../include/profile_selectors.php:6 +msgid "Non-specific" +msgstr "Non-spécifique" + +#: ../../include/profile_selectors.php:6 +msgid "Other" +msgstr "Autre" + +#: ../../include/profile_selectors.php:6 +msgid "Undecided" +msgstr "Indécis" + +#: ../../include/profile_selectors.php:23 +msgid "Males" +msgstr "Hommes" + +#: ../../include/profile_selectors.php:23 +msgid "Females" +msgstr "Femmes" + +#: ../../include/profile_selectors.php:23 +msgid "Gay" +msgstr "Gay" + +#: ../../include/profile_selectors.php:23 +msgid "Lesbian" +msgstr "Lesbienne" + +#: ../../include/profile_selectors.php:23 +msgid "No Preference" +msgstr "Sans préférence" + +#: ../../include/profile_selectors.php:23 +msgid "Bisexual" +msgstr "Bisexuel" + +#: ../../include/profile_selectors.php:23 +msgid "Autosexual" +msgstr "Auto-sexuel" + +#: ../../include/profile_selectors.php:23 +msgid "Abstinent" +msgstr "Abstinent" + +#: ../../include/profile_selectors.php:23 +msgid "Virgin" +msgstr "Vierge" + +#: ../../include/profile_selectors.php:23 +msgid "Deviant" +msgstr "Déviant" + +#: ../../include/profile_selectors.php:23 +msgid "Fetish" +msgstr "Fétichiste" + +#: ../../include/profile_selectors.php:23 +msgid "Oodles" +msgstr "Oodles" + +#: ../../include/profile_selectors.php:23 +msgid "Nonsexual" +msgstr "Non-sexuel" + +#: ../../include/profile_selectors.php:42 +msgid "Single" +msgstr "Célibataire" + +#: ../../include/profile_selectors.php:42 +msgid "Lonely" +msgstr "Esseulé" + +#: ../../include/profile_selectors.php:42 +msgid "Available" +msgstr "Disponible" + +#: ../../include/profile_selectors.php:42 +msgid "Unavailable" +msgstr "Indisponible" + +#: ../../include/profile_selectors.php:42 +msgid "Has crush" +msgstr "Attiré par quelqu'un" + +#: ../../include/profile_selectors.php:42 +msgid "Infatuated" +msgstr "Entiché" + +#: ../../include/profile_selectors.php:42 +msgid "Dating" +msgstr "Dans une relation" + +#: ../../include/profile_selectors.php:42 +msgid "Unfaithful" +msgstr "Infidèle" + +#: ../../include/profile_selectors.php:42 +msgid "Sex Addict" +msgstr "Accro au sexe" + +#: ../../include/profile_selectors.php:42 ../../include/user.php:289 +#: ../../include/user.php:293 +msgid "Friends" +msgstr "Amis" + +#: ../../include/profile_selectors.php:42 +msgid "Friends/Benefits" +msgstr "Amis par intérêt" + +#: ../../include/profile_selectors.php:42 +msgid "Casual" +msgstr "Casual" + +#: ../../include/profile_selectors.php:42 +msgid "Engaged" +msgstr "Fiancé" + +#: ../../include/profile_selectors.php:42 +msgid "Married" +msgstr "Marié" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily married" +msgstr "Se croit marié" + +#: ../../include/profile_selectors.php:42 +msgid "Partners" +msgstr "Partenaire" + +#: ../../include/profile_selectors.php:42 +msgid "Cohabiting" +msgstr "En cohabitation" + +#: ../../include/profile_selectors.php:42 +msgid "Common law" +msgstr "Marié \"de fait\"/\"sui juris\" (concubin)" + +#: ../../include/profile_selectors.php:42 +msgid "Happy" +msgstr "Heureux" + +#: ../../include/profile_selectors.php:42 +msgid "Not looking" +msgstr "Pas intéressé" + +#: ../../include/profile_selectors.php:42 +msgid "Swinger" +msgstr "Échangiste" + +#: ../../include/profile_selectors.php:42 +msgid "Betrayed" +msgstr "Trahi(e)" + +#: ../../include/profile_selectors.php:42 +msgid "Separated" +msgstr "Séparé" + +#: ../../include/profile_selectors.php:42 +msgid "Unstable" +msgstr "Instable" + +#: ../../include/profile_selectors.php:42 +msgid "Divorced" +msgstr "Divorcé" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily divorced" +msgstr "Se croit divorcé" + +#: ../../include/profile_selectors.php:42 +msgid "Widowed" +msgstr "Veuf/Veuve" + +#: ../../include/profile_selectors.php:42 +msgid "Uncertain" +msgstr "Incertain" + +#: ../../include/profile_selectors.php:42 +msgid "It's complicated" +msgstr "C'est compliqué" + +#: ../../include/profile_selectors.php:42 +msgid "Don't care" +msgstr "S'en désintéresse" + +#: ../../include/profile_selectors.php:42 +msgid "Ask me" +msgstr "Me demander" + +#: ../../include/uimport.php:94 +msgid "Error decoding account file" +msgstr "Une erreur a été détecté en décodant un fichier utilisateur" + +#: ../../include/uimport.php:100 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Erreur ! Pas de ficher de version existant ! Êtes vous sur un compte Friendica ?" + +#: ../../include/uimport.php:116 ../../include/uimport.php:127 +msgid "Error! Cannot check nickname" +msgstr "Erreur! Pseudo invalide" + +#: ../../include/uimport.php:120 ../../include/uimport.php:131 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "L'utilisateur '%s' existe déjà sur ce serveur!" + +#: ../../include/uimport.php:153 +msgid "User creation error" +msgstr "Erreur de création d'utilisateur" + +#: ../../include/uimport.php:171 +msgid "User profile creation error" +msgstr "Erreur de création du profil utilisateur" + +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d contacts non importés" +msgstr[1] "%d contacts non importés" + +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" +msgstr "Action réalisé. Vous pouvez désormais vous connecter avec votre nom d'utilisateur et votre mot de passe" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Cliquez ici pour mettre à jour." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Cette action dépasse les limites définies par votre abonnement." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Cette action n'est pas disponible avec votre abonnement." + +#: ../../include/conversation.php:207 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s a sollicité %2$s" + +#: ../../include/conversation.php:291 +msgid "post/item" +msgstr "publication/élément" + +#: ../../include/conversation.php:292 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s a marqué le %3$s de %2$s comme favori" + +#: ../../include/conversation.php:772 +msgid "remove" +msgstr "enlever" + +#: ../../include/conversation.php:776 +msgid "Delete Selected Items" +msgstr "Supprimer les éléments sélectionnés" + +#: ../../include/conversation.php:875 +msgid "Follow Thread" +msgstr "Suivre le fil" + +#: ../../include/conversation.php:876 ../../include/Contact.php:229 +msgid "View Status" +msgstr "Voir les statuts" + +#: ../../include/conversation.php:877 ../../include/Contact.php:230 +msgid "View Profile" +msgstr "Voir le profil" + +#: ../../include/conversation.php:878 ../../include/Contact.php:231 +msgid "View Photos" +msgstr "Voir les photos" + +#: ../../include/conversation.php:879 ../../include/Contact.php:232 +#: ../../include/Contact.php:255 +msgid "Network Posts" +msgstr "Publications du réseau" + +#: ../../include/conversation.php:880 ../../include/Contact.php:233 +#: ../../include/Contact.php:255 +msgid "Edit Contact" +msgstr "Éditer le contact" + +#: ../../include/conversation.php:881 ../../include/Contact.php:235 +#: ../../include/Contact.php:255 +msgid "Send PM" +msgstr "Message privé" + +#: ../../include/conversation.php:882 ../../include/Contact.php:228 +msgid "Poke" +msgstr "Sollicitations (pokes)" + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s likes this." +msgstr "%s aime ça." + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s doesn't like this." +msgstr "%s n'aime pas ça." + +#: ../../include/conversation.php:949 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d personnes aiment ça" + +#: ../../include/conversation.php:952 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d personnes n'aiment pas ça" + +#: ../../include/conversation.php:966 +msgid "and" +msgstr "et" + +#: ../../include/conversation.php:972 +#, php-format +msgid ", and %d other people" +msgstr ", et %d autres personnes" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s like this." +msgstr "%s aiment ça." + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s don't like this." +msgstr "%s n'aiment pas ça." + +#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 +msgid "Visible to everybody" +msgstr "Visible par tout le monde" + +#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 +msgid "Please enter a video link/URL:" +msgstr "Entrez un lien/URL video :" + +#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 +msgid "Please enter an audio link/URL:" +msgstr "Entrez un lien/URL audio :" + +#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 +msgid "Tag term:" +msgstr "Terme d'étiquette:" + +#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 +msgid "Where are you right now?" +msgstr "Où êtes-vous présentemment?" + +#: ../../include/conversation.php:1008 +msgid "Delete item(s)?" +msgstr "Supprimer les élément(s) ?" + +#: ../../include/conversation.php:1051 +msgid "Post to Email" +msgstr "Publier aux courriels" + +#: ../../include/conversation.php:1056 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "" + +#: ../../include/conversation.php:1111 +msgid "permissions" +msgstr "permissions" + +#: ../../include/conversation.php:1135 +msgid "Post to Groups" +msgstr "Publier aux groupes" + +#: ../../include/conversation.php:1136 +msgid "Post to Contacts" +msgstr "Publier aux contacts" + +#: ../../include/conversation.php:1137 +msgid "Private post" +msgstr "Message privé" #: ../../include/contact_widgets.php:6 msgid "Add New Contact" -msgstr "Afegir Nou Contacte" +msgstr "Ajouter un nouveau contact" #: ../../include/contact_widgets.php:7 msgid "Enter address or web location" -msgstr "Introdueixi adreça o ubicació web" +msgstr "Entrez son adresse ou sa localisation web" #: ../../include/contact_widgets.php:8 msgid "Example: bob@example.com, http://example.com/barbara" @@ -884,74 +6913,265 @@ msgstr "Exemple: bob@example.com, http://example.com/barbara" #, php-format msgid "%d invitation available" msgid_plural "%d invitations available" -msgstr[0] "%d invitació disponible" -msgstr[1] "%d invitacions disponibles" +msgstr[0] "%d invitation disponible" +msgstr[1] "%d invitations disponibles" #: ../../include/contact_widgets.php:30 msgid "Find People" -msgstr "Trobar Gent" +msgstr "Trouver des personnes" #: ../../include/contact_widgets.php:31 msgid "Enter name or interest" -msgstr "Introdueixi nom o aficions" +msgstr "Entrez un nom ou un centre d'intérêt" #: ../../include/contact_widgets.php:32 msgid "Connect/Follow" -msgstr "Connectar/Seguir" +msgstr "Connecter/Suivre" #: ../../include/contact_widgets.php:33 msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Exemples: Robert Morgenstein, Pescar" - -#: ../../include/contact_widgets.php:34 ../../mod/contacts.php:700 -#: ../../mod/directory.php:63 -msgid "Find" -msgstr "Cercar" +msgstr "Exemples: Robert Morgenstein, Pêche" #: ../../include/contact_widgets.php:37 msgid "Random Profile" -msgstr "Perfi Aleatori" +msgstr "Profil au hasard" #: ../../include/contact_widgets.php:71 msgid "Networks" -msgstr "Xarxes" +msgstr "Réseaux" #: ../../include/contact_widgets.php:74 msgid "All Networks" -msgstr "totes les Xarxes" +msgstr "Tous réseaux" #: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 msgid "Everything" -msgstr "Tot" +msgstr "Tout" #: ../../include/contact_widgets.php:136 msgid "Categories" -msgstr "Categories" +msgstr "Catégories" -#: ../../include/contact_widgets.php:200 ../../mod/contacts.php:427 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d contacte en comú" -msgstr[1] "%d contactes en comú" +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Mettre fin à cette session" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "Vos vidéos" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Vos notes personnelles" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Se connecter" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Page d'accueil" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Créer un compte" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Aide et documentation" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Applications" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Applications supplémentaires, utilitaires, jeux" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Rechercher dans le contenu du site" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Conversations ayant cours sur ce site" + +#: ../../include/nav.php:131 +msgid "Directory" +msgstr "Annuaire" + +#: ../../include/nav.php:131 +msgid "People directory" +msgstr "Annuaire des utilisateurs" + +#: ../../include/nav.php:133 +msgid "Information" +msgstr "Information" + +#: ../../include/nav.php:133 +msgid "Information about this friendica instance" +msgstr "Information au sujet de cette instance de friendica" + +#: ../../include/nav.php:143 +msgid "Conversations from your friends" +msgstr "Conversations de vos amis" + +#: ../../include/nav.php:144 +msgid "Network Reset" +msgstr "Réinitialiser le réseau" + +#: ../../include/nav.php:144 +msgid "Load Network page with no filters" +msgstr "Chargement des pages du réseau sans filtre" + +#: ../../include/nav.php:152 +msgid "Friend Requests" +msgstr "Demande d'amitié" + +#: ../../include/nav.php:154 +msgid "See all notifications" +msgstr "Voir toute notification" + +#: ../../include/nav.php:155 +msgid "Mark all system notifications seen" +msgstr "Marquer toutes les notifications système comme 'vues'" + +#: ../../include/nav.php:159 +msgid "Private mail" +msgstr "Messages privés" + +#: ../../include/nav.php:160 +msgid "Inbox" +msgstr "Messages entrants" + +#: ../../include/nav.php:161 +msgid "Outbox" +msgstr "Messages sortants" + +#: ../../include/nav.php:165 +msgid "Manage" +msgstr "Gérer" + +#: ../../include/nav.php:165 +msgid "Manage other pages" +msgstr "Gérer les autres pages" + +#: ../../include/nav.php:170 +msgid "Account settings" +msgstr "Compte" + +#: ../../include/nav.php:173 +msgid "Manage/Edit Profiles" +msgstr "Gérer/Éditer les profiles" + +#: ../../include/nav.php:175 +msgid "Manage/edit friends and contacts" +msgstr "Gérer/éditer les amitiés et contacts" + +#: ../../include/nav.php:182 +msgid "Site setup and configuration" +msgstr "Démarrage et configuration du site" + +#: ../../include/nav.php:186 +msgid "Navigation" +msgstr "Navigation" + +#: ../../include/nav.php:186 +msgid "Site map" +msgstr "Carte du site" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Inconnu | Non-classé" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Bloquer immédiatement" + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "Douteux, spammeur, accro à l'auto-promotion" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Connu de moi, mais sans opinion" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "OK, probablement inoffensif" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Réputé, a toute ma confiance" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Chaque semaine" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Chaque mois" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../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 "Connecteur Diaspora" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" #: ../../include/enotify.php:18 msgid "Friendica Notification" -msgstr "Notificacions de Friendica" +msgstr "Notification Friendica" #: ../../include/enotify.php:21 msgid "Thank You," -msgstr "Gràcies," +msgstr "Merci, " #: ../../include/enotify.php:23 #, php-format msgid "%s Administrator" -msgstr "%s Administrador" - -#: ../../include/enotify.php:30 ../../include/delivery.php:467 -#: ../../include/notifier.php:784 -msgid "noreply" -msgstr "no contestar" +msgstr "L'administrateur de %s" #: ../../include/enotify.php:55 #, php-format @@ -961,93 +7181,93 @@ msgstr "%s " #: ../../include/enotify.php:59 #, php-format msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica: Notifica] nou correu rebut a %s" +msgstr "[Friendica:Notification] Nouveau courriel reçu sur %s" #: ../../include/enotify.php:61 #, php-format msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s t'ha enviat un missatge privat nou en %2$s." +msgstr "%1$s vous a envoyé un nouveau message privé sur %2$s." #: ../../include/enotify.php:62 #, php-format msgid "%1$s sent you %2$s." -msgstr "%1$s t'ha enviat %2$s." +msgstr "%1$s vous a envoyé %2$s." #: ../../include/enotify.php:62 msgid "a private message" -msgstr "un missatge privat" +msgstr "un message privé" #: ../../include/enotify.php:63 #, php-format msgid "Please visit %s to view and/or reply to your private messages." -msgstr "Per favor, visiteu %s per a veure i/o respondre els teus missatges privats." +msgstr "Merci de visiter %s pour voir vos messages privés et/ou y répondre." #: ../../include/enotify.php:115 #, php-format msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s ha comentat en [url=%2$s]a %3$s[/url]" +msgstr "%1$s a commenté sur [url=%2$s]un %3$s[/url]" #: ../../include/enotify.php:122 #, php-format msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s ha comentat en [url=%2$s]%3$s de %4$s[/url]" +msgstr "%1$s a commenté sur [url=%2$s]le %4$s de %3$s[/url]" #: ../../include/enotify.php:130 #, php-format msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s ha comentat en [url=%2$s] el teu %3$s[/url]" +msgstr "%1$s commented on [url=%2$s]your %3$s[/url]" #: ../../include/enotify.php:140 #, php-format msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notificació] Comentaris a la conversació #%1$d per %2$s" +msgstr "[Friendica:Notification] Commentaire de %2$s sur la conversation #%1$d" #: ../../include/enotify.php:141 #, php-format msgid "%s commented on an item/conversation you have been following." -msgstr "%s ha comentat un element/conversació que estas seguint." +msgstr "%s a commenté un élément que vous suivez." #: ../../include/enotify.php:144 ../../include/enotify.php:159 #: ../../include/enotify.php:172 ../../include/enotify.php:185 #: ../../include/enotify.php:203 ../../include/enotify.php:216 #, php-format msgid "Please visit %s to view and/or reply to the conversation." -msgstr "Si us pau, visiteu %s per a veure i/o respondre la conversació." +msgstr "Merci de visiter %s pour voir la conversation et/ou y répondre." #: ../../include/enotify.php:151 #, php-format msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Notifica] %s enviat al teu mur del perfil" +msgstr "[Friendica:Notification] %s a posté sur votre mur de profil" #: ../../include/enotify.php:153 #, php-format msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s ha fet un enviament al teu mur de perfils en %2$s" +msgstr "%1$s a publié sur votre mur à %2$s" #: ../../include/enotify.php:155 #, php-format msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "%1$s enviat a [url=%2$s]teu mur[/url]" +msgstr "%1$s a posté sur [url=%2$s]votre mur[/url]" #: ../../include/enotify.php:166 #, php-format msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notifica] %s t'ha etiquetat" +msgstr "[Friendica:Notification] %s vous a étiqueté" #: ../../include/enotify.php:167 #, php-format msgid "%1$s tagged you at %2$s" -msgstr "%1$s t'ha etiquetat a %2$s" +msgstr "%1$s vous a étiqueté sur %2$s" #: ../../include/enotify.php:168 #, php-format msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [url=%2$s] t'ha etiquetat[/url]." +msgstr "%1$s [url=%2$s]vous a étiqueté[/url]." #: ../../include/enotify.php:179 #, php-format msgid "[Friendica:Notify] %s shared a new post" -msgstr "" +msgstr "[Friendica:Notification] %s partage une nouvelle publication" #: ../../include/enotify.php:180 #, php-format @@ -1057,61 +7277,61 @@ msgstr "" #: ../../include/enotify.php:181 #, php-format msgid "%1$s [url=%2$s]shared a post[/url]." -msgstr "" +msgstr "%1$s [url=%2$s]partage une publication[/url]." #: ../../include/enotify.php:193 #, php-format msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notificació] %1$s t'atia" +msgstr "[Friendica:Notify] %1$s vous a sollicité" #: ../../include/enotify.php:194 #, php-format msgid "%1$s poked you at %2$s" -msgstr "%1$s t'atia en %2$s" +msgstr "%1$s vous a sollicité via %2$s" #: ../../include/enotify.php:195 #, php-format msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s [url=%2$s]t'atia[/url]." +msgstr "%1$s vous a [url=%2$s]sollicité[/url]." #: ../../include/enotify.php:210 #, php-format msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notifica] %s ha etiquetat el teu missatge" +msgstr "[Friendica:Notification] %s a étiqueté votre publication" #: ../../include/enotify.php:211 #, php-format msgid "%1$s tagged your post at %2$s" -msgstr "%1$s ha etiquetat un missatge teu a %2$s" +msgstr "%1$s a étiqueté votre publication sur %2$s" #: ../../include/enotify.php:212 #, php-format msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s etiquetà [url=%2$s] el teu enviament[/url]" +msgstr "%1$s a étiqueté [url=%2$s]votre publication[/url]" #: ../../include/enotify.php:223 msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Notifica] Presentacio rebuda" +msgstr "[Friendica:Notification] Introduction reçue" #: ../../include/enotify.php:224 #, php-format msgid "You've received an introduction from '%1$s' at %2$s" -msgstr "Has rebut una presentació des de '%1$s' en %2$s" +msgstr "Vous avez reçu une introduction de '%1$s' sur %2$s" #: ../../include/enotify.php:225 #, php-format msgid "You've received [url=%1$s]an introduction[/url] from %2$s." -msgstr "Has rebut [url=%1$s] com a presentació[/url] des de %2$s." +msgstr "Vous avez reçu [url=%1$s]une introduction[/url] de %2$s." #: ../../include/enotify.php:228 ../../include/enotify.php:270 #, php-format msgid "You may visit their profile at %s" -msgstr "Pot visitar el seu perfil en %s" +msgstr "Vous pouvez visiter son profil sur %s" #: ../../include/enotify.php:230 #, php-format msgid "Please visit %s to approve or reject the introduction." -msgstr "Si us plau visiteu %s per aprovar o rebutjar la presentació." +msgstr "Merci de visiter %s pour approuver ou rejeter l'introduction." #: ../../include/enotify.php:238 msgid "[Friendica:Notify] A new person is sharing with you" @@ -1133,31 +7353,31 @@ msgstr "" #: ../../include/enotify.php:261 msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica:Notifica] Suggerencia d'amistat rebuda" +msgstr "[Friendica:Notification] Nouvelle suggestion d'amitié" #: ../../include/enotify.php:262 #, php-format msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "Has rebut una suggerencia d'amistat des de '%1$s' en %2$s" +msgstr "Vous avez reçu une suggestion de '%1$s' sur %2$s" #: ../../include/enotify.php:263 #, php-format msgid "" "You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -msgstr "Has rebut [url=%1$s] com a suggerencia d'amistat[/url] per a %2$s des de %3$s." +msgstr "Vous avez reçu [url=%1$s]une suggestion[/url] de %3$s pour %2$s." #: ../../include/enotify.php:268 msgid "Name:" -msgstr "Nom:" +msgstr "Nom :" #: ../../include/enotify.php:269 msgid "Photo:" -msgstr "Foto:" +msgstr "Photo :" #: ../../include/enotify.php:272 #, php-format msgid "Please visit %s to approve or reject the suggestion." -msgstr "Si us plau, visiteu %s per aprovar o rebutjar la suggerencia." +msgstr "Merci de visiter %s pour approuver ou rejeter la suggestion." #: ../../include/enotify.php:280 ../../include/enotify.php:293 msgid "[Friendica:Notify] Connection accepted" @@ -1224,1643 +7444,73 @@ msgstr "" msgid "Please visit %s to approve or reject the request." msgstr "" -#: ../../include/api.php:262 ../../include/api.php:273 -#: ../../include/api.php:374 ../../include/api.php:958 -#: ../../include/api.php:960 -msgid "User not found." -msgstr "" - -#: ../../include/api.php:1167 -msgid "There is no status with this id." -msgstr "" - -#: ../../include/api.php:1237 -msgid "There is no conversation with this id." -msgstr "" - -#: ../../include/network.php:892 -msgid "view full size" -msgstr "Veure'l a mida completa" - -#: ../../include/Scrape.php:584 -msgid " on Last.fm" -msgstr " a Last.fm" - -#: ../../include/profile_advanced.php:15 ../../mod/settings.php:1125 -msgid "Full Name:" -msgstr "Nom Complet:" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "j F, Y" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "j F" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "Aniversari:" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "Edat:" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "per a %1$d %2$s" - -#: ../../include/profile_advanced.php:46 ../../mod/profiles.php:673 -msgid "Sexual Preference:" -msgstr "Preferència Sexual:" - -#: ../../include/profile_advanced.php:50 ../../mod/profiles.php:675 -msgid "Hometown:" -msgstr "Lloc de residència:" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "Etiquetes:" - -#: ../../include/profile_advanced.php:54 ../../mod/profiles.php:676 -msgid "Political Views:" -msgstr "Idees Polítiques:" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "Religió:" - -#: ../../include/profile_advanced.php:58 ../../mod/directory.php:144 -msgid "About:" -msgstr "Acerca de:" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "Aficiones/Intereses:" - -#: ../../include/profile_advanced.php:62 ../../mod/profiles.php:680 -msgid "Likes:" -msgstr "Agrada:" - -#: ../../include/profile_advanced.php:64 ../../mod/profiles.php:681 -msgid "Dislikes:" -msgstr "No Agrada" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "Informació de contacte i Xarxes Socials:" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "Gustos musicals:" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "Llibres, literatura:" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "Televisió:" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "Cinema/ball/cultura/entreteniments:" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "Amor/sentiments:" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "Treball/ocupació:" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "Escola/formació" - -#: ../../include/nav.php:34 ../../mod/navigation.php:20 -msgid "Nothing new here" -msgstr "Res nou aquí" - -#: ../../include/nav.php:38 ../../mod/navigation.php:24 -msgid "Clear notifications" -msgstr "Neteja notificacions" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Termina sessió" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Accedeix" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Pàgina d'Inici" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Crear un compte" - -#: ../../include/nav.php:114 ../../mod/help.php:84 -msgid "Help" -msgstr "Ajuda" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Ajuda i documentació" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Aplicacions" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Afegits: aplicacions, utilitats, jocs" - -#: ../../include/nav.php:119 ../../include/text.php:952 -#: ../../include/text.php:953 ../../mod/search.php:99 -msgid "Search" -msgstr "Cercar" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Busca contingut en el lloc" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Converses en aquest lloc" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Directori" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Directori de gent" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "" - -#: ../../include/nav.php:143 ../../mod/notifications.php:83 -msgid "Network" -msgstr "Xarxa" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Converses dels teus amics" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Reiniciar Xarxa" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "carrega la pàgina de Xarxa sense filtres" - -#: ../../include/nav.php:152 ../../mod/notifications.php:98 -msgid "Introductions" -msgstr "Presentacions" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Sol·licitud d'Amistat" - -#: ../../include/nav.php:153 ../../mod/notifications.php:220 -msgid "Notifications" -msgstr "Notificacions" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Veure totes les notificacions" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Marcar totes les notificacions del sistema com a vistes" - -#: ../../include/nav.php:159 ../../mod/notifications.php:103 -#: ../../mod/message.php:182 -msgid "Messages" -msgstr "Missatges" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Correu privat" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "Safata d'entrada" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Safata de sortida" - -#: ../../include/nav.php:162 ../../mod/message.php:9 -msgid "New Message" -msgstr "Nou Missatge" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Gestionar" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Gestiona altres pàgines" - -#: ../../include/nav.php:168 ../../mod/settings.php:62 -msgid "Delegations" -msgstr "Delegacions" - -#: ../../include/nav.php:168 ../../mod/delegate.php:124 -msgid "Delegate Page Management" -msgstr "Gestió de les Pàgines Delegades" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Configuració del compte" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Gestiona/Edita Perfils" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Gestiona/edita amics i contactes" - -#: ../../include/nav.php:182 ../../mod/admin.php:128 -msgid "Admin" -msgstr "Admin" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Ajustos i configuració del lloc" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navegació" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Mapa del lloc" - -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Clica aquí per actualitzar." - -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Aquesta acció excedeix els límits del teu plan de subscripció." - -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Aquesta acció no està disponible en el teu plan de subscripció." - -#: ../../include/follow.php:27 ../../mod/dfrn_request.php:507 -msgid "Disallowed profile URL." -msgstr "Perfil URL no permès." - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "URL del connector perduda." - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Aquest lloc no està configurat per permetre les comunicacions amb altres xarxes." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Protocol de comunnicació no compatible o alimentador descobert." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "L'adreça de perfil especificada no proveeix informació adient." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Un autor o nom no va ser trobat" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Cap direcció URL del navegador coincideix amb aquesta adreça." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Incapaç de trobar coincidències amb la Adreça d'Identitat estil @ amb els protocols coneguts o contactes de correu. " - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Emprar mailto: davant la adreça per a forçar la comprovació del correu." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "La direcció del perfil especificat pertany a una xarxa que ha estat desactivada en aquest lloc." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Perfil limitat. Aquesta persona no podrà rebre notificacions personals/directes de tu." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "No es pot recuperar la informació de contacte." - -#: ../../include/follow.php:259 -msgid "following" -msgstr "seguint" - -#: ../../include/uimport.php:94 -msgid "Error decoding account file" -msgstr "Error decodificant l'arxiu del compte" - -#: ../../include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Error! No hi ha dades al arxiu! No es un arxiu de compte de Friendica?" - -#: ../../include/uimport.php:116 ../../include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "Error! No puc comprobar l'Àlies" - -#: ../../include/uimport.php:120 ../../include/uimport.php:131 -#, php-format -msgid "User '%s' already exists on this server!" -msgstr "El usuari %s' ja existeix en aquest servidor!" - -#: ../../include/uimport.php:153 -msgid "User creation error" -msgstr "Error en la creació de l'usuari" - -#: ../../include/uimport.php:171 -msgid "User profile creation error" -msgstr "Error en la creació del perfil d'usuari" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d contacte no importat" -msgstr[1] "%d contactes no importats" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" -msgstr "Fet. Ja pots identificar-te amb el teu nom d'usuari i contrasenya" - -#: ../../include/event.php:11 ../../include/bb2diaspora.php:134 -#: ../../mod/localtime.php:12 -msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 -msgid "Starts:" -msgstr "Inici:" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 -msgid "Finishes:" -msgstr "Acaba:" - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "Deixar de seguir" - -#: ../../include/Contact.php:228 ../../include/conversation.php:882 -msgid "Poke" -msgstr "Atia" - -#: ../../include/Contact.php:229 ../../include/conversation.php:876 -msgid "View Status" -msgstr "Veure Estatus" - -#: ../../include/Contact.php:230 ../../include/conversation.php:877 -msgid "View Profile" -msgstr "Veure Perfil" - -#: ../../include/Contact.php:231 ../../include/conversation.php:878 -msgid "View Photos" -msgstr "Veure Fotos" - -#: ../../include/Contact.php:232 ../../include/Contact.php:255 -#: ../../include/conversation.php:879 -msgid "Network Posts" -msgstr "Enviaments a la Xarxa" - -#: ../../include/Contact.php:233 ../../include/Contact.php:255 -#: ../../include/conversation.php:880 -msgid "Edit Contact" -msgstr "Editat Contacte" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "" - -#: ../../include/Contact.php:235 ../../include/Contact.php:255 -#: ../../include/conversation.php:881 -msgid "Send PM" -msgstr "Enviar Missatge Privat" - -#: ../../include/dbstructure.php:23 -#, 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:28 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "" - -#: ../../include/dbstructure.php:181 -msgid "Errors encountered creating database tables." -msgstr "Trobats errors durant la creació de les taules de la base de dades." - -#: ../../include/dbstructure.php:239 -msgid "Errors encountered performing database changes." -msgstr "" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Miscel·lania" - -#: ../../include/datetime.php:153 ../../include/datetime.php:285 -msgid "year" -msgstr "any" - -#: ../../include/datetime.php:158 ../../include/datetime.php:286 -msgid "month" -msgstr "mes" - -#: ../../include/datetime.php:163 ../../include/datetime.php:288 -msgid "day" -msgstr "dia" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "mai" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "Fa menys d'un segon" - -#: ../../include/datetime.php:285 -msgid "years" -msgstr "anys" - -#: ../../include/datetime.php:286 -msgid "months" -msgstr "mesos" - -#: ../../include/datetime.php:287 -msgid "week" -msgstr "setmana" - -#: ../../include/datetime.php:287 -msgid "weeks" -msgstr "setmanes" - -#: ../../include/datetime.php:288 -msgid "days" -msgstr "dies" - -#: ../../include/datetime.php:289 -msgid "hour" -msgstr "hora" - -#: ../../include/datetime.php:289 -msgid "hours" -msgstr "hores" - -#: ../../include/datetime.php:290 -msgid "minute" -msgstr "minut" - -#: ../../include/datetime.php:290 -msgid "minutes" -msgstr "minuts" - -#: ../../include/datetime.php:291 -msgid "second" -msgstr "segon" - -#: ../../include/datetime.php:291 -msgid "seconds" -msgstr "segons" - -#: ../../include/datetime.php:300 -#, php-format -msgid "%1$d %2$s ago" -msgstr " fa %1$d %2$s" - -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[Sense assumpte]" - -#: ../../include/delivery.php:456 ../../include/notifier.php:774 -msgid "(no subject)" -msgstr "(sense assumpte)" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Desconegut/No categoritzat" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Bloquejar immediatament" - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Sospitós, Spam, auto-publicitat" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Conegut per mi, però sense opinió" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "Bé, probablement inofensiu" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Bona reputació, té la meva confiança" - -#: ../../include/contact_selectors.php:56 ../../mod/admin.php:542 -msgid "Frequently" -msgstr "Freqüentment" - -#: ../../include/contact_selectors.php:57 ../../mod/admin.php:543 -msgid "Hourly" -msgstr "Cada hora" - -#: ../../include/contact_selectors.php:58 ../../mod/admin.php:544 -msgid "Twice daily" -msgstr "Dues vegades al dia" - -#: ../../include/contact_selectors.php:59 ../../mod/admin.php:545 -msgid "Daily" -msgstr "Diari" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Setmanal" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Mensual" - -#: ../../include/contact_selectors.php:76 ../../mod/dfrn_request.php:840 -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:964 -#: ../../mod/admin.php:976 ../../mod/admin.php:977 ../../mod/admin.php:992 -msgid "Email" -msgstr "Correu" - -#: ../../include/contact_selectors.php:80 ../../mod/settings.php:733 -#: ../../mod/dfrn_request.php:842 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/contact_selectors.php:81 ../../mod/newmember.php:49 -#: ../../mod/newmember.php:51 -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 "" - -#: ../../include/contact_selectors.php:89 -msgid "Twitter" -msgstr "" - -#: ../../include/contact_selectors.php:90 -msgid "Diaspora Connector" -msgstr "" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "" - -#: ../../include/diaspora.php:620 ../../include/conversation.php:172 -#: ../../mod/dfrn_confirm.php:486 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s és ara amic amb %2$s" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "Compartint la notificació de la xarxa Diàspora" - -#: ../../include/diaspora.php:2312 -msgid "Attachments:" -msgstr "Adjunts:" - -#: ../../include/conversation.php:140 ../../mod/like.php:168 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "a %1$s no agrada %2$s de %3$s" - -#: ../../include/conversation.php:207 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s atiat %2$s" - -#: ../../include/conversation.php:211 ../../include/text.php:1004 -msgid "poked" -msgstr "atiar" - -#: ../../include/conversation.php:227 ../../mod/mood.php:62 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "%1$s es normalment %2$s" - -#: ../../include/conversation.php:266 ../../mod/tagger.php:95 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s etiquetats %2$s %3$s amb %4$s" - -#: ../../include/conversation.php:291 -msgid "post/item" -msgstr "anunci/element" - -#: ../../include/conversation.php:292 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s marcat %2$s's %3$s com favorit" - -#: ../../include/conversation.php:613 ../../object/Item.php:129 -#: ../../mod/photos.php:1651 ../../mod/content.php:437 -#: ../../mod/content.php:740 -msgid "Select" -msgstr "Selecionar" - -#: ../../include/conversation.php:614 ../../object/Item.php:130 -#: ../../mod/group.php:171 ../../mod/settings.php:674 -#: ../../mod/contacts.php:709 ../../mod/admin.php:968 -#: ../../mod/photos.php:1652 ../../mod/content.php:438 -#: ../../mod/content.php:741 -msgid "Delete" -msgstr "Esborrar" - -#: ../../include/conversation.php:654 ../../object/Item.php:326 -#: ../../object/Item.php:327 ../../mod/content.php:471 -#: ../../mod/content.php:852 ../../mod/content.php:853 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Veure perfil de %s @ %s" - -#: ../../include/conversation.php:666 ../../object/Item.php:316 -msgid "Categories:" -msgstr "Categories:" - -#: ../../include/conversation.php:667 ../../object/Item.php:317 -msgid "Filed under:" -msgstr "Arxivat a:" - -#: ../../include/conversation.php:674 ../../object/Item.php:340 -#: ../../mod/content.php:481 ../../mod/content.php:864 -#, php-format -msgid "%s from %s" -msgstr "%s des de %s" - -#: ../../include/conversation.php:690 ../../mod/content.php:497 -msgid "View in context" -msgstr "Veure en context" - -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/photos.php:1543 -#: ../../mod/message.php:334 ../../mod/message.php:565 -#: ../../mod/content.php:499 ../../mod/content.php:883 -msgid "Please wait" -msgstr "Si us plau esperi" - -#: ../../include/conversation.php:772 -msgid "remove" -msgstr "esborrar" - -#: ../../include/conversation.php:776 -msgid "Delete Selected Items" -msgstr "Esborra els Elements Seleccionats" - -#: ../../include/conversation.php:875 -msgid "Follow Thread" -msgstr "Seguir el Fil" - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s likes this." -msgstr "a %s agrada això." - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s doesn't like this." -msgstr "a %s desagrada això." - -#: ../../include/conversation.php:949 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d gent agrada això" - -#: ../../include/conversation.php:952 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d gent no agrada això" - -#: ../../include/conversation.php:966 -msgid "and" -msgstr "i" - -#: ../../include/conversation.php:972 -#, php-format -msgid ", and %d other people" -msgstr ", i altres %d persones" - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s like this." -msgstr "a %s li agrada això." - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s don't like this." -msgstr "a %s no li agrada això." - -#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 -msgid "Visible to everybody" -msgstr "Visible per a tothom" - -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -msgid "Please enter a link URL:" -msgstr "Sius plau, entri l'enllaç URL:" - -#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 -msgid "Please enter a video link/URL:" -msgstr "Per favor , introdueixi el enllaç/URL del video" - -#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 -msgid "Please enter an audio link/URL:" -msgstr "Per favor , introdueixi el enllaç/URL del audio:" - -#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 -msgid "Tag term:" -msgstr "Terminis de l'etiqueta:" - -#: ../../include/conversation.php:1006 ../../include/conversation.php:1024 -#: ../../mod/filer.php:30 -msgid "Save to Folder:" -msgstr "Guardar a la Carpeta:" - -#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 -msgid "Where are you right now?" -msgstr "On ets ara?" - -#: ../../include/conversation.php:1008 -msgid "Delete item(s)?" -msgstr "Esborrar element(s)?" - -#: ../../include/conversation.php:1051 -msgid "Post to Email" -msgstr "Correu per enviar" - -#: ../../include/conversation.php:1056 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "" - -#: ../../include/conversation.php:1057 ../../mod/settings.php:1025 -msgid "Hide your profile details from unknown viewers?" -msgstr "Amagar els detalls del seu perfil a espectadors desconeguts?" - -#: ../../include/conversation.php:1090 ../../mod/photos.php:1542 -msgid "Share" -msgstr "Compartir" - -#: ../../include/conversation.php:1091 ../../mod/wallmessage.php:154 -#: ../../mod/editpost.php:110 ../../mod/message.php:332 -#: ../../mod/message.php:562 -msgid "Upload photo" -msgstr "Carregar foto" - -#: ../../include/conversation.php:1092 ../../mod/editpost.php:111 -msgid "upload photo" -msgstr "carregar fotos" - -#: ../../include/conversation.php:1093 ../../mod/editpost.php:112 -msgid "Attach file" -msgstr "Adjunta fitxer" - -#: ../../include/conversation.php:1094 ../../mod/editpost.php:113 -msgid "attach file" -msgstr "adjuntar arxiu" - -#: ../../include/conversation.php:1095 ../../mod/wallmessage.php:155 -#: ../../mod/editpost.php:114 ../../mod/message.php:333 -#: ../../mod/message.php:563 -msgid "Insert web link" -msgstr "Inserir enllaç web" - -#: ../../include/conversation.php:1096 ../../mod/editpost.php:115 -msgid "web link" -msgstr "enllaç de web" - -#: ../../include/conversation.php:1097 ../../mod/editpost.php:116 -msgid "Insert video link" -msgstr "Insertar enllaç de video" - -#: ../../include/conversation.php:1098 ../../mod/editpost.php:117 -msgid "video link" -msgstr "enllaç de video" - -#: ../../include/conversation.php:1099 ../../mod/editpost.php:118 -msgid "Insert audio link" -msgstr "Insertar enllaç de audio" - -#: ../../include/conversation.php:1100 ../../mod/editpost.php:119 -msgid "audio link" -msgstr "enllaç de audio" - -#: ../../include/conversation.php:1101 ../../mod/editpost.php:120 -msgid "Set your location" -msgstr "Canvia la teva ubicació" - -#: ../../include/conversation.php:1102 ../../mod/editpost.php:121 -msgid "set location" -msgstr "establir la ubicació" - -#: ../../include/conversation.php:1103 ../../mod/editpost.php:122 -msgid "Clear browser location" -msgstr "neteja adreçes del navegador" - -#: ../../include/conversation.php:1104 ../../mod/editpost.php:123 -msgid "clear location" -msgstr "netejar ubicació" - -#: ../../include/conversation.php:1106 ../../mod/editpost.php:137 -msgid "Set title" -msgstr "Canviar títol" - -#: ../../include/conversation.php:1108 ../../mod/editpost.php:139 -msgid "Categories (comma-separated list)" -msgstr "Categories (lista separada per comes)" - -#: ../../include/conversation.php:1110 ../../mod/editpost.php:125 -msgid "Permission settings" -msgstr "Configuració de permisos" - -#: ../../include/conversation.php:1111 -msgid "permissions" -msgstr "Permissos" - -#: ../../include/conversation.php:1119 ../../mod/editpost.php:133 -msgid "CC: email addresses" -msgstr "CC: Adreça de correu" - -#: ../../include/conversation.php:1120 ../../mod/editpost.php:134 -msgid "Public post" -msgstr "Enviament públic" - -#: ../../include/conversation.php:1122 ../../mod/editpost.php:140 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Exemple: bob@example.com, mary@example.com" - -#: ../../include/conversation.php:1126 ../../object/Item.php:687 -#: ../../mod/editpost.php:145 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -#: ../../mod/content.php:719 -msgid "Preview" -msgstr "Vista prèvia" - -#: ../../include/conversation.php:1135 -msgid "Post to Groups" -msgstr "Publica-ho a Grups" - -#: ../../include/conversation.php:1136 -msgid "Post to Contacts" -msgstr "Publica-ho a Contactes" - -#: ../../include/conversation.php:1137 -msgid "Private post" -msgstr "Enviament Privat" - -#: ../../include/text.php:296 -msgid "newer" -msgstr "Més nou" - -#: ../../include/text.php:298 -msgid "older" -msgstr "més vell" - -#: ../../include/text.php:303 -msgid "prev" -msgstr "Prev" - -#: ../../include/text.php:305 -msgid "first" -msgstr "Primer" - -#: ../../include/text.php:337 -msgid "last" -msgstr "Últim" - -#: ../../include/text.php:340 -msgid "next" -msgstr "següent" - -#: ../../include/text.php:854 -msgid "No contacts" -msgstr "Sense contactes" - -#: ../../include/text.php:863 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d Contacte" -msgstr[1] "%d Contactes" - -#: ../../include/text.php:875 ../../mod/viewcontacts.php:76 -msgid "View Contacts" -msgstr "Veure Contactes" - -#: ../../include/text.php:955 ../../mod/editpost.php:109 -#: ../../mod/notes.php:63 ../../mod/filer.php:31 -msgid "Save" -msgstr "Guardar" - -#: ../../include/text.php:1004 -msgid "poke" -msgstr "atia" - -#: ../../include/text.php:1005 -msgid "ping" -msgstr "toc" - -#: ../../include/text.php:1005 -msgid "pinged" -msgstr "tocat" - -#: ../../include/text.php:1006 -msgid "prod" -msgstr "pinxat" - -#: ../../include/text.php:1006 -msgid "prodded" -msgstr "pinxat" - -#: ../../include/text.php:1007 -msgid "slap" -msgstr "bufetada" - -#: ../../include/text.php:1007 -msgid "slapped" -msgstr "Abufetejat" - -#: ../../include/text.php:1008 -msgid "finger" -msgstr "dit" - -#: ../../include/text.php:1008 -msgid "fingered" -msgstr "Senyalat" - -#: ../../include/text.php:1009 -msgid "rebuff" -msgstr "rebuig" - -#: ../../include/text.php:1009 -msgid "rebuffed" -msgstr "rebutjat" - -#: ../../include/text.php:1023 -msgid "happy" -msgstr "feliç" - -#: ../../include/text.php:1024 -msgid "sad" -msgstr "trist" - -#: ../../include/text.php:1025 -msgid "mellow" -msgstr "embafador" - -#: ../../include/text.php:1026 -msgid "tired" -msgstr "cansat" - -#: ../../include/text.php:1027 -msgid "perky" -msgstr "alegre" - -#: ../../include/text.php:1028 -msgid "angry" -msgstr "disgustat" - -#: ../../include/text.php:1029 -msgid "stupified" -msgstr "estupefacte" - -#: ../../include/text.php:1030 -msgid "puzzled" -msgstr "perplexe" - -#: ../../include/text.php:1031 -msgid "interested" -msgstr "interessat" - -#: ../../include/text.php:1032 -msgid "bitter" -msgstr "amarg" - -#: ../../include/text.php:1033 -msgid "cheerful" -msgstr "animat" - -#: ../../include/text.php:1034 -msgid "alive" -msgstr "viu" - -#: ../../include/text.php:1035 -msgid "annoyed" -msgstr "molest" - -#: ../../include/text.php:1036 -msgid "anxious" -msgstr "ansiós" - -#: ../../include/text.php:1037 -msgid "cranky" -msgstr "irritable" - -#: ../../include/text.php:1038 -msgid "disturbed" -msgstr "turbat" - -#: ../../include/text.php:1039 -msgid "frustrated" -msgstr "frustrat" - -#: ../../include/text.php:1040 -msgid "motivated" -msgstr "motivat" - -#: ../../include/text.php:1041 -msgid "relaxed" -msgstr "tranquil" - -#: ../../include/text.php:1042 -msgid "surprised" -msgstr "sorprès" - -#: ../../include/text.php:1210 -msgid "Monday" -msgstr "Dilluns" - -#: ../../include/text.php:1210 -msgid "Tuesday" -msgstr "Dimarts" - -#: ../../include/text.php:1210 -msgid "Wednesday" -msgstr "Dimecres" - -#: ../../include/text.php:1210 -msgid "Thursday" -msgstr "Dijous" - -#: ../../include/text.php:1210 -msgid "Friday" -msgstr "Divendres" - -#: ../../include/text.php:1210 -msgid "Saturday" -msgstr "Dissabte" - -#: ../../include/text.php:1210 -msgid "Sunday" -msgstr "Diumenge" - -#: ../../include/text.php:1214 -msgid "January" -msgstr "Gener" - -#: ../../include/text.php:1214 -msgid "February" -msgstr "Febrer" - -#: ../../include/text.php:1214 -msgid "March" -msgstr "Març" - -#: ../../include/text.php:1214 -msgid "April" -msgstr "Abril" - -#: ../../include/text.php:1214 -msgid "May" -msgstr "Maig" - -#: ../../include/text.php:1214 -msgid "June" -msgstr "Juny" - -#: ../../include/text.php:1214 -msgid "July" -msgstr "Juliol" - -#: ../../include/text.php:1214 -msgid "August" -msgstr "Agost" - -#: ../../include/text.php:1214 -msgid "September" -msgstr "Setembre" - -#: ../../include/text.php:1214 -msgid "October" -msgstr "Octubre" - -#: ../../include/text.php:1214 -msgid "November" -msgstr "Novembre" - -#: ../../include/text.php:1214 -msgid "December" -msgstr "Desembre" - -#: ../../include/text.php:1403 ../../mod/videos.php:301 -msgid "View Video" -msgstr "Veure Video" - -#: ../../include/text.php:1435 -msgid "bytes" -msgstr "bytes" - -#: ../../include/text.php:1459 ../../include/text.php:1471 -msgid "Click to open/close" -msgstr "Clicar per a obrir/tancar" - -#: ../../include/text.php:1645 ../../include/text.php:1655 -#: ../../mod/events.php:335 -msgid "link to source" -msgstr "Enllaç al origen" - -#: ../../include/text.php:1700 ../../include/user.php:247 -msgid "default" -msgstr "per defecte" - -#: ../../include/text.php:1712 -msgid "Select an alternate language" -msgstr "Sel·lecciona un idioma alternatiu" - -#: ../../include/text.php:1968 -msgid "activity" -msgstr "activitat" - -#: ../../include/text.php:1970 ../../object/Item.php:389 -#: ../../object/Item.php:402 ../../mod/content.php:605 -msgid "comment" -msgid_plural "comments" -msgstr[0] "" -msgstr[1] "comentari" - -#: ../../include/text.php:1971 -msgid "post" -msgstr "missatge" - -#: ../../include/text.php:2139 -msgid "Item filed" -msgstr "Element arxivat" - -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Has sortit" - -#: ../../include/auth.php:112 ../../include/auth.php:175 -#: ../../mod/openid.php:93 -msgid "Login failed." -msgstr "Error d'accés." - -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Em trobat un problema quan accedies amb la OpenID que has proporcionat. Per favor, revisa la cadena del ID." - -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "The error message was:" -msgstr "El missatge d'error fou: " - -#: ../../include/bbcode.php:449 ../../include/bbcode.php:1050 -#: ../../include/bbcode.php:1051 -msgid "Image/photo" -msgstr "Imatge/foto" - -#: ../../include/bbcode.php:545 -#, php-format -msgid "%2$s %3$s" -msgstr "" - -#: ../../include/bbcode.php:579 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "" - -#: ../../include/bbcode.php:1014 ../../include/bbcode.php:1034 -msgid "$1 wrote:" -msgstr "$1 va escriure:" - -#: ../../include/bbcode.php:1059 ../../include/bbcode.php:1060 -msgid "Encrypted content" -msgstr "Encriptar contingut" - -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Benvingut" - -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Per favor, carrega una foto per al perfil" - -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Benvingut de nou " - -#: ../../include/security.php:366 -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 "El formulari del token de seguretat no es correcte. Això probablement passa perquè el formulari ha estat massa temps obert (>3 hores) abans d'enviat-lo." - -#: ../../include/oembed.php:205 -msgid "Embedded content" -msgstr "Contingut incrustat" - -#: ../../include/oembed.php:214 -msgid "Embedding disabled" -msgstr "Incrustacions deshabilitades" - -#: ../../include/profile_selectors.php:6 -msgid "Male" -msgstr "Home" - -#: ../../include/profile_selectors.php:6 -msgid "Female" -msgstr "Dona" - -#: ../../include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "Actualment Home" - -#: ../../include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "Actualment Dona" - -#: ../../include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "Habitualment Home" - -#: ../../include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "Habitualment Dona" - -#: ../../include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Transgènere" - -#: ../../include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Bisexual" - -#: ../../include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Transexual" - -#: ../../include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Hermafrodita" - -#: ../../include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Neutre" - -#: ../../include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "No específicat" - -#: ../../include/profile_selectors.php:6 -msgid "Other" -msgstr "Altres" - -#: ../../include/profile_selectors.php:6 -msgid "Undecided" -msgstr "No Decidit" - -#: ../../include/profile_selectors.php:23 -msgid "Males" -msgstr "Home" - -#: ../../include/profile_selectors.php:23 -msgid "Females" -msgstr "Dona" - -#: ../../include/profile_selectors.php:23 -msgid "Gay" -msgstr "Gay" - -#: ../../include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Lesbiana" - -#: ../../include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Sense Preferències" - -#: ../../include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Bisexual" - -#: ../../include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Autosexual" - -#: ../../include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Abstinent/a" - -#: ../../include/profile_selectors.php:23 -msgid "Virgin" -msgstr "Verge" - -#: ../../include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Desviat/da" - -#: ../../include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Fetixiste" - -#: ../../include/profile_selectors.php:23 -msgid "Oodles" -msgstr "Orgies" - -#: ../../include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Asexual" - -#: ../../include/profile_selectors.php:42 -msgid "Single" -msgstr "Solter/a" - -#: ../../include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Solitari" - -#: ../../include/profile_selectors.php:42 -msgid "Available" -msgstr "Disponible" - -#: ../../include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "No Disponible" - -#: ../../include/profile_selectors.php:42 -msgid "Has crush" -msgstr "Compromés" - -#: ../../include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "Enamorat" - -#: ../../include/profile_selectors.php:42 -msgid "Dating" -msgstr "De cites" - -#: ../../include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Infidel" - -#: ../../include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Adicte al sexe" - -#: ../../include/profile_selectors.php:42 ../../include/user.php:289 -#: ../../include/user.php:293 -msgid "Friends" -msgstr "Amics/Amigues" - -#: ../../include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Amics íntims" - -#: ../../include/profile_selectors.php:42 -msgid "Casual" -msgstr "Oportunista" - -#: ../../include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Promès" - -#: ../../include/profile_selectors.php:42 -msgid "Married" -msgstr "Casat" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "Matrimoni imaginari" - -#: ../../include/profile_selectors.php:42 -msgid "Partners" -msgstr "Socis" - -#: ../../include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "Cohabitant" - -#: ../../include/profile_selectors.php:42 -msgid "Common law" -msgstr "Segons costums" - -#: ../../include/profile_selectors.php:42 -msgid "Happy" -msgstr "Feliç" - -#: ../../include/profile_selectors.php:42 -msgid "Not looking" -msgstr "No cerco" - -#: ../../include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Parella Liberal" - -#: ../../include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Traït/da" - -#: ../../include/profile_selectors.php:42 -msgid "Separated" -msgstr "Separat/da" - -#: ../../include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Inestable" - -#: ../../include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Divorciat/da" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "Divorci imaginari" - -#: ../../include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Vidu/a" - -#: ../../include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Incert" - -#: ../../include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "Es complicat" - -#: ../../include/profile_selectors.php:42 -msgid "Don't care" -msgstr "No t'interessa" - -#: ../../include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Pregunta'm" - #: ../../include/user.php:40 msgid "An invitation is required." -msgstr "Es requereix invitació." +msgstr "Une invitation est requise." #: ../../include/user.php:45 msgid "Invitation could not be verified." -msgstr "La invitació no ha pogut ser verificada." +msgstr "L'invitation fournie n'a pu être validée." #: ../../include/user.php:53 msgid "Invalid OpenID url" -msgstr "OpenID url no vàlid" +msgstr "Adresse OpenID invalide" #: ../../include/user.php:74 msgid "Please enter the required information." -msgstr "Per favor, introdueixi la informació requerida." +msgstr "Entrez les informations requises." #: ../../include/user.php:88 msgid "Please use a shorter name." -msgstr "Per favor, empri un nom més curt." +msgstr "Utilisez un nom plus court." #: ../../include/user.php:90 msgid "Name too short." -msgstr "Nom massa curt." +msgstr "Nom trop court." #: ../../include/user.php:105 msgid "That doesn't appear to be your full (First Last) name." -msgstr "Això no sembla ser el teu nom complet." +msgstr "Ceci ne semble pas être votre nom complet (Prénom Nom)." #: ../../include/user.php:110 msgid "Your email domain is not among those allowed on this site." -msgstr "El seu domini de correu electrònic no es troba entre els permesos en aquest lloc." +msgstr "Votre domaine de courriel n'est pas autorisé sur ce site." #: ../../include/user.php:113 msgid "Not a valid email address." -msgstr "Adreça de correu no vàlida." +msgstr "Ceci n'est pas une adresse courriel valide." #: ../../include/user.php:126 msgid "Cannot use that email." -msgstr "No es pot utilitzar aquest correu electrònic." +msgstr "Impossible d'utiliser ce courriel." #: ../../include/user.php:132 msgid "" "Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " "must also begin with a letter." -msgstr "El teu sobrenom nomes pot contenir \"a-z\", \"0-9\", \"-\", i \"_\", i començar amb lletra." +msgstr "Votre \"pseudo\" peut seulement contenir les caractères \"a-z\", \"0-9\", \"-\", and \"_\", et doit commencer par une lettre." #: ../../include/user.php:138 ../../include/user.php:236 msgid "Nickname is already registered. Please choose another." -msgstr "àlies ja registrat. Tria un altre." +msgstr "Pseudo déjà utilisé. Merci d'en choisir un autre." #: ../../include/user.php:148 msgid "" "Nickname was once registered here and may not be re-used. Please choose " "another." -msgstr "L'àlies emprat ja està registrat alguna vegada i no es pot reutilitzar " +msgstr "Ce surnom a déjà été utilisé ici, et ne peut re-servir. Merci d'en choisir un autre." #: ../../include/user.php:164 msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "ERROR IMPORTANT: La generació de claus de seguretat ha fallat." +msgstr "ERREUR SÉRIEUSE: La génération des clés de sécurité a échoué." #: ../../include/user.php:222 msgid "An error occurred during registration. Please try again." -msgstr "Un error ha succeït durant el registre. Intenta-ho de nou." +msgstr "Une erreur est survenue lors de l'inscription. Merci de recommencer." #: ../../include/user.php:257 msgid "An error occurred creating your default profile. Please try again." -msgstr "Un error ha succeit durant la creació del teu perfil per defecte. Intenta-ho de nou." +msgstr "Une erreur est survenue lors de la création de votre profil par défaut. Merci de recommencer." #: ../../include/user.php:377 #, php-format @@ -2872,12 +7522,13 @@ msgid "" msgstr "" #: ../../include/user.php:381 +#, 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$\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" @@ -2900,4801 +7551,180 @@ msgid "" "\t\tThank you and welcome to %2$s." msgstr "" -#: ../../include/user.php:413 ../../mod/admin.php:799 -#, php-format -msgid "Registration details for %s" -msgstr "Detalls del registre per a %s" - #: ../../include/acl_selectors.php:326 msgid "Visible to everybody" -msgstr "Visible per tothom" +msgstr "Visible par tout le monde" -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "L'entrada fou editada" +#: ../../include/bbcode.php:449 ../../include/bbcode.php:1054 +#: ../../include/bbcode.php:1055 +msgid "Image/photo" +msgstr "Image/photo" -#: ../../object/Item.php:116 ../../mod/photos.php:1357 -#: ../../mod/content.php:620 -msgid "Private Message" -msgstr "Missatge Privat" - -#: ../../object/Item.php:120 ../../mod/settings.php:673 -#: ../../mod/content.php:728 -msgid "Edit" -msgstr "Editar" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "guardat a la carpeta" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "Afegir a favorits" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "Esborrar favorit" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "Canviar estatus de favorit" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "favorit" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "afegir etiqueta" - -#: ../../object/Item.php:231 ../../mod/photos.php:1540 -#: ../../mod/content.php:684 -msgid "I like this (toggle)" -msgstr "M'agrada això (canviar)" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "Agrada" - -#: ../../object/Item.php:232 ../../mod/photos.php:1541 -#: ../../mod/content.php:685 -msgid "I don't like this (toggle)" -msgstr "No m'agrada això (canviar)" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "Desagrada" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "Compartir això" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "Compartir" - -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "a" - -#: ../../object/Item.php:329 -msgid "via" -msgstr "via" - -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "Mur-a-Mur" - -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "via Mur-a-Mur" - -#: ../../object/Item.php:387 ../../mod/content.php:603 +#: ../../include/bbcode.php:549 #, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d comentari" -msgstr[1] "%d comentaris" +msgid "%2$s %3$s" +msgstr "" -#: ../../object/Item.php:675 ../../mod/photos.php:1560 -#: ../../mod/photos.php:1604 ../../mod/photos.php:1692 -#: ../../mod/content.php:707 -msgid "This is you" -msgstr "Aquest ets tu" - -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" -msgstr "Negreta" - -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "Itallica" - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "Subratllat" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "Cometes" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "Codi" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "Imatge" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "Enllaç" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "Video" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Element no disponible" - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Element no trobat." - -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Nombre diari de missatges al mur per %s excedit. El missatge ha fallat." - -#: ../../mod/wallmessage.php:56 ../../mod/message.php:63 -msgid "No recipient selected." -msgstr "No s'ha seleccionat destinatari." - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Incapaç de comprovar la localització." - -#: ../../mod/wallmessage.php:62 ../../mod/message.php:70 -msgid "Message could not be sent." -msgstr "El Missatge no ha estat enviat." - -#: ../../mod/wallmessage.php:65 ../../mod/message.php:73 -msgid "Message collection failure." -msgstr "Ha fallat la recollida del missatge." - -#: ../../mod/wallmessage.php:68 ../../mod/message.php:76 -msgid "Message sent." -msgstr "Missatge enviat." - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Sense destinatari." - -#: ../../mod/wallmessage.php:142 ../../mod/message.php:319 -msgid "Send Private Message" -msgstr "Enviant Missatge Privat" - -#: ../../mod/wallmessage.php:143 +#: ../../include/bbcode.php:583 #, 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 "si vols respondre a %s, comprova que els ajustos de privacitat del lloc permeten correus privats de remitents desconeguts." - -#: ../../mod/wallmessage.php:144 ../../mod/message.php:320 -#: ../../mod/message.php:553 -msgid "To:" -msgstr "Per a:" - -#: ../../mod/wallmessage.php:145 ../../mod/message.php:325 -#: ../../mod/message.php:555 -msgid "Subject:" -msgstr "Assumpte::" - -#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 -#: ../../mod/message.php:329 ../../mod/message.php:558 -msgid "Your message:" -msgstr "El teu missatge:" - -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Grup creat." - -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "No puc crear grup." - -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Grup no trobat" - -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Nom de Grup canviat." - -#: ../../mod/group.php:87 -msgid "Save Group" +"%s wrote the following post" msgstr "" -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Crear un grup de contactes/amics." +#: ../../include/bbcode.php:1018 ../../include/bbcode.php:1038 +msgid "$1 wrote:" +msgstr "$1 a écrit:" -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Nom del Grup:" +#: ../../include/bbcode.php:1063 ../../include/bbcode.php:1064 +msgid "Encrypted content" +msgstr "Contenu chiffré" -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Grup esborrat." +#: ../../include/oembed.php:205 +msgid "Embedded content" +msgstr "Contenu incorporé" -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Incapaç de esborrar Grup." +#: ../../include/oembed.php:214 +msgid "Embedding disabled" +msgstr "Incorporation désactivée" -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Editor de Grup:" - -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Membres" - -#: ../../mod/group.php:194 ../../mod/contacts.php:562 -msgid "All Contacts" -msgstr "Tots els Contactes" - -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." -msgstr "Clicar sobre el contacte per afegir o esborrar." - -#: ../../mod/delegate.php:95 -msgid "No potential page delegates located." -msgstr "No es troben pàgines potencialment delegades." - -#: ../../mod/delegate.php:126 +#: ../../include/group.php:25 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 "Els delegats poden gestionar tots els aspectes d'aquest compte/pàgina, excepte per als ajustaments bàsics del compte. Si us plau, no deleguin el seu compte personal a ningú que no confiïn completament." +"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 "Un groupe supprimé a été recréé. Les permissions existantes pourraient s'appliquer à ce groupe et aux futurs membres. Si ce n'est pas le comportement attendu, merci de re-créer un autre groupe sous un autre nom." -#: ../../mod/delegate.php:127 -msgid "Existing Page Managers" -msgstr "Actuals Administradors de Pàgina" +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Paramètres de confidentialité par défaut pour les nouveaux contacts" -#: ../../mod/delegate.php:129 -msgid "Existing Page Delegates" -msgstr "Actuals Delegats de Pàgina" +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Tout le monde" -#: ../../mod/delegate.php:131 -msgid "Potential Delegates" -msgstr "Delegats Potencials" +#: ../../include/group.php:249 +msgid "edit" +msgstr "éditer" -#: ../../mod/delegate.php:133 ../../mod/tagrm.php:93 -msgid "Remove" -msgstr "Esborrar" +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Editer groupe" -#: ../../mod/delegate.php:134 -msgid "Add" -msgstr "Afegir" +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Créer un nouveau groupe" -#: ../../mod/delegate.php:135 -msgid "No entries." -msgstr "Sense entrades" +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Contacts n'appartenant à aucun groupe" -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "Sol·licitud d'identificació no vàlida." +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "retiré de la liste de suivi" -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "Descartar" +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Supprimer le contact" -#: ../../mod/notifications.php:51 ../../mod/notifications.php:164 -#: ../../mod/notifications.php:210 ../../mod/contacts.php:443 -#: ../../mod/contacts.php:497 ../../mod/contacts.php:707 -msgid "Ignore" -msgstr "Ignorar" +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Divers" -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "Sistema" +#: ../../include/datetime.php:153 ../../include/datetime.php:285 +msgid "year" +msgstr "an" -#: ../../mod/notifications.php:88 ../../mod/network.php:365 -msgid "Personal" -msgstr "Personal" +#: ../../include/datetime.php:158 ../../include/datetime.php:286 +msgid "month" +msgstr "mois" -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "Mostra les Sol·licituds Ignorades" +#: ../../include/datetime.php:163 ../../include/datetime.php:288 +msgid "day" +msgstr "jour" -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "Amaga les Sol·licituds Ignorades" +#: ../../include/datetime.php:276 +msgid "never" +msgstr "jamais" -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "Tipus de Notificació:" +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "il y a moins d'une seconde" -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "Amics Suggerits " +#: ../../include/datetime.php:285 +msgid "years" +msgstr "ans" -#: ../../mod/notifications.php:152 +#: ../../include/datetime.php:286 +msgid "months" +msgstr "mois" + +#: ../../include/datetime.php:287 +msgid "week" +msgstr "semaine" + +#: ../../include/datetime.php:287 +msgid "weeks" +msgstr "semaines" + +#: ../../include/datetime.php:288 +msgid "days" +msgstr "jours" + +#: ../../include/datetime.php:289 +msgid "hour" +msgstr "heure" + +#: ../../include/datetime.php:289 +msgid "hours" +msgstr "heures" + +#: ../../include/datetime.php:290 +msgid "minute" +msgstr "minute" + +#: ../../include/datetime.php:290 +msgid "minutes" +msgstr "minutes" + +#: ../../include/datetime.php:291 +msgid "second" +msgstr "seconde" + +#: ../../include/datetime.php:291 +msgid "seconds" +msgstr "secondes" + +#: ../../include/datetime.php:300 #, php-format -msgid "suggested by %s" -msgstr "sugerit per %s" +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s auparavant" -#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 -#: ../../mod/contacts.php:503 -msgid "Hide this contact from others" -msgstr "Amaga aquest contacte dels altres" +#: ../../include/network.php:895 +msgid "view full size" +msgstr "voir en pleine taille" -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "Publica una activitat d'amic nova" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "si es pot aplicar" - -#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 -#: ../../mod/admin.php:966 -msgid "Approve" -msgstr "Aprovar" - -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "Diu que et coneix:" - -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "sí" - -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "no" - -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "Aprovat com:" - -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "Amic" - -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "Partícip" - -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "Fan/Admirador" - -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "Sol·licitud d'Amistat/Connexió" - -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "Nou Seguidor" - -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "Sense presentacions." - -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "A %s li agrada l'enviament de %s" - -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "A %s no li agrada l'enviament de %s" - -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s es ara amic de %s" - -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "%s ha creat un enviament nou" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s va comentar en l'enviament de %s" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "No més notificacions de xarxa." - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "Notificacions de la Xarxa" - -#: ../../mod/notifications.php:336 ../../mod/notify.php:75 -msgid "No more system notifications." -msgstr "No més notificacions del sistema." - -#: ../../mod/notifications.php:340 ../../mod/notify.php:79 -msgid "System Notifications" -msgstr "Notificacions del Sistema" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "No més notificacions personals." - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "Notificacions Personals" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "No més notificacions d'inici." - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "Notificacions d'Inici" - -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "Sense perfil" - -#: ../../mod/settings.php:29 ../../mod/photos.php:80 -msgid "everybody" -msgstr "tothom" - -#: ../../mod/settings.php:36 ../../mod/admin.php:977 -msgid "Account" -msgstr "Compte" - -#: ../../mod/settings.php:41 -msgid "Additional features" -msgstr "Característiques Adicionals" - -#: ../../mod/settings.php:46 -msgid "Display" -msgstr "" - -#: ../../mod/settings.php:52 ../../mod/settings.php:777 -msgid "Social Networks" -msgstr "" - -#: ../../mod/settings.php:57 ../../mod/admin.php:106 ../../mod/admin.php:1063 -#: ../../mod/admin.php:1116 -msgid "Plugins" -msgstr "Plugins" - -#: ../../mod/settings.php:67 -msgid "Connected apps" -msgstr "App connectada" - -#: ../../mod/settings.php:72 ../../mod/uexport.php:85 -msgid "Export personal data" -msgstr "Exportar dades personals" - -#: ../../mod/settings.php:77 -msgid "Remove account" -msgstr "Esborrar compte" - -#: ../../mod/settings.php:129 -msgid "Missing some important data!" -msgstr "Perdudes algunes dades importants!" - -#: ../../mod/settings.php:132 ../../mod/settings.php:637 -#: ../../mod/contacts.php:705 -msgid "Update" -msgstr "Actualitzar" - -#: ../../mod/settings.php:238 -msgid "Failed to connect with email account using the settings provided." -msgstr "Connexió fracassada amb el compte de correu emprant la configuració proveïda." - -#: ../../mod/settings.php:243 -msgid "Email settings updated." -msgstr "Configuració del correu electrònic actualitzada." - -#: ../../mod/settings.php:258 -msgid "Features updated" -msgstr "Característiques actualitzades" - -#: ../../mod/settings.php:321 -msgid "Relocate message has been send to your contacts" -msgstr "" - -#: ../../mod/settings.php:335 -msgid "Passwords do not match. Password unchanged." -msgstr "Les contrasenyes no coincideixen. Contrasenya no canviada." - -#: ../../mod/settings.php:340 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "No es permeten contasenyes buides. Contrasenya no canviada" - -#: ../../mod/settings.php:348 -msgid "Wrong password." -msgstr "Contrasenya errònia" - -#: ../../mod/settings.php:359 -msgid "Password changed." -msgstr "Contrasenya canviada." - -#: ../../mod/settings.php:361 -msgid "Password update failed. Please try again." -msgstr "Ha fallat l'actualització de la Contrasenya. Per favor, intenti-ho de nou." - -#: ../../mod/settings.php:426 -msgid " Please use a shorter name." -msgstr "Si us plau, faci servir un nom més curt." - -#: ../../mod/settings.php:428 -msgid " Name too short." -msgstr "Nom massa curt." - -#: ../../mod/settings.php:437 -msgid "Wrong Password" -msgstr "Contrasenya Errònia" - -#: ../../mod/settings.php:442 -msgid " Not valid email." -msgstr "Correu no vàlid." - -#: ../../mod/settings.php:448 -msgid " Cannot change to that email." -msgstr "No puc canviar a aquest correu." - -#: ../../mod/settings.php:503 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Els Fòrums privats no tenen permisos de privacitat. Empra la privacitat de grup per defecte." - -#: ../../mod/settings.php:507 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Els Fòrums privats no tenen permisos de privacitat i tampoc privacitat per defecte de grup." - -#: ../../mod/settings.php:537 -msgid "Settings updated." -msgstr "Ajustos actualitzats." - -#: ../../mod/settings.php:610 ../../mod/settings.php:636 -#: ../../mod/settings.php:672 -msgid "Add application" -msgstr "Afegir aplicació" - -#: ../../mod/settings.php:611 ../../mod/settings.php:721 -#: ../../mod/settings.php:795 ../../mod/settings.php:877 -#: ../../mod/settings.php:1110 ../../mod/admin.php:588 -#: ../../mod/admin.php:1117 ../../mod/admin.php:1319 ../../mod/admin.php:1406 -msgid "Save Settings" -msgstr "" - -#: ../../mod/settings.php:613 ../../mod/settings.php:639 -#: ../../mod/admin.php:964 ../../mod/admin.php:976 ../../mod/admin.php:977 -#: ../../mod/admin.php:990 ../../mod/crepair.php:158 -msgid "Name" -msgstr "Nom" - -#: ../../mod/settings.php:614 ../../mod/settings.php:640 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Redirect" -msgstr "Redirigir" - -#: ../../mod/settings.php:617 ../../mod/settings.php:643 -msgid "Icon url" -msgstr "icona de url" - -#: ../../mod/settings.php:628 -msgid "You can't edit this application." -msgstr "No pots editar aquesta aplicació." - -#: ../../mod/settings.php:671 -msgid "Connected Apps" -msgstr "Aplicacions conectades" - -#: ../../mod/settings.php:675 -msgid "Client key starts with" -msgstr "Les claus de client comançen amb" - -#: ../../mod/settings.php:676 -msgid "No name" -msgstr "Sense nom" - -#: ../../mod/settings.php:677 -msgid "Remove authorization" -msgstr "retirar l'autorització" - -#: ../../mod/settings.php:689 -msgid "No Plugin settings configured" -msgstr "No s'han configurat ajustos de Plugin" - -#: ../../mod/settings.php:697 -msgid "Plugin Settings" -msgstr "Ajustos de Plugin" - -#: ../../mod/settings.php:711 -msgid "Off" -msgstr "Apagat" - -#: ../../mod/settings.php:711 -msgid "On" -msgstr "Engegat" - -#: ../../mod/settings.php:719 -msgid "Additional Features" -msgstr "Característiques Adicionals" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "El suport integrat per a la connectivitat de %s és %s" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "enabled" -msgstr "habilitat" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "disabled" -msgstr "deshabilitat" - -#: ../../mod/settings.php:734 -msgid "StatusNet" -msgstr "StatusNet" - -#: ../../mod/settings.php:770 -msgid "Email access is disabled on this site." -msgstr "L'accés al correu està deshabilitat en aquest lloc." - -#: ../../mod/settings.php:782 -msgid "Email/Mailbox Setup" -msgstr "Preparació de Correu/Bústia" - -#: ../../mod/settings.php:783 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Si vol comunicar-se amb els contactes de correu emprant aquest servei (opcional), Si us plau, especifiqui com connectar amb la seva bústia." - -#: ../../mod/settings.php:784 -msgid "Last successful email check:" -msgstr "Última comprovació de correu amb èxit:" - -#: ../../mod/settings.php:786 -msgid "IMAP server name:" -msgstr "Nom del servidor IMAP:" - -#: ../../mod/settings.php:787 -msgid "IMAP port:" -msgstr "Port IMAP:" - -#: ../../mod/settings.php:788 -msgid "Security:" -msgstr "Seguretat:" - -#: ../../mod/settings.php:788 ../../mod/settings.php:793 -msgid "None" -msgstr "Cap" - -#: ../../mod/settings.php:789 -msgid "Email login name:" -msgstr "Nom d'usuari del correu" - -#: ../../mod/settings.php:790 -msgid "Email password:" -msgstr "Contrasenya del correu:" - -#: ../../mod/settings.php:791 -msgid "Reply-to address:" -msgstr "Adreça de resposta:" - -#: ../../mod/settings.php:792 -msgid "Send public posts to all email contacts:" -msgstr "Enviar correu públic a tots els contactes del correu:" - -#: ../../mod/settings.php:793 -msgid "Action after import:" -msgstr "Acció després d'importar:" - -#: ../../mod/settings.php:793 -msgid "Mark as seen" -msgstr "Marcar com a vist" - -#: ../../mod/settings.php:793 -msgid "Move to folder" -msgstr "Moure a la carpeta" - -#: ../../mod/settings.php:794 -msgid "Move to folder:" -msgstr "Moure a la carpeta:" - -#: ../../mod/settings.php:825 ../../mod/admin.php:523 -msgid "No special theme for mobile devices" -msgstr "No hi ha un tema específic per a mòbil" - -#: ../../mod/settings.php:875 -msgid "Display Settings" -msgstr "Ajustos de Pantalla" - -#: ../../mod/settings.php:881 ../../mod/settings.php:896 -msgid "Display Theme:" -msgstr "Visualitzar el Tema:" - -#: ../../mod/settings.php:882 -msgid "Mobile Theme:" -msgstr "Tema Mobile:" - -#: ../../mod/settings.php:883 -msgid "Update browser every xx seconds" -msgstr "Actualitzar navegador cada xx segons" - -#: ../../mod/settings.php:883 -msgid "Minimum of 10 seconds, no maximum" -msgstr "Mínim cada 10 segons, no hi ha màxim" - -#: ../../mod/settings.php:884 -msgid "Number of items to display per page:" -msgstr "Número d'elements a mostrar per pàgina" - -#: ../../mod/settings.php:884 ../../mod/settings.php:885 -msgid "Maximum of 100 items" -msgstr "Màxim de 100 elements" - -#: ../../mod/settings.php:885 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Nombre d'elements a veure per pàgina quan es vegin des d'un dispositiu mòbil:" - -#: ../../mod/settings.php:886 -msgid "Don't show emoticons" -msgstr "No mostrar emoticons" - -#: ../../mod/settings.php:887 -msgid "Don't show notices" -msgstr "" - -#: ../../mod/settings.php:888 -msgid "Infinite scroll" -msgstr "" - -#: ../../mod/settings.php:889 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: ../../mod/settings.php:966 -msgid "User Types" -msgstr "" - -#: ../../mod/settings.php:967 -msgid "Community Types" -msgstr "" - -#: ../../mod/settings.php:968 -msgid "Normal Account Page" -msgstr "Pàgina Normal del Compte " - -#: ../../mod/settings.php:969 -msgid "This account is a normal personal profile" -msgstr "Aques compte es un compte personal normal" - -#: ../../mod/settings.php:972 -msgid "Soapbox Page" -msgstr "Pàgina de Soapbox" - -#: ../../mod/settings.php:973 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Aprova automàticament totes les sol·licituds de amistat/connexió com a fans de només lectura." - -#: ../../mod/settings.php:976 -msgid "Community Forum/Celebrity Account" -msgstr "Compte de Comunitat/Celebritat" - -#: ../../mod/settings.php:977 -msgid "" -"Automatically approve all connection/friend requests as read-write fans" -msgstr "Aprova automàticament totes les sol·licituds de amistat/connexió com a fans de lectura-escriptura" - -#: ../../mod/settings.php:980 -msgid "Automatic Friend Page" -msgstr "Compte d'Amistat Automàtica" - -#: ../../mod/settings.php:981 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Aprova totes les sol·licituds de amistat/connexió com a amic automàticament" - -#: ../../mod/settings.php:984 -msgid "Private Forum [Experimental]" -msgstr "Fòrum Privat [Experimental]" - -#: ../../mod/settings.php:985 -msgid "Private forum - approved members only" -msgstr "Fòrum privat - Només membres aprovats" - -#: ../../mod/settings.php:997 -msgid "OpenID:" -msgstr "OpenID:" - -#: ../../mod/settings.php:997 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Opcional) Permetre a aquest OpenID iniciar sessió en aquest compte." - -#: ../../mod/settings.php:1007 -msgid "Publish your default profile in your local site directory?" -msgstr "Publicar el teu perfil predeterminat en el directori del lloc local?" - -#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 -#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 -#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 -#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 -#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 -#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/register.php:231 -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 -msgid "No" -msgstr "No" - -#: ../../mod/settings.php:1013 -msgid "Publish your default profile in the global social directory?" -msgstr "Publicar el teu perfil predeterminat al directori social global?" - -#: ../../mod/settings.php:1021 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Amaga la teva llista de contactes/amics dels espectadors del seu perfil per defecte?" - -#: ../../mod/settings.php:1030 -msgid "Allow friends to post to your profile page?" -msgstr "Permet als amics publicar en la seva pàgina de perfil?" - -#: ../../mod/settings.php:1036 -msgid "Allow friends to tag your posts?" -msgstr "Permet als amics d'etiquetar els teus missatges?" - -#: ../../mod/settings.php:1042 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Permeteu-nos suggerir-li com un amic potencial dels nous membres?" - -#: ../../mod/settings.php:1048 -msgid "Permit unknown people to send you private mail?" -msgstr "Permetre a desconeguts enviar missatges al teu correu privat?" - -#: ../../mod/settings.php:1056 -msgid "Profile is not published." -msgstr "El Perfil no està publicat." - -#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 -msgid "or" -msgstr "o" - -#: ../../mod/settings.php:1064 -msgid "Your Identity Address is" -msgstr "La seva Adreça d'Identitat és" - -#: ../../mod/settings.php:1075 -msgid "Automatically expire posts after this many days:" -msgstr "Després de aquests nombre de dies, els missatges caduquen automàticament:" - -#: ../../mod/settings.php:1075 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Si està buit, els missatges no caducarà. Missatges caducats s'eliminaran" - -#: ../../mod/settings.php:1076 -msgid "Advanced expiration settings" -msgstr "Configuració avançada d'expiració" - -#: ../../mod/settings.php:1077 -msgid "Advanced Expiration" -msgstr "Expiració Avançada" - -#: ../../mod/settings.php:1078 -msgid "Expire posts:" -msgstr "Expiració d'enviaments" - -#: ../../mod/settings.php:1079 -msgid "Expire personal notes:" -msgstr "Expiració de notes personals" - -#: ../../mod/settings.php:1080 -msgid "Expire starred posts:" -msgstr "Expiració de enviaments de favorits" - -#: ../../mod/settings.php:1081 -msgid "Expire photos:" -msgstr "Expiració de fotos" - -#: ../../mod/settings.php:1082 -msgid "Only expire posts by others:" -msgstr "Només expiren els enviaments dels altres:" - -#: ../../mod/settings.php:1108 -msgid "Account Settings" -msgstr "Ajustos de Compte" - -#: ../../mod/settings.php:1116 -msgid "Password Settings" -msgstr "Ajustos de Contrasenya" - -#: ../../mod/settings.php:1117 -msgid "New Password:" -msgstr "Nova Contrasenya:" - -#: ../../mod/settings.php:1118 -msgid "Confirm:" -msgstr "Confirmar:" - -#: ../../mod/settings.php:1118 -msgid "Leave password fields blank unless changing" -msgstr "Deixi els camps de contrasenya buits per a no fer canvis" - -#: ../../mod/settings.php:1119 -msgid "Current Password:" -msgstr "Contrasenya Actual:" - -#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 -msgid "Your current password to confirm the changes" -msgstr "La teva actual contrasenya a fi de confirmar els canvis" - -#: ../../mod/settings.php:1120 -msgid "Password:" -msgstr "Contrasenya:" - -#: ../../mod/settings.php:1124 -msgid "Basic Settings" -msgstr "Ajustos Basics" - -#: ../../mod/settings.php:1126 -msgid "Email Address:" -msgstr "Adreça de Correu:" - -#: ../../mod/settings.php:1127 -msgid "Your Timezone:" -msgstr "La teva zona Horària:" - -#: ../../mod/settings.php:1128 -msgid "Default Post Location:" -msgstr "Localització per Defecte del Missatge:" - -#: ../../mod/settings.php:1129 -msgid "Use Browser Location:" -msgstr "Ubicar-se amb el Navegador:" - -#: ../../mod/settings.php:1132 -msgid "Security and Privacy Settings" -msgstr "Ajustos de Seguretat i Privacitat" - -#: ../../mod/settings.php:1134 -msgid "Maximum Friend Requests/Day:" -msgstr "Nombre Màxim de Sol·licituds per Dia" - -#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 -msgid "(to prevent spam abuse)" -msgstr "(per a prevenir abusos de spam)" - -#: ../../mod/settings.php:1135 -msgid "Default Post Permissions" -msgstr "Permisos de Correu per Defecte" - -#: ../../mod/settings.php:1136 -msgid "(click to open/close)" -msgstr "(clicar per a obrir/tancar)" - -#: ../../mod/settings.php:1145 ../../mod/photos.php:1146 -#: ../../mod/photos.php:1517 -msgid "Show to Groups" -msgstr "Mostrar en Grups" - -#: ../../mod/settings.php:1146 ../../mod/photos.php:1147 -#: ../../mod/photos.php:1518 -msgid "Show to Contacts" -msgstr "Mostrar a Contactes" - -#: ../../mod/settings.php:1147 -msgid "Default Private Post" -msgstr "Missatges Privats Per Defecte" - -#: ../../mod/settings.php:1148 -msgid "Default Public Post" -msgstr "Missatges Públics Per Defecte" - -#: ../../mod/settings.php:1152 -msgid "Default Permissions for New Posts" -msgstr "Permisos Per Defecte per a Nous Missatges" - -#: ../../mod/settings.php:1164 -msgid "Maximum private messages per day from unknown people:" -msgstr "Màxim nombre de missatges, per dia, de desconeguts:" - -#: ../../mod/settings.php:1167 -msgid "Notification Settings" -msgstr "Ajustos de Notificació" - -#: ../../mod/settings.php:1168 -msgid "By default post a status message when:" -msgstr "Enviar per defecte un missatge de estatus quan:" - -#: ../../mod/settings.php:1169 -msgid "accepting a friend request" -msgstr "Acceptar una sol·licitud d'amistat" - -#: ../../mod/settings.php:1170 -msgid "joining a forum/community" -msgstr "Unint-se a un fòrum/comunitat" - -#: ../../mod/settings.php:1171 -msgid "making an interesting profile change" -msgstr "fent un canvi al perfil" - -#: ../../mod/settings.php:1172 -msgid "Send a notification email when:" -msgstr "Envia un correu notificant quan:" - -#: ../../mod/settings.php:1173 -msgid "You receive an introduction" -msgstr "Has rebut una presentació" - -#: ../../mod/settings.php:1174 -msgid "Your introductions are confirmed" -msgstr "La teva presentació està confirmada" - -#: ../../mod/settings.php:1175 -msgid "Someone writes on your profile wall" -msgstr "Algú ha escrit en el teu mur de perfil" - -#: ../../mod/settings.php:1176 -msgid "Someone writes a followup comment" -msgstr "Algú ha escrit un comentari de seguiment" - -#: ../../mod/settings.php:1177 -msgid "You receive a private message" -msgstr "Has rebut un missatge privat" - -#: ../../mod/settings.php:1178 -msgid "You receive a friend suggestion" -msgstr "Has rebut una suggerencia d'un amic" - -#: ../../mod/settings.php:1179 -msgid "You are tagged in a post" -msgstr "Estàs etiquetat en un enviament" - -#: ../../mod/settings.php:1180 -msgid "You are poked/prodded/etc. in a post" -msgstr "Has estat Atiat/punxat/etc, en un enviament" - -#: ../../mod/settings.php:1183 -msgid "Advanced Account/Page Type Settings" -msgstr "Ajustos Avançats de Compte/ Pàgina" - -#: ../../mod/settings.php:1184 -msgid "Change the behaviour of this account for special situations" -msgstr "Canviar el comportament d'aquest compte en situacions especials" - -#: ../../mod/settings.php:1187 -msgid "Relocate" -msgstr "" - -#: ../../mod/settings.php:1188 -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:1189 -msgid "Resend relocate message to contacts" -msgstr "" - -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Amics Comuns" - -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Sense contactes en comú." - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Informació de privacitat remota no disponible." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Visible per a:" - -#: ../../mod/contacts.php:107 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 -msgid "Could not access contact record." -msgstr "No puc accedir al registre del contacte." - -#: ../../mod/contacts.php:152 -msgid "Could not locate selected profile." -msgstr "No puc localitzar el perfil seleccionat." - -#: ../../mod/contacts.php:181 -msgid "Contact updated." -msgstr "Contacte actualitzat." - -#: ../../mod/contacts.php:183 ../../mod/dfrn_request.php:576 -msgid "Failed to update contact record." -msgstr "Error en actualitzar registre de contacte." - -#: ../../mod/contacts.php:282 -msgid "Contact has been blocked" -msgstr "Elcontacte ha estat bloquejat" - -#: ../../mod/contacts.php:282 -msgid "Contact has been unblocked" -msgstr "El contacte ha estat desbloquejat" - -#: ../../mod/contacts.php:293 -msgid "Contact has been ignored" -msgstr "El contacte ha estat ignorat" - -#: ../../mod/contacts.php:293 -msgid "Contact has been unignored" -msgstr "El contacte ha estat recordat" - -#: ../../mod/contacts.php:305 -msgid "Contact has been archived" -msgstr "El contacte ha estat arxivat" - -#: ../../mod/contacts.php:305 -msgid "Contact has been unarchived" -msgstr "El contacte ha estat desarxivat" - -#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 -msgid "Do you really want to delete this contact?" -msgstr "Realment vols esborrar aquest contacte?" - -#: ../../mod/contacts.php:347 -msgid "Contact has been removed." -msgstr "El contacte ha estat tret" - -#: ../../mod/contacts.php:385 -#, php-format -msgid "You are mutual friends with %s" -msgstr "Ara te una amistat mutua amb %s" - -#: ../../mod/contacts.php:389 -#, php-format -msgid "You are sharing with %s" -msgstr "Estas compartint amb %s" - -#: ../../mod/contacts.php:394 -#, php-format -msgid "%s is sharing with you" -msgstr "%s esta compartint amb tú" - -#: ../../mod/contacts.php:411 -msgid "Private communications are not available for this contact." -msgstr "Comunicacions privades no disponibles per aquest contacte." - -#: ../../mod/contacts.php:414 ../../mod/admin.php:540 -msgid "Never" -msgstr "Mai" - -#: ../../mod/contacts.php:418 -msgid "(Update was successful)" -msgstr "(L'actualització fou exitosa)" - -#: ../../mod/contacts.php:418 -msgid "(Update was not successful)" -msgstr "(L'actualització fracassà)" - -#: ../../mod/contacts.php:420 -msgid "Suggest friends" -msgstr "Suggerir amics" - -#: ../../mod/contacts.php:424 -#, php-format -msgid "Network type: %s" -msgstr "Xarxa tipus: %s" - -#: ../../mod/contacts.php:432 -msgid "View all contacts" -msgstr "Veure tots els contactes" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 -#: ../../mod/contacts.php:706 ../../mod/admin.php:970 -msgid "Unblock" -msgstr "Desbloquejar" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 -#: ../../mod/contacts.php:706 ../../mod/admin.php:969 -msgid "Block" -msgstr "Bloquejar" - -#: ../../mod/contacts.php:440 -msgid "Toggle Blocked status" -msgstr "Canvi de estatus blocat" - -#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 -#: ../../mod/contacts.php:707 -msgid "Unignore" -msgstr "Treure d'Ignorats" - -#: ../../mod/contacts.php:446 -msgid "Toggle Ignored status" -msgstr "Canvi de estatus ignorat" - -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 -msgid "Unarchive" -msgstr "Desarxivat" - -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 -msgid "Archive" -msgstr "Arxivat" - -#: ../../mod/contacts.php:453 -msgid "Toggle Archive status" -msgstr "Canvi de estatus del arxiu" - -#: ../../mod/contacts.php:456 -msgid "Repair" -msgstr "Reparar" - -#: ../../mod/contacts.php:459 -msgid "Advanced Contact Settings" -msgstr "Ajustos Avançats per als Contactes" - -#: ../../mod/contacts.php:465 -msgid "Communications lost with this contact!" -msgstr "La comunicació amb aquest contacte s'ha perdut!" - -#: ../../mod/contacts.php:468 -msgid "Contact Editor" -msgstr "Editor de Contactes" - -#: ../../mod/contacts.php:471 -msgid "Profile Visibility" -msgstr "Perfil de Visibilitat" - -#: ../../mod/contacts.php:472 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Si us plau triï el perfil que voleu mostrar a %s quan estigui veient el teu de forma segura." - -#: ../../mod/contacts.php:473 -msgid "Contact Information / Notes" -msgstr "Informació/Notes del contacte" - -#: ../../mod/contacts.php:474 -msgid "Edit contact notes" -msgstr "Editar notes de contactes" - -#: ../../mod/contacts.php:479 ../../mod/contacts.php:671 -#: ../../mod/nogroup.php:40 ../../mod/viewcontacts.php:62 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Visitar perfil de %s [%s]" - -#: ../../mod/contacts.php:480 -msgid "Block/Unblock contact" -msgstr "Bloquejar/Alliberar contacte" - -#: ../../mod/contacts.php:481 -msgid "Ignore contact" -msgstr "Ignore contacte" - -#: ../../mod/contacts.php:482 -msgid "Repair URL settings" -msgstr "Restablir configuració de URL" - -#: ../../mod/contacts.php:483 -msgid "View conversations" -msgstr "Veient conversacions" - -#: ../../mod/contacts.php:485 -msgid "Delete contact" -msgstr "Esborrar contacte" - -#: ../../mod/contacts.php:489 -msgid "Last update:" -msgstr "Última actualització:" - -#: ../../mod/contacts.php:491 -msgid "Update public posts" -msgstr "Actualitzar enviament públic" - -#: ../../mod/contacts.php:493 ../../mod/admin.php:1464 -msgid "Update now" -msgstr "Actualitza ara" - -#: ../../mod/contacts.php:500 -msgid "Currently blocked" -msgstr "Bloquejat actualment" - -#: ../../mod/contacts.php:501 -msgid "Currently ignored" -msgstr "Ignorat actualment" - -#: ../../mod/contacts.php:502 -msgid "Currently archived" -msgstr "Actualment arxivat" - -#: ../../mod/contacts.php:503 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Répliques/agraiments per als teus missatges públics poden romandre visibles" - -#: ../../mod/contacts.php:504 -msgid "Notification for new posts" -msgstr "" - -#: ../../mod/contacts.php:504 -msgid "Send a notification of every new post of this contact" -msgstr "" - -#: ../../mod/contacts.php:505 -msgid "Fetch further information for feeds" -msgstr "" - -#: ../../mod/contacts.php:556 -msgid "Suggestions" -msgstr "Suggeriments" - -#: ../../mod/contacts.php:559 -msgid "Suggest potential friends" -msgstr "Suggerir amics potencials" - -#: ../../mod/contacts.php:565 -msgid "Show all contacts" -msgstr "Mostrar tots els contactes" - -#: ../../mod/contacts.php:568 -msgid "Unblocked" -msgstr "Desblocat" - -#: ../../mod/contacts.php:571 -msgid "Only show unblocked contacts" -msgstr "Mostrar únicament els contactes no blocats" - -#: ../../mod/contacts.php:575 -msgid "Blocked" -msgstr "Blocat" - -#: ../../mod/contacts.php:578 -msgid "Only show blocked contacts" -msgstr "Mostrar únicament els contactes blocats" - -#: ../../mod/contacts.php:582 -msgid "Ignored" -msgstr "Ignorat" - -#: ../../mod/contacts.php:585 -msgid "Only show ignored contacts" -msgstr "Mostrar únicament els contactes ignorats" - -#: ../../mod/contacts.php:589 -msgid "Archived" -msgstr "Arxivat" - -#: ../../mod/contacts.php:592 -msgid "Only show archived contacts" -msgstr "Mostrar únicament els contactes arxivats" - -#: ../../mod/contacts.php:596 -msgid "Hidden" -msgstr "Amagat" - -#: ../../mod/contacts.php:599 -msgid "Only show hidden contacts" -msgstr "Mostrar únicament els contactes amagats" - -#: ../../mod/contacts.php:647 -msgid "Mutual Friendship" -msgstr "Amistat Mutua" - -#: ../../mod/contacts.php:651 -msgid "is a fan of yours" -msgstr "Es un fan teu" - -#: ../../mod/contacts.php:655 -msgid "you are a fan of" -msgstr "ets fan de" - -#: ../../mod/contacts.php:672 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "Editar contacte" - -#: ../../mod/contacts.php:698 -msgid "Search your contacts" -msgstr "Cercant el seus contactes" - -#: ../../mod/contacts.php:699 ../../mod/directory.php:61 -msgid "Finding: " -msgstr "Cercant:" - -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "" - -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "" - -#: ../../mod/wall_attach.php:81 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "L'arxiu excedeix la mida límit de %d" - -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "La càrrega de fitxers ha fallat." - -#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 -#: ../../mod/update_notes.php:37 ../../mod/update_display.php:22 -#: ../../mod/update_profile.php:41 -msgid "[Embedded content - reload page to view]" -msgstr "[Contingut embegut - recarrega la pàgina per a veure-ho]" - -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Exportar compte" - -#: ../../mod/uexport.php:77 -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 "Exportar la teva informació del compte i de contactes. Empra això per fer una còpia de seguretat del teu compte i/o moure'l cap altre servidor. " - -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Exportar tot" - -#: ../../mod/uexport.php:78 -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 "Exportar la teva informació de compte, contactes i tots els teus articles com a json. Pot ser un fitxer molt gran, i pot trigar molt temps. Empra això per fer una còpia de seguretat total del teu compte (les fotos no s'exporten)" - -#: ../../mod/register.php:93 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrat amb èxit. Per favor, comprovi el seu correu per a posteriors instruccions." - -#: ../../mod/register.php:97 -msgid "Failed to send email message. Here is the message that failed." -msgstr "Error en enviar missatge de correu electrònic. Aquí està el missatge que ha fallat." - -#: ../../mod/register.php:102 -msgid "Your registration can not be processed." -msgstr "El seu registre no pot ser processat." - -#: ../../mod/register.php:145 -msgid "Your registration is pending approval by the site owner." -msgstr "El seu registre està pendent d'aprovació pel propietari del lloc." - -#: ../../mod/register.php:183 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Aquest lloc excedeix el nombre diari de registres de comptes. Per favor, provi de nou demà." - -#: ../../mod/register.php:211 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Vostè pot (opcionalment), omplir aquest formulari a través de OpenID mitjançant el subministrament de la seva OpenID i fent clic a 'Registrar'." - -#: ../../mod/register.php:212 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Si vostè no està familiaritzat amb Twitter, si us plau deixi aquest camp en blanc i completi la resta dels elements." - -#: ../../mod/register.php:213 -msgid "Your OpenID (optional): " -msgstr "El seu OpenID (opcional):" - -#: ../../mod/register.php:227 -msgid "Include your profile in member directory?" -msgstr "Incloc el seu perfil al directori de membres?" - -#: ../../mod/register.php:248 -msgid "Membership on this site is by invitation only." -msgstr "Lloc accesible mitjançant invitació." - -#: ../../mod/register.php:249 -msgid "Your invitation ID: " -msgstr "El teu ID de invitació:" - -#: ../../mod/register.php:252 ../../mod/admin.php:589 -msgid "Registration" -msgstr "Procés de Registre" - -#: ../../mod/register.php:260 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "El seu nom complet (per exemple, Joan Ningú):" - -#: ../../mod/register.php:261 -msgid "Your Email Address: " -msgstr "La Seva Adreça de Correu:" - -#: ../../mod/register.php:262 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Tria un nom de perfil. Això ha de començar amb un caràcter de text. La seva adreça de perfil en aquest lloc serà 'alies@$sitename'." - -#: ../../mod/register.php:263 -msgid "Choose a nickname: " -msgstr "Tria un àlies:" - -#: ../../mod/register.php:272 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Importar" - -#: ../../mod/register.php:273 -msgid "Import your profile to this friendica instance" -msgstr "" - -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Publicat amb éxit." - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "Sistema apagat per manteniment" - -#: ../../mod/profile.php:155 ../../mod/display.php:288 -msgid "Access to this profile has been restricted." -msgstr "L'accés a aquest perfil ha estat restringit." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Consells per a nous membres" - -#: ../../mod/videos.php:115 ../../mod/dfrn_request.php:766 -#: ../../mod/viewcontacts.php:17 ../../mod/photos.php:920 -#: ../../mod/search.php:89 ../../mod/community.php:18 -#: ../../mod/display.php:180 ../../mod/directory.php:33 -msgid "Public access denied." -msgstr "Accés públic denegat." - -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "No s'han seleccionat vídeos " - -#: ../../mod/videos.php:226 ../../mod/photos.php:1031 -msgid "Access to this item is restricted." -msgstr "L'accés a aquest element està restringit." - -#: ../../mod/videos.php:308 ../../mod/photos.php:1806 -msgid "View Album" -msgstr "Veure Àlbum" - -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Videos Recents" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Carrega Nous Videos" - -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Administrar Identitats i/o Pàgines" - -#: ../../mod/manage.php:107 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Alternar entre les diferents identitats o les pàgines de comunitats/grups que comparteixen les dades del seu compte o que se li ha concedit els permisos de \"administrar\"" - -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Seleccionar identitat a administrar:" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Element no trobat" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Editar Enviament" - -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "Cercant Gent" - -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "No hi ha coincidències" - -#: ../../mod/regmod.php:54 -msgid "Account approved." -msgstr "Compte aprovat." - -#: ../../mod/regmod.php:91 -#, php-format -msgid "Registration revoked for %s" -msgstr "Procés de Registre revocat per a %s" - -#: ../../mod/regmod.php:103 -msgid "Please login." -msgstr "Si us plau, ingressa." - -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "Aquesta presentació ha estat acceptada." - -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "El perfil de situació no és vàlid o no contè informació de perfil" - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Atenció: El perfil de situació no te nom de propietari identificable." - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "Atenció: El perfil de situació no te foto de perfil" - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 -#, 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 el paràmetre requerit no es va trobar al lloc indicat" -msgstr[1] "%d els paràmetres requerits no es van trobar allloc indicat" - -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "Completada la presentació." - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "Error de protocol irrecuperable." - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "Perfil no disponible" - -#: ../../mod/dfrn_request.php:267 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s avui ha rebut excesives peticions de connexió. " - -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "Mesures de protecció contra spam han estat invocades." - -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "S'aconsellà els amics que probin pasades 24 hores." - -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "Localitzador no vàlid" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "Adreça de correu no vàlida." - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "Aquest compte no s'ha configurat per al correu electrònic. Ha fallat la sol·licitud." - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "Incapaç de resoldre el teu nom al lloc facilitat." - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "Has fer la teva presentació aquí." - -#: ../../mod/dfrn_request.php:480 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Aparentment, ja tens amistat amb %s" - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "Perfil URL no vàlid." - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "La teva presentació ha estat enviada." - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "Si us plau, entri per confirmar la presentació." - -#: ../../mod/dfrn_request.php:664 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Sesió iniciada amb la identificació incorrecta. Entra en aquest perfil." - -#: ../../mod/dfrn_request.php:675 -msgid "Hide this contact" -msgstr "Amaga aquest contacte" - -#: ../../mod/dfrn_request.php:678 -#, php-format -msgid "Welcome home %s." -msgstr "Benvingut de nou %s" - -#: ../../mod/dfrn_request.php:679 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Si us plau, confirmi la seva sol·licitud de Presentació/Amistat a %s." - -#: ../../mod/dfrn_request.php:680 -msgid "Confirm" -msgstr "Confirmar" - -#: ../../mod/dfrn_request.php:808 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Si us plau, introdueixi la seva \"Adreça Identificativa\" d'una de les següents xarxes socials suportades:" - -#: ../../mod/dfrn_request.php:828 -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 "Si encara no ets membre de la web social lliure, segueix aquest enllaç per a trobar un lloc Friendica públic i uneix-te avui." - -#: ../../mod/dfrn_request.php:831 -msgid "Friend/Connection Request" -msgstr "Sol·licitud d'Amistat" - -#: ../../mod/dfrn_request.php:832 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Exemples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" - -#: ../../mod/dfrn_request.php:833 -msgid "Please answer the following:" -msgstr "Si us plau, contesti les següents preguntes:" - -#: ../../mod/dfrn_request.php:834 -#, php-format -msgid "Does %s know you?" -msgstr "%s et coneix?" - -#: ../../mod/dfrn_request.php:838 -msgid "Add a personal note:" -msgstr "Afegir una nota personal:" - -#: ../../mod/dfrn_request.php:841 -msgid "StatusNet/Federated Social Web" -msgstr "Web Social StatusNet/Federated " - -#: ../../mod/dfrn_request.php:843 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - per favor no utilitzi aquest formulari. Al contrari, entra %s en la barra de cerques de Diaspora." - -#: ../../mod/dfrn_request.php:844 -msgid "Your Identity Address:" -msgstr "La Teva Adreça Identificativa:" - -#: ../../mod/dfrn_request.php:847 -msgid "Submit Request" -msgstr "Sol·licitud Enviada" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "Arxius" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Autoritzi la connexió de aplicacions" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Torni a la seva aplicació i inserti aquest Codi de Seguretat:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Per favor, accedeixi per a continuar." - -#: ../../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 "Vol autoritzar a aquesta aplicació per accedir als teus missatges i contactes, i/o crear nous enviaments per a vostè?" - -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Realment vols esborrar aquest suggeriment?" - -#: ../../mod/suggest.php:72 -msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Cap suggeriment disponible. Si això és un nou lloc, si us plau torna a intentar en 24 hores." - -#: ../../mod/suggest.php:90 -msgid "Ignore/Hide" -msgstr "Ignorar/Amagar" - -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Contactes que no pertanyen a cap grup" - -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -#: ../../mod/crepair.php:131 ../../mod/dfrn_confirm.php:120 -msgid "Contact not found." -msgstr "Contacte no trobat" - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Enviat suggeriment d'amic." - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Suggerir Amics" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Suggerir un amic per a %s" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "enllaç" - -#: ../../mod/viewcontacts.php:39 -msgid "No contacts." -msgstr "Sense Contactes" - -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "Ajustos de Tema actualitzats" - -#: ../../mod/admin.php:104 ../../mod/admin.php:587 -msgid "Site" -msgstr "Lloc" - -#: ../../mod/admin.php:105 ../../mod/admin.php:959 ../../mod/admin.php:974 -msgid "Users" -msgstr "Usuaris" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1284 ../../mod/admin.php:1318 -msgid "Themes" -msgstr "Temes" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "Actualitzacions de BD" - -#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1405 -msgid "Logs" -msgstr "Registres" - -#: ../../mod/admin.php:129 -msgid "Plugin Features" -msgstr "Característiques del Plugin" - -#: ../../mod/admin.php:131 -msgid "User registrations waiting for confirmation" -msgstr "Registre d'usuari a l'espera de confirmació" - -#: ../../mod/admin.php:190 ../../mod/admin.php:913 -msgid "Normal Account" -msgstr "Compte Normal" - -#: ../../mod/admin.php:191 ../../mod/admin.php:914 -msgid "Soapbox Account" -msgstr "Compte Tribuna" - -#: ../../mod/admin.php:192 ../../mod/admin.php:915 -msgid "Community/Celebrity Account" -msgstr "Compte de Comunitat/Celebritat" - -#: ../../mod/admin.php:193 ../../mod/admin.php:916 -msgid "Automatic Friend Account" -msgstr "Compte d'Amistat Automàtic" - -#: ../../mod/admin.php:194 -msgid "Blog Account" -msgstr "Compte de Blog" - -#: ../../mod/admin.php:195 -msgid "Private Forum" -msgstr "Fòrum Privat" - -#: ../../mod/admin.php:214 -msgid "Message queues" -msgstr "Cues de missatges" - -#: ../../mod/admin.php:219 ../../mod/admin.php:586 ../../mod/admin.php:958 -#: ../../mod/admin.php:1062 ../../mod/admin.php:1115 ../../mod/admin.php:1283 -#: ../../mod/admin.php:1317 ../../mod/admin.php:1404 -msgid "Administration" -msgstr "Administració" - -#: ../../mod/admin.php:220 -msgid "Summary" -msgstr "Sumari" - -#: ../../mod/admin.php:222 -msgid "Registered users" -msgstr "Usuaris registrats" - -#: ../../mod/admin.php:224 -msgid "Pending registrations" -msgstr "Registres d'usuari pendents" - -#: ../../mod/admin.php:225 -msgid "Version" -msgstr "Versió" - -#: ../../mod/admin.php:227 -msgid "Active plugins" -msgstr "Plugins actius" - -#: ../../mod/admin.php:250 -msgid "Can not parse base url. Must have at least ://" -msgstr "" - -#: ../../mod/admin.php:494 -msgid "Site settings updated." -msgstr "Ajustos del lloc actualitzats." - -#: ../../mod/admin.php:541 -msgid "At post arrival" -msgstr "" - -#: ../../mod/admin.php:550 -msgid "Multi user instance" -msgstr "Instancia multiusuari" - -#: ../../mod/admin.php:573 -msgid "Closed" -msgstr "Tancat" - -#: ../../mod/admin.php:574 -msgid "Requires approval" -msgstr "Requereix aprovació" - -#: ../../mod/admin.php:575 -msgid "Open" -msgstr "Obert" - -#: ../../mod/admin.php:579 -msgid "No SSL policy, links will track page SSL state" -msgstr "No existe una política de SSL, se hará un seguimiento de los vínculos de la página con SSL" - -#: ../../mod/admin.php:580 -msgid "Force all links to use SSL" -msgstr "Forzar a tots els enllaços a utilitzar SSL" - -#: ../../mod/admin.php:581 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Certificat auto-signat, utilitzar SSL només per a enllaços locals (desaconsellat)" - -#: ../../mod/admin.php:590 -msgid "File upload" -msgstr "Fitxer carregat" - -#: ../../mod/admin.php:591 -msgid "Policies" -msgstr "Polítiques" - -#: ../../mod/admin.php:592 -msgid "Advanced" -msgstr "Avançat" - -#: ../../mod/admin.php:593 -msgid "Performance" -msgstr "Rendiment" - -#: ../../mod/admin.php:594 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "" - -#: ../../mod/admin.php:597 -msgid "Site name" -msgstr "Nom del lloc" - -#: ../../mod/admin.php:598 -msgid "Banner/Logo" -msgstr "Senyera/Logo" - -#: ../../mod/admin.php:599 -msgid "Additional Info" -msgstr "" - -#: ../../mod/admin.php:599 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "" - -#: ../../mod/admin.php:600 -msgid "System language" -msgstr "Idioma del Sistema" - -#: ../../mod/admin.php:601 -msgid "System theme" -msgstr "Tema del sistema" - -#: ../../mod/admin.php:601 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Tema per defecte del sistema - pot ser obviat pels perfils del usuari - Canviar ajustos de tema" - -#: ../../mod/admin.php:602 -msgid "Mobile system theme" -msgstr "Tema per a mòbil" - -#: ../../mod/admin.php:602 -msgid "Theme for mobile devices" -msgstr "Tema per a aparells mòbils" - -#: ../../mod/admin.php:603 -msgid "SSL link policy" -msgstr "Política SSL per als enllaços" - -#: ../../mod/admin.php:603 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Determina si els enllaços generats han de ser forçats a utilitzar SSL" - -#: ../../mod/admin.php:604 -msgid "Old style 'Share'" -msgstr "" - -#: ../../mod/admin.php:604 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "" - -#: ../../mod/admin.php:605 -msgid "Hide help entry from navigation menu" -msgstr "Amaga l'entrada d'ajuda del menu de navegació" - -#: ../../mod/admin.php:605 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Amaga l'entrada del menú de les pàgines d'ajuda. Pots encara accedir entrant /ajuda directament." - -#: ../../mod/admin.php:606 -msgid "Single user instance" -msgstr "Instancia per a un únic usuari" - -#: ../../mod/admin.php:606 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Fer aquesta instancia multi-usuari o mono-usuari per al usuari anomenat" - -#: ../../mod/admin.php:607 -msgid "Maximum image size" -msgstr "Mida màxima de les imatges" - -#: ../../mod/admin.php:607 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Mida màxima en bytes de les imatges a pujar. Per defecte es 0, que vol dir sense límits." - -#: ../../mod/admin.php:608 -msgid "Maximum image length" -msgstr "Maxima longitud d'imatge" - -#: ../../mod/admin.php:608 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Longitud màxima en píxels del costat més llarg de la imatge carregada. Per defecte es -1, que significa sense límits" - -#: ../../mod/admin.php:609 -msgid "JPEG image quality" -msgstr "Qualitat per a la imatge JPEG" - -#: ../../mod/admin.php:609 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Els JPEGs pujats seran guardats amb la qualitat que ajustis de [0-100]. Per defecte es 100 màxima qualitat." - -#: ../../mod/admin.php:611 -msgid "Register policy" -msgstr "Política per a registrar" - -#: ../../mod/admin.php:612 -msgid "Maximum Daily Registrations" -msgstr "Registres Màxims Diaris" - -#: ../../mod/admin.php:612 -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 "Si es permet el registre, això ajusta el nombre màxim de nous usuaris a acceptar diariament. Si el registre esta tancat, aquest ajust no te efectes." - -#: ../../mod/admin.php:613 -msgid "Register text" -msgstr "Text al registrar" - -#: ../../mod/admin.php:613 -msgid "Will be displayed prominently on the registration page." -msgstr "Serà mostrat de forma preminent a la pàgina durant el procés de registre." - -#: ../../mod/admin.php:614 -msgid "Accounts abandoned after x days" -msgstr "Comptes abandonats després de x dies" - -#: ../../mod/admin.php:614 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "No gastará recursos del sistema creant enquestes des de llocs externos per a comptes abandonats. Introdueixi 0 per a cap límit temporal." - -#: ../../mod/admin.php:615 -msgid "Allowed friend domains" -msgstr "Dominis amics permesos" - -#: ../../mod/admin.php:615 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Llista de dominis separada per comes, de adreçes de correu que són permeses per establir amistats. S'admeten comodins. Deixa'l buit per a acceptar tots els dominis." - -#: ../../mod/admin.php:616 -msgid "Allowed email domains" -msgstr "Dominis de correu permesos" - -#: ../../mod/admin.php:616 -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 "Llista de dominis separada per comes, de adreçes de correu que són permeses per registrtar-se. S'admeten comodins. Deixa'l buit per a acceptar tots els dominis." - -#: ../../mod/admin.php:617 -msgid "Block public" -msgstr "Bloqueig públic" - -#: ../../mod/admin.php:617 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Bloqueja l'accés públic a qualsevol pàgina del lloc fins que t'hagis identificat." - -#: ../../mod/admin.php:618 -msgid "Force publish" -msgstr "Forçar publicació" - -#: ../../mod/admin.php:618 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Obliga a que tots el perfils en aquest lloc siguin mostrats en el directori del lloc." - -#: ../../mod/admin.php:619 -msgid "Global directory update URL" -msgstr "Actualitzar URL del directori global" - -#: ../../mod/admin.php:619 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL per actualitzar el directori global. Si no es configura, el directori global serà completament inaccesible per a l'aplicació. " - -#: ../../mod/admin.php:620 -msgid "Allow threaded items" -msgstr "Permetre fils als articles" - -#: ../../mod/admin.php:620 -msgid "Allow infinite level threading for items on this site." -msgstr "Permet un nivell infinit de fils per a articles en aquest lloc." - -#: ../../mod/admin.php:621 -msgid "Private posts by default for new users" -msgstr "Els enviaments dels nous usuaris seran privats per defecte." - -#: ../../mod/admin.php:621 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Canviar els permisos d'enviament per defecte per a tots els nous membres a grup privat en lloc de públic." - -#: ../../mod/admin.php:622 -msgid "Don't include post content in email notifications" -msgstr "No incloure el assumpte a les notificacions per correu electrónic" - -#: ../../mod/admin.php:622 -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 "No incloure assumpte d'un enviament/comentari/missatge_privat/etc. Als correus electronics que envii fora d'aquest lloc, com a mesura de privacitat. " - -#: ../../mod/admin.php:623 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Deshabilita el accés públic als complements llistats al menu d'aplicacions" - -#: ../../mod/admin.php:623 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Marcant això restringiras els complements llistats al menú d'aplicacions al membres" - -#: ../../mod/admin.php:624 -msgid "Don't embed private images in posts" -msgstr "No incrustar imatges en missatges privats" - -#: ../../mod/admin.php:624 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "No reemplaçar les fotos privades hospedades localment en missatges amb una còpia de l'imatge embeguda. Això vol dir que els contactes que rebin el missatge contenint fotos privades s'ha d'autenticar i carregar cada imatge, amb el que pot suposar bastant temps." - -#: ../../mod/admin.php:625 -msgid "Allow Users to set remote_self" -msgstr "" - -#: ../../mod/admin.php:625 -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:626 -msgid "Block multiple registrations" -msgstr "Bloquejar multiples registracions" - -#: ../../mod/admin.php:626 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Inhabilita als usuaris el crear comptes adicionals per a usar com a pàgines." - -#: ../../mod/admin.php:627 -msgid "OpenID support" -msgstr "Suport per a OpenID" - -#: ../../mod/admin.php:627 -msgid "OpenID support for registration and logins." -msgstr "Suport per a registre i validació a OpenID." - -#: ../../mod/admin.php:628 -msgid "Fullname check" -msgstr "Comprobació de nom complet" - -#: ../../mod/admin.php:628 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Obliga els usuaris a col·locar un espai en blanc entre nom i cognoms, com a mesura antispam" - -#: ../../mod/admin.php:629 -msgid "UTF-8 Regular expressions" -msgstr "expresions regulars UTF-8" - -#: ../../mod/admin.php:629 -msgid "Use PHP UTF8 regular expressions" -msgstr "Empri expresions regulars de PHP amb format UTF8" - -#: ../../mod/admin.php:630 -msgid "Show Community Page" -msgstr "Mostra la Pàgina de Comunitat" - -#: ../../mod/admin.php:630 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Mostra a la pàgina de comunitat tots els missatges públics recents, d'aquest lloc." - -#: ../../mod/admin.php:631 -msgid "Enable OStatus support" -msgstr "Activa el suport per a OStatus" - -#: ../../mod/admin.php:631 -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:632 -msgid "OStatus conversation completion interval" -msgstr "Interval de conclusió de la conversació a OStatus" - -#: ../../mod/admin.php:632 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "Com de sovint el sondejador ha de comprovar les noves conversacions entrades a OStatus? Això pot implicar una gran càrrega de treball." - -#: ../../mod/admin.php:633 -msgid "Enable Diaspora support" -msgstr "Habilitar suport per Diaspora" - -#: ../../mod/admin.php:633 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Proveeix compatibilitat integrada amb la xarxa Diaspora" - -#: ../../mod/admin.php:634 -msgid "Only allow Friendica contacts" -msgstr "Només permetre contactes de Friendica" - -#: ../../mod/admin.php:634 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Tots els contactes " - -#: ../../mod/admin.php:635 -msgid "Verify SSL" -msgstr "Verificar SSL" - -#: ../../mod/admin.php:635 -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 "Si ho vols, pots comprovar el certificat estrictament. Això farà que no puguis connectar (de cap manera) amb llocs amb certificats SSL autosignats." - -#: ../../mod/admin.php:636 -msgid "Proxy user" -msgstr "proxy d'usuari" - -#: ../../mod/admin.php:637 -msgid "Proxy URL" -msgstr "URL del proxy" - -#: ../../mod/admin.php:638 -msgid "Network timeout" -msgstr "Temps excedit a la xarxa" - -#: ../../mod/admin.php:638 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Valor en segons. Canviat a 0 es sense límits (no recomenat)" - -#: ../../mod/admin.php:639 -msgid "Delivery interval" -msgstr "Interval d'entrega" - -#: ../../mod/admin.php:639 -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 "Retardar processos d'entrega, en segon pla, en aquesta quantitat de segons, per reduir la càrrega del sistema . Recomanem : 4-5 per als servidors compartits , 2-3 per a servidors privats virtuals . 0-1 per els grans servidors dedicats." - -#: ../../mod/admin.php:640 -msgid "Poll interval" -msgstr "Interval entre sondejos" - -#: ../../mod/admin.php:640 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Endarrerir els processos de sondeig en segon pla durant aquest període, en segons, per tal de reduir la càrrega de treball del sistema, Si s'empra 0, s'utilitza l'interval d'entregues. " - -#: ../../mod/admin.php:641 -msgid "Maximum Load Average" -msgstr "Càrrega Màxima Sostinguda" - -#: ../../mod/admin.php:641 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Càrrega màxima del sistema abans d'apaçar els processos d'entrega i sondeig - predeterminat a 50." - -#: ../../mod/admin.php:643 -msgid "Use MySQL full text engine" -msgstr "Emprar el motor de text complet de MySQL" - -#: ../../mod/admin.php:643 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Activa el motos de text complet. Accelera les cerques pero només pot cercar per quatre o més caracters." - -#: ../../mod/admin.php:644 -msgid "Suppress Language" -msgstr "" - -#: ../../mod/admin.php:644 -msgid "Suppress language information in meta information about a posting." -msgstr "" - -#: ../../mod/admin.php:645 -msgid "Path to item cache" -msgstr "Camí cap a la caché de l'article" - -#: ../../mod/admin.php:646 -msgid "Cache duration in seconds" -msgstr "Duració de la caché en segons" - -#: ../../mod/admin.php:646 -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:647 -msgid "Maximum numbers of comments per post" -msgstr "" - -#: ../../mod/admin.php:647 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "" - -#: ../../mod/admin.php:648 -msgid "Path for lock file" -msgstr "Camí per a l'arxiu bloquejat" - -#: ../../mod/admin.php:649 -msgid "Temp path" -msgstr "Camí a carpeta temporal" - -#: ../../mod/admin.php:650 -msgid "Base path to installation" -msgstr "Trajectoria base per a instal·lar" - -#: ../../mod/admin.php:651 -msgid "Disable picture proxy" -msgstr "" - -#: ../../mod/admin.php:651 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "" - -#: ../../mod/admin.php:653 -msgid "New base url" -msgstr "" - -#: ../../mod/admin.php:655 -msgid "Enable noscrape" -msgstr "" - -#: ../../mod/admin.php:655 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping." -msgstr "" - -#: ../../mod/admin.php:672 -msgid "Update has been marked successful" -msgstr "L'actualització ha estat marcada amb èxit" - -#: ../../mod/admin.php:680 -#, php-format -msgid "Database structure update %s was successfully applied." -msgstr "" - -#: ../../mod/admin.php:683 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "" - -#: ../../mod/admin.php:695 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "" - -#: ../../mod/admin.php:698 -#, php-format -msgid "Update %s was successfully applied." -msgstr "L'actualització de %s es va aplicar amb èxit." - -#: ../../mod/admin.php:702 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "L'actualització de %s no ha retornat el seu estatus. Es desconeix si ha estat amb èxit." - -#: ../../mod/admin.php:704 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "" - -#: ../../mod/admin.php:723 -msgid "No failed updates." -msgstr "No hi ha actualitzacions fallides." - -#: ../../mod/admin.php:724 -msgid "Check database structure" -msgstr "" - -#: ../../mod/admin.php:729 -msgid "Failed Updates" -msgstr "Actualitzacions Fallides" - -#: ../../mod/admin.php:730 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Això no inclou actualitzacions anteriors a 1139, raó per la que no ha retornat l'estatus." - -#: ../../mod/admin.php:731 -msgid "Mark success (if update was manually applied)" -msgstr "Marcat am èxit (si l'actualització es va fer manualment)" - -#: ../../mod/admin.php:732 -msgid "Attempt to execute this update step automatically" -msgstr "Intentant executar aquest pas d'actualització automàticament" - -#: ../../mod/admin.php:764 +#: ../../include/dbstructure.php:26 #, php-format msgid "" "\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." +"\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 "" -#: ../../mod/admin.php:767 +#: ../../include/dbstructure.php:31 #, php-format msgid "" -"\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." +"The error message is\n" +"[pre]%s[/pre]" msgstr "" -#: ../../mod/admin.php:811 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s usuari bloquejar/desbloquejar" -msgstr[1] "%s usuaris bloquejar/desbloquejar" +#: ../../include/dbstructure.php:163 +msgid "Errors encountered creating database tables." +msgstr "Des erreurs ont été signalées lors de la création des tables." -#: ../../mod/admin.php:818 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s usuari esborrat" -msgstr[1] "%s usuaris esborrats" - -#: ../../mod/admin.php:857 -#, php-format -msgid "User '%s' deleted" -msgstr "Usuari %s' esborrat" - -#: ../../mod/admin.php:865 -#, php-format -msgid "User '%s' unblocked" -msgstr "Usuari %s' desbloquejat" - -#: ../../mod/admin.php:865 -#, php-format -msgid "User '%s' blocked" -msgstr "L'usuari '%s' és bloquejat" - -#: ../../mod/admin.php:960 -msgid "Add User" +#: ../../include/dbstructure.php:221 +msgid "Errors encountered performing database changes." msgstr "" - -#: ../../mod/admin.php:961 -msgid "select all" -msgstr "Seleccionar tot" - -#: ../../mod/admin.php:962 -msgid "User registrations waiting for confirm" -msgstr "Registre d'usuari esperant confirmació" - -#: ../../mod/admin.php:963 -msgid "User waiting for permanent deletion" -msgstr "" - -#: ../../mod/admin.php:964 -msgid "Request date" -msgstr "Data de sol·licitud" - -#: ../../mod/admin.php:965 -msgid "No registrations." -msgstr "Sense registres." - -#: ../../mod/admin.php:967 -msgid "Deny" -msgstr "Denegar" - -#: ../../mod/admin.php:971 -msgid "Site admin" -msgstr "Administrador del lloc" - -#: ../../mod/admin.php:972 -msgid "Account expired" -msgstr "Compte expirat" - -#: ../../mod/admin.php:975 -msgid "New User" -msgstr "" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Register date" -msgstr "Data de registre" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Last login" -msgstr "Últim accés" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Last item" -msgstr "Últim element" - -#: ../../mod/admin.php:976 -msgid "Deleted since" -msgstr "" - -#: ../../mod/admin.php:979 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Els usuaris seleccionats seran esborrats!\\n\\nqualsevol cosa que aquests usuaris hagin publicat en aquest lloc s'esborrarà!\\n\\nEsteu segur?" - -#: ../../mod/admin.php:980 -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 "L'usuari {0} s'eliminarà!\\n\\nQualsevol cosa que aquest usuari hagi publicat en aquest lloc s'esborrarà!\\n\\nEsteu segur?" - -#: ../../mod/admin.php:990 -msgid "Name of the new user." -msgstr "" - -#: ../../mod/admin.php:991 -msgid "Nickname" -msgstr "" - -#: ../../mod/admin.php:991 -msgid "Nickname of the new user." -msgstr "" - -#: ../../mod/admin.php:992 -msgid "Email address of the new user." -msgstr "" - -#: ../../mod/admin.php:1025 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s deshabilitat." - -#: ../../mod/admin.php:1029 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s habilitat." - -#: ../../mod/admin.php:1039 ../../mod/admin.php:1255 -msgid "Disable" -msgstr "Deshabilitar" - -#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 -msgid "Enable" -msgstr "Habilitar" - -#: ../../mod/admin.php:1064 ../../mod/admin.php:1285 -msgid "Toggle" -msgstr "Canviar" - -#: ../../mod/admin.php:1072 ../../mod/admin.php:1295 -msgid "Author: " -msgstr "Autor:" - -#: ../../mod/admin.php:1073 ../../mod/admin.php:1296 -msgid "Maintainer: " -msgstr "Responsable:" - -#: ../../mod/admin.php:1215 -msgid "No themes found." -msgstr "No s'ha trobat temes." - -#: ../../mod/admin.php:1277 -msgid "Screenshot" -msgstr "Captura de pantalla" - -#: ../../mod/admin.php:1323 -msgid "[Experimental]" -msgstr "[Experimental]" - -#: ../../mod/admin.php:1324 -msgid "[Unsupported]" -msgstr "[No soportat]" - -#: ../../mod/admin.php:1351 -msgid "Log settings updated." -msgstr "Configuració del registre actualitzada." - -#: ../../mod/admin.php:1407 -msgid "Clear" -msgstr "Netejar" - -#: ../../mod/admin.php:1413 -msgid "Enable Debugging" -msgstr "Habilitar Depuració" - -#: ../../mod/admin.php:1414 -msgid "Log file" -msgstr "Arxiu de registre" - -#: ../../mod/admin.php:1414 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Ha de tenir permisos d'escriptura pel servidor web. En relació amb el seu directori Friendica de nivell superior." - -#: ../../mod/admin.php:1415 -msgid "Log level" -msgstr "Nivell de transcripció" - -#: ../../mod/admin.php:1465 -msgid "Close" -msgstr "Tancar" - -#: ../../mod/admin.php:1471 -msgid "FTP Host" -msgstr "Amfitrió FTP" - -#: ../../mod/admin.php:1472 -msgid "FTP Path" -msgstr "Direcció FTP" - -#: ../../mod/admin.php:1473 -msgid "FTP User" -msgstr "Usuari FTP" - -#: ../../mod/admin.php:1474 -msgid "FTP Password" -msgstr "Contrasenya FTP" - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "La imatge sobrepassa el límit de mida de %d" - -#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Incapaç de processar la imatge." - -#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Actualització de la imatge fracassada." - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Benvingut a %s" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Error al protocol OpenID. No ha retornat ID." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "Compte no trobat i el registrar-se amb OpenID no està permès en aquest lloc." - -#: ../../mod/network.php:136 -msgid "Search Results For:" -msgstr "Resultats de la Cerca Per a:" - -#: ../../mod/network.php:179 ../../mod/search.php:21 -msgid "Remove term" -msgstr "Traieu termini" - -#: ../../mod/network.php:350 -msgid "Commented Order" -msgstr "Ordre dels Comentaris" - -#: ../../mod/network.php:353 -msgid "Sort by Comment Date" -msgstr "Ordenar per Data de Comentari" - -#: ../../mod/network.php:356 -msgid "Posted Order" -msgstr "Ordre dels Enviaments" - -#: ../../mod/network.php:359 -msgid "Sort by Post Date" -msgstr "Ordenar per Data d'Enviament" - -#: ../../mod/network.php:368 -msgid "Posts that mention or involve you" -msgstr "Missatge que et menciona o t'impliquen" - -#: ../../mod/network.php:374 -msgid "New" -msgstr "Nou" - -#: ../../mod/network.php:377 -msgid "Activity Stream - by date" -msgstr "Activitat del Flux - per data" - -#: ../../mod/network.php:383 -msgid "Shared Links" -msgstr "Enllaços Compartits" - -#: ../../mod/network.php:386 -msgid "Interesting Links" -msgstr "Enllaços Interesants" - -#: ../../mod/network.php:392 -msgid "Starred" -msgstr "Favorits" - -#: ../../mod/network.php:395 -msgid "Favourite Posts" -msgstr "Enviaments Favorits" - -#: ../../mod/network.php:457 -#, php-format -msgid "Warning: This group contains %s member from an insecure network." -msgid_plural "" -"Warning: This group contains %s members from an insecure network." -msgstr[0] "Advertència: Aquest grup conté el membre %s en una xarxa insegura." -msgstr[1] "Advertència: Aquest grup conté %s membres d'una xarxa insegura." - -#: ../../mod/network.php:460 -msgid "Private messages to this group are at risk of public disclosure." -msgstr "Els missatges privats a aquest grup es troben en risc de divulgació pública." - -#: ../../mod/network.php:514 ../../mod/content.php:119 -msgid "No such group" -msgstr "Cap grup com" - -#: ../../mod/network.php:531 ../../mod/content.php:130 -msgid "Group is empty" -msgstr "El Grup es buit" - -#: ../../mod/network.php:538 ../../mod/content.php:134 -msgid "Group: " -msgstr "Grup:" - -#: ../../mod/network.php:548 -msgid "Contact: " -msgstr "Contacte:" - -#: ../../mod/network.php:550 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "Els missatges privats a aquesta persona es troben en risc de divulgació pública." - -#: ../../mod/network.php:555 -msgid "Invalid contact." -msgstr "Contacte no vàlid." - -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- seleccionar -" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Això és Friendica, versió" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "funcionant en la ubicació web" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Si us plau, visiteu Friendica.com per obtenir més informació sobre el projecte Friendica." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Pels informes d'error i problemes: si us plau, visiteu" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Suggeriments, elogis, donacions, etc si us plau escrigui a \"Info\" en Friendica - dot com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "plugins/addons/apps instal·lats:" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "plugins/addons/apps no instal·lats" - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Aplicacions" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Aplicacions no instal·lades." - -#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 -msgid "Upload New Photos" -msgstr "Actualitzar Noves Fotos" - -#: ../../mod/photos.php:144 -msgid "Contact information unavailable" -msgstr "Informació del Contacte no disponible" - -#: ../../mod/photos.php:165 -msgid "Album not found." -msgstr "Àlbum no trobat." - -#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 -msgid "Delete Album" -msgstr "Eliminar Àlbum" - -#: ../../mod/photos.php:198 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Realment vols esborrar aquest album de fotos amb totes les fotos?" - -#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 -msgid "Delete Photo" -msgstr "Eliminar Foto" - -#: ../../mod/photos.php:287 -msgid "Do you really want to delete this photo?" -msgstr "Realment vols esborrar aquesta foto?" - -#: ../../mod/photos.php:662 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s fou etiquetat a %2$s per %3$s" - -#: ../../mod/photos.php:662 -msgid "a photo" -msgstr "una foto" - -#: ../../mod/photos.php:767 -msgid "Image exceeds size limit of " -msgstr "La imatge excedeix el límit de " - -#: ../../mod/photos.php:775 -msgid "Image file is empty." -msgstr "El fitxer de imatge és buit." - -#: ../../mod/photos.php:930 -msgid "No photos selected" -msgstr "No s'han seleccionat fotos" - -#: ../../mod/photos.php:1094 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "Has emprat %1$.2f Mbytes de %2$.2f Mbytes del magatzem de fotos." - -#: ../../mod/photos.php:1129 -msgid "Upload Photos" -msgstr "Carregar Fotos" - -#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 -msgid "New album name: " -msgstr "Nou nom d'àlbum:" - -#: ../../mod/photos.php:1134 -msgid "or existing album name: " -msgstr "o nom d'àlbum existent:" - -#: ../../mod/photos.php:1135 -msgid "Do not show a status post for this upload" -msgstr "No tornis a mostrar un missatge d'estat d'aquesta pujada" - -#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 -msgid "Permissions" -msgstr "Permisos" - -#: ../../mod/photos.php:1148 -msgid "Private Photo" -msgstr "Foto Privada" - -#: ../../mod/photos.php:1149 -msgid "Public Photo" -msgstr "Foto Pública" - -#: ../../mod/photos.php:1216 -msgid "Edit Album" -msgstr "Editar Àlbum" - -#: ../../mod/photos.php:1222 -msgid "Show Newest First" -msgstr "Mostrar el més Nou Primer" - -#: ../../mod/photos.php:1224 -msgid "Show Oldest First" -msgstr "Mostrar el més Antic Primer" - -#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 -msgid "View Photo" -msgstr "Veure Foto" - -#: ../../mod/photos.php:1292 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permís denegat. L'accés a aquest element pot estar restringit." - -#: ../../mod/photos.php:1294 -msgid "Photo not available" -msgstr "Foto no disponible" - -#: ../../mod/photos.php:1350 -msgid "View photo" -msgstr "Veure foto" - -#: ../../mod/photos.php:1350 -msgid "Edit photo" -msgstr "Editar foto" - -#: ../../mod/photos.php:1351 -msgid "Use as profile photo" -msgstr "Emprar com a foto del perfil" - -#: ../../mod/photos.php:1376 -msgid "View Full Size" -msgstr "Veure'l a Mida Completa" - -#: ../../mod/photos.php:1455 -msgid "Tags: " -msgstr "Etiquetes:" - -#: ../../mod/photos.php:1458 -msgid "[Remove any tag]" -msgstr "Treure etiquetes" - -#: ../../mod/photos.php:1498 -msgid "Rotate CW (right)" -msgstr "Rotar CW (dreta)" - -#: ../../mod/photos.php:1499 -msgid "Rotate CCW (left)" -msgstr "Rotar CCW (esquerra)" - -#: ../../mod/photos.php:1501 -msgid "New album name" -msgstr "Nou nom d'àlbum" - -#: ../../mod/photos.php:1504 -msgid "Caption" -msgstr "Títol" - -#: ../../mod/photos.php:1506 -msgid "Add a Tag" -msgstr "Afegir una etiqueta" - -#: ../../mod/photos.php:1510 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Exemple: @bob, @Barbara_jensen, @jim@example.com, #California, #camping" - -#: ../../mod/photos.php:1519 -msgid "Private photo" -msgstr "Foto Privada" - -#: ../../mod/photos.php:1520 -msgid "Public photo" -msgstr "Foto pública" - -#: ../../mod/photos.php:1815 -msgid "Recent Photos" -msgstr "Fotos Recents" - -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Contacte afegit" - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Moure el compte" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Pots importar un compte d'un altre servidor Friendica" - -#: ../../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 "Es necessari que exportis el teu compte de l'antic servidor i el pugis a aquest. Recrearem el teu antic compte aquí amb tots els teus contactes. Intentarem també informar als teus amics que t'has traslladat aquí." - -#: ../../mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Aquesta característica es experimental. Podem importar els teus contactes de la xarxa OStatus (status/identi.ca) o de Diaspora" - -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "Arxiu del compte" - -#: ../../mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "" - -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Limit d'invitacions excedit." - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s : No es una adreça de correu vàlida" - -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Per favor, uneixi's a nosaltres en Friendica" - -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limit d'invitacions excedit. Per favor, Contacti amb l'administrador del lloc." - -#: ../../mod/invite.php:89 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s : Ha fallat l'entrega del missatge." - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d missatge enviat" -msgstr[1] "%d missatges enviats." - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "No te més invitacions disponibles" - -#: ../../mod/invite.php:120 -#, 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 "Visita %s per a una llista de llocs públics on unir-te. Els membres de Friendica d'altres llocs poden connectar-se de forma total, així com amb membres de moltes altres xarxes socials." - -#: ../../mod/invite.php:122 -#, php-format -msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Per acceptar aquesta invitació, per favor visita i registra't a %s o en qualsevol altre pàgina web pública Friendica." - -#: ../../mod/invite.php:123 -#, 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 "Tots els llocs Friendica estàn interconnectats per crear una web social amb privacitat millorada, controlada i propietat dels seus membres. També poden connectar amb moltes xarxes socials tradicionals. Consulteu %s per a una llista de llocs de Friendica alternatius en que pot inscriure's." - -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Nostres disculpes. Aquest sistema no està configurat actualment per connectar amb altres llocs públics o convidar als membres." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Enviant Invitacions" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Entri adreçes de correu, una per línia:" - -#: ../../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 "Estàs cordialment convidat a ajuntarte a mi i altres amics propers en Friendica - i ajudar-nos a crear una millor web social." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Vostè haurà de proporcionar aquest codi d'invitació: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Un cop registrat, si us plau contactar amb mi a través de la meva pàgina de perfil a:" - -#: ../../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 "Per a més informació sobre el projecte Friendica i perque creiem que això es important, per favor, visita http://friendica.com" - -#: ../../mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Accés denegat." - -#: ../../mod/lostpass.php:19 -msgid "No valid account found." -msgstr "compte no vàlid trobat." - -#: ../../mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "Sol·licitut de restabliment de contrasenya enviat. Comprovi el seu correu." - -#: ../../mod/lostpass.php:42 -#, 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:53 -#, 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:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "Contrasenya restablerta enviada a %s" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "La sol·licitut no pot ser verificada. (Hauries de presentar-la abans). Restabliment de contrasenya fracassat." - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "La teva contrasenya fou restablerta com vas demanar." - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "La teva nova contrasenya es" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Guarda o copia la nova contrasenya - i llavors" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "clica aquí per identificarte" - -#: ../../mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Pots camviar la contrasenya des de la pàgina de Configuración desprès d'accedir amb èxit." - -#: ../../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 "La teva contrasenya ha estat canviada a %s" - -#: ../../mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Has Oblidat la Contrasenya?" - -#: ../../mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Introdueixi la seva adreça de correu i enivii-la per restablir la seva contrasenya. Llavors comprovi el seu correu per a les següents instruccións. " - -#: ../../mod/lostpass.php:161 -msgid "Nickname or Email: " -msgstr "Àlies o Correu:" - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "Restablir" - -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Text Codi (bbcode): " - -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Font (Diaspora) Convertir text a BBcode" - -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Entrada de Codi:" - -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (raw 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 "Font d'entrada (format de Diaspora)" - -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Etiqueta eliminada" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Esborrar etiqueta del element" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Selecciona etiqueta a esborrar:" - -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Eliminar el Meu Compte" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Això eliminarà per complet el seu compte. Quan s'hagi fet això, no serà recuperable." - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Si us plau, introduïu la contrasenya per a la verificació:" - -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Identificador del perfil no vàlid." - -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Editor de Visibilitat del Perfil" - -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Visible Per" - -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Tots els Contactes (amb accés segur al perfil)" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "Perfil Aconseguit" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "No hi ha paraules clau que coincideixin. Si us plau, afegeixi paraules clau al teu perfil predeterminat." - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "està interessat en:" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Títol d'esdeveniment i hora d'inici requerits." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l, F j" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Editar esdeveniment" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Crear un nou esdeveniment" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Previ" - -#: ../../mod/events.php:373 ../../mod/install.php:207 -msgid "Next" -msgstr "Següent" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "hora:minut" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Detalls del esdeveniment" - -#: ../../mod/events.php:457 -#, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "El Format és %s %s. Data d'inici i títol requerits." - -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "Inici d'Esdeveniment:" - -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Requerit" - -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "La data/hora de finalització no es coneixen o no són relevants" - -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "L'esdeveniment Finalitza:" - -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "Ajustar a la zona horaria de l'espectador" - -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Descripció:" - -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Títol:" - -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Compartir aquest esdeveniment" - -#: ../../mod/ping.php:240 -msgid "{0} wants to be your friend" -msgstr "{0} vol ser el teu amic" - -#: ../../mod/ping.php:245 -msgid "{0} sent you a message" -msgstr "{0} t'ha enviat un missatge de" - -#: ../../mod/ping.php:250 -msgid "{0} requested registration" -msgstr "{0} solicituts de registre" - -#: ../../mod/ping.php:256 -#, php-format -msgid "{0} commented %s's post" -msgstr "{0} va comentar l'enviament de %s" - -#: ../../mod/ping.php:261 -#, php-format -msgid "{0} liked %s's post" -msgstr "A {0} l'ha agradat l'enviament de %s" - -#: ../../mod/ping.php:266 -#, php-format -msgid "{0} disliked %s's post" -msgstr "A {0} no l'ha agradat l'enviament de %s" - -#: ../../mod/ping.php:271 -#, php-format -msgid "{0} is now friends with %s" -msgstr "{0} ara és amic de %s" - -#: ../../mod/ping.php:276 -msgid "{0} posted" -msgstr "{0} publicat" - -#: ../../mod/ping.php:281 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "{0} va etiquetar la publicació de %s com #%s" - -#: ../../mod/ping.php:287 -msgid "{0} mentioned you in a post" -msgstr "{0} et menciona en un missatge" - -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "Humor" - -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "Ajusta el teu actual estat d'ànim i comenta-ho als amics" - -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Sense resultats." - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "No es pot trobar informació de contacte." - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Realment vols esborrar aquest missatge?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Missatge eliminat." - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Conversació esborrada." - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Sense missatges." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "remitent desconegut - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Tu i %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s i Tu" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Esborrar conversació" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D, d M Y - g:i A" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d missatge" -msgstr[1] "%d missatges" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Missatge no disponible." - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Esborra missatge" - -#: ../../mod/message.php:548 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Comunicacions degures no disponibles. Tú pots respondre des de la pàgina de perfil del remitent." - -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Enviar Resposta" - -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "No disponible." - -#: ../../mod/profiles.php:18 ../../mod/profiles.php:133 -#: ../../mod/profiles.php:162 ../../mod/profiles.php:589 -#: ../../mod/dfrn_confirm.php:64 -msgid "Profile not found." -msgstr "Perfil no trobat." - -#: ../../mod/profiles.php:37 -msgid "Profile deleted." -msgstr "Perfil esborrat." - -#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 -msgid "Profile-" -msgstr "Perfil-" - -#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 -msgid "New profile created." -msgstr "Nou perfil creat." - -#: ../../mod/profiles.php:95 -msgid "Profile unavailable to clone." -msgstr "No es pot clonar el perfil." - -#: ../../mod/profiles.php:172 -msgid "Profile Name is required." -msgstr "Nom de perfil requerit." - -#: ../../mod/profiles.php:323 -msgid "Marital Status" -msgstr "Estatus Marital" - -#: ../../mod/profiles.php:327 -msgid "Romantic Partner" -msgstr "Soci Romàntic" - -#: ../../mod/profiles.php:331 -msgid "Likes" -msgstr "Agrada" - -#: ../../mod/profiles.php:335 -msgid "Dislikes" -msgstr "No agrada" - -#: ../../mod/profiles.php:339 -msgid "Work/Employment" -msgstr "Treball/Ocupació" - -#: ../../mod/profiles.php:342 -msgid "Religion" -msgstr "Religió" - -#: ../../mod/profiles.php:346 -msgid "Political Views" -msgstr "Idees Polítiques" - -#: ../../mod/profiles.php:350 -msgid "Gender" -msgstr "Gènere" - -#: ../../mod/profiles.php:354 -msgid "Sexual Preference" -msgstr "Preferència sexual" - -#: ../../mod/profiles.php:358 -msgid "Homepage" -msgstr "Inici" - -#: ../../mod/profiles.php:362 ../../mod/profiles.php:657 -msgid "Interests" -msgstr "Interesos" - -#: ../../mod/profiles.php:366 -msgid "Address" -msgstr "Adreça" - -#: ../../mod/profiles.php:373 ../../mod/profiles.php:653 -msgid "Location" -msgstr "Ubicació" - -#: ../../mod/profiles.php:456 -msgid "Profile updated." -msgstr "Perfil actualitzat." - -#: ../../mod/profiles.php:527 -msgid " and " -msgstr " i " - -#: ../../mod/profiles.php:535 -msgid "public profile" -msgstr "perfil públic" - -#: ../../mod/profiles.php:538 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s s'ha canviat de %2$s a “%3$s”" - -#: ../../mod/profiles.php:539 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr " - Visita %1$s de %2$s" - -#: ../../mod/profiles.php:542 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s te una actualització %2$s, canviant %3$s." - -#: ../../mod/profiles.php:617 -msgid "Hide contacts and friends:" -msgstr "" - -#: ../../mod/profiles.php:622 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Amaga la llista de contactes/amics en la vista d'aquest perfil?" - -#: ../../mod/profiles.php:644 -msgid "Edit Profile Details" -msgstr "Editor de Detalls del Perfil" - -#: ../../mod/profiles.php:646 -msgid "Change Profile Photo" -msgstr "Canviar la Foto del Perfil" - -#: ../../mod/profiles.php:647 -msgid "View this profile" -msgstr "Veure aquest perfil" - -#: ../../mod/profiles.php:648 -msgid "Create a new profile using these settings" -msgstr "Crear un nou perfil amb aquests ajustos" - -#: ../../mod/profiles.php:649 -msgid "Clone this profile" -msgstr "Clonar aquest perfil" - -#: ../../mod/profiles.php:650 -msgid "Delete this profile" -msgstr "Esborrar aquest perfil" - -#: ../../mod/profiles.php:651 -msgid "Basic information" -msgstr "" - -#: ../../mod/profiles.php:652 -msgid "Profile picture" -msgstr "" - -#: ../../mod/profiles.php:654 -msgid "Preferences" -msgstr "" - -#: ../../mod/profiles.php:655 -msgid "Status information" -msgstr "" - -#: ../../mod/profiles.php:656 -msgid "Additional information" -msgstr "" - -#: ../../mod/profiles.php:658 ../../mod/newmember.php:36 -#: ../../mod/profile_photo.php:244 -msgid "Upload Profile Photo" -msgstr "Pujar Foto del Perfil" - -#: ../../mod/profiles.php:659 -msgid "Profile Name:" -msgstr "Nom de Perfil:" - -#: ../../mod/profiles.php:660 -msgid "Your Full Name:" -msgstr "El Teu Nom Complet." - -#: ../../mod/profiles.php:661 -msgid "Title/Description:" -msgstr "Títol/Descripció:" - -#: ../../mod/profiles.php:662 -msgid "Your Gender:" -msgstr "Gènere:" - -#: ../../mod/profiles.php:663 -#, php-format -msgid "Birthday (%s):" -msgstr "Aniversari (%s)" - -#: ../../mod/profiles.php:664 -msgid "Street Address:" -msgstr "Direcció:" - -#: ../../mod/profiles.php:665 -msgid "Locality/City:" -msgstr "Localitat/Ciutat:" - -#: ../../mod/profiles.php:666 -msgid "Postal/Zip Code:" -msgstr "Codi Postal:" - -#: ../../mod/profiles.php:667 -msgid "Country:" -msgstr "País" - -#: ../../mod/profiles.php:668 -msgid "Region/State:" -msgstr "Regió/Estat:" - -#: ../../mod/profiles.php:669 -msgid " Marital Status:" -msgstr " Estat Civil:" - -#: ../../mod/profiles.php:670 -msgid "Who: (if applicable)" -msgstr "Qui? (si és aplicable)" - -#: ../../mod/profiles.php:671 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Exemples: cathy123, Cathy Williams, cathy@example.com" - -#: ../../mod/profiles.php:672 -msgid "Since [date]:" -msgstr "Des de [data]" - -#: ../../mod/profiles.php:674 -msgid "Homepage URL:" -msgstr "Pàgina web URL:" - -#: ../../mod/profiles.php:677 -msgid "Religious Views:" -msgstr "Creencies Religioses:" - -#: ../../mod/profiles.php:678 -msgid "Public Keywords:" -msgstr "Paraules Clau Públiques" - -#: ../../mod/profiles.php:679 -msgid "Private Keywords:" -msgstr "Paraules Clau Privades:" - -#: ../../mod/profiles.php:682 -msgid "Example: fishing photography software" -msgstr "Exemple: pesca fotografia programari" - -#: ../../mod/profiles.php:683 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(Emprat per suggerir potencials amics, Altres poden veure-ho)" - -#: ../../mod/profiles.php:684 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(Emprat durant la cerca de perfils, mai mostrat a ningú)" - -#: ../../mod/profiles.php:685 -msgid "Tell us about yourself..." -msgstr "Parla'ns de tú....." - -#: ../../mod/profiles.php:686 -msgid "Hobbies/Interests" -msgstr "Aficions/Interessos" - -#: ../../mod/profiles.php:687 -msgid "Contact information and Social Networks" -msgstr "Informació de contacte i Xarxes Socials" - -#: ../../mod/profiles.php:688 -msgid "Musical interests" -msgstr "Gustos musicals" - -#: ../../mod/profiles.php:689 -msgid "Books, literature" -msgstr "Llibres, Literatura" - -#: ../../mod/profiles.php:690 -msgid "Television" -msgstr "Televisió" - -#: ../../mod/profiles.php:691 -msgid "Film/dance/culture/entertainment" -msgstr "Cinema/ball/cultura/entreteniments" - -#: ../../mod/profiles.php:692 -msgid "Love/romance" -msgstr "Amor/sentiments" - -#: ../../mod/profiles.php:693 -msgid "Work/employment" -msgstr "Treball/ocupació" - -#: ../../mod/profiles.php:694 -msgid "School/education" -msgstr "Ensenyament/estudis" - -#: ../../mod/profiles.php:699 -msgid "" -"This is your public profile.
It may " -"be visible to anybody using the internet." -msgstr "Aquest és el teu perfil públic.
El qual pot ser visible per qualsevol qui faci servir Internet." - -#: ../../mod/profiles.php:709 ../../mod/directory.php:113 -msgid "Age: " -msgstr "Edat:" - -#: ../../mod/profiles.php:762 -msgid "Edit/Manage Profiles" -msgstr "Editar/Gestionar Perfils" - -#: ../../mod/install.php:117 -msgid "Friendica Communications Server - Setup" -msgstr "Friendica Servidor de Comunicacions - Configuració" - -#: ../../mod/install.php:123 -msgid "Could not connect to database." -msgstr "No puc connectar a la base de dades." - -#: ../../mod/install.php:127 -msgid "Could not create table." -msgstr "No puc creat taula." - -#: ../../mod/install.php:133 -msgid "Your Friendica site database has been installed." -msgstr "La base de dades del teu lloc Friendica ha estat instal·lada." - -#: ../../mod/install.php:138 -msgid "" -"You may need to import the file \"database.sql\" manually using phpmyadmin " -"or mysql." -msgstr "Pot ser que hagi d'importar l'arxiu \"database.sql\" manualment amb phpmyadmin o mysql." - -#: ../../mod/install.php:139 ../../mod/install.php:206 -#: ../../mod/install.php:525 -msgid "Please see the file \"INSTALL.txt\"." -msgstr "Per favor, consulti l'arxiu \"INSTALL.txt\"." - -#: ../../mod/install.php:203 -msgid "System check" -msgstr "Comprovació del Sistema" - -#: ../../mod/install.php:208 -msgid "Check again" -msgstr "Comprovi de nou" - -#: ../../mod/install.php:227 -msgid "Database connection" -msgstr "Conexió a la base de dades" - -#: ../../mod/install.php:228 -msgid "" -"In order to install Friendica we need to know how to connect to your " -"database." -msgstr "Per a instal·lar Friendica necessitem conèixer com connectar amb la deva base de dades." - -#: ../../mod/install.php:229 -msgid "" -"Please contact your hosting provider or site administrator if you have " -"questions about these settings." -msgstr "Per favor, posi's en contacte amb el seu proveïdor de hosting o administrador del lloc si té alguna pregunta sobre aquestes opcions." - -#: ../../mod/install.php:230 -msgid "" -"The database you specify below should already exist. If it does not, please " -"create it before continuing." -msgstr "La base de dades que especifiques ja hauria d'existir. Si no és així, crea-la abans de continuar." - -#: ../../mod/install.php:234 -msgid "Database Server Name" -msgstr "Nom del Servidor de base de Dades" - -#: ../../mod/install.php:235 -msgid "Database Login Name" -msgstr "Nom d'Usuari de la base de Dades" - -#: ../../mod/install.php:236 -msgid "Database Login Password" -msgstr "Contrasenya d'Usuari de la base de Dades" - -#: ../../mod/install.php:237 -msgid "Database Name" -msgstr "Nom de la base de Dades" - -#: ../../mod/install.php:238 ../../mod/install.php:277 -msgid "Site administrator email address" -msgstr "Adreça de correu del administrador del lloc" - -#: ../../mod/install.php:238 ../../mod/install.php:277 -msgid "" -"Your account email address must match this in order to use the web admin " -"panel." -msgstr "El seu compte d'adreça electrònica ha de coincidir per tal d'utilitzar el panell d'administració web." - -#: ../../mod/install.php:242 ../../mod/install.php:280 -msgid "Please select a default timezone for your website" -msgstr "Per favor, seleccioni una zona horària per defecte per al seu lloc web" - -#: ../../mod/install.php:267 -msgid "Site settings" -msgstr "Configuracions del lloc" - -#: ../../mod/install.php:321 -msgid "Could not find a command line version of PHP in the web server PATH." -msgstr "No es va poder trobar una versió de línia de comandos de PHP en la ruta del servidor web." - -#: ../../mod/install.php:322 -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 'Activating scheduled tasks'" -msgstr "Si no tens una versió de línia de comandos instal·lada al teu servidor PHP, no podràs fer córrer els sondejos via cron. Mira 'Activating scheduled tasks'" - -#: ../../mod/install.php:326 -msgid "PHP executable path" -msgstr "Direcció del executable PHP" - -#: ../../mod/install.php:326 -msgid "" -"Enter full path to php executable. You can leave this blank to continue the " -"installation." -msgstr "Entra la ruta sencera fins l'executable de php. Pots deixar això buit per continuar l'instal·lació." - -#: ../../mod/install.php:331 -msgid "Command line PHP" -msgstr "Linia de comandos PHP" - -#: ../../mod/install.php:340 -msgid "PHP executable is not the php cli binary (could be cgi-fgci version)" -msgstr "El programari executable PHP no es el binari php cli (hauria de ser la versió cgi-fcgi)" - -#: ../../mod/install.php:341 -msgid "Found PHP version: " -msgstr "Trobada la versió PHP:" - -#: ../../mod/install.php:343 -msgid "PHP cli binary" -msgstr "PHP cli binari" - -#: ../../mod/install.php:354 -msgid "" -"The command line version of PHP on your system does not have " -"\"register_argc_argv\" enabled." -msgstr "La versió de línia de comandos de PHP en el seu sistema no té \"register_argc_argv\" habilitat." - -#: ../../mod/install.php:355 -msgid "This is required for message delivery to work." -msgstr "Això és necessari perquè funcioni el lliurament de missatges." - -#: ../../mod/install.php:357 -msgid "PHP register_argc_argv" -msgstr "PHP register_argc_argv" - -#: ../../mod/install.php:378 -msgid "" -"Error: the \"openssl_pkey_new\" function on this system is not able to " -"generate encryption keys" -msgstr "Error: la funció \"openssl_pkey_new\" en aquest sistema no és capaç de generar claus de xifrat" - -#: ../../mod/install.php:379 -msgid "" -"If running under Windows, please see " -"\"http://www.php.net/manual/en/openssl.installation.php\"." -msgstr "Si s'executa en Windows, per favor consulti la secció \"http://www.php.net/manual/en/openssl.installation.php\"." - -#: ../../mod/install.php:381 -msgid "Generate encryption keys" -msgstr "Generar claus d'encripció" - -#: ../../mod/install.php:388 -msgid "libCurl PHP module" -msgstr "Mòdul libCurl de PHP" - -#: ../../mod/install.php:389 -msgid "GD graphics PHP module" -msgstr "Mòdul GD de gràfics de PHP" - -#: ../../mod/install.php:390 -msgid "OpenSSL PHP module" -msgstr "Mòdul OpenSSl de PHP" - -#: ../../mod/install.php:391 -msgid "mysqli PHP module" -msgstr "Mòdul mysqli de PHP" - -#: ../../mod/install.php:392 -msgid "mb_string PHP module" -msgstr "Mòdul mb_string de PHP" - -#: ../../mod/install.php:397 ../../mod/install.php:399 -msgid "Apache mod_rewrite module" -msgstr "Apache mod_rewrite modul " - -#: ../../mod/install.php:397 -msgid "" -"Error: Apache webserver mod-rewrite module is required but not installed." -msgstr "Error: el mòdul mod-rewrite del servidor web Apache és necessari però no està instal·lat." - -#: ../../mod/install.php:405 -msgid "Error: libCURL PHP module required but not installed." -msgstr "Error: El mòdul libCURL de PHP és necessari però no està instal·lat." - -#: ../../mod/install.php:409 -msgid "" -"Error: GD graphics PHP module with JPEG support required but not installed." -msgstr "Error: el mòdul gràfic GD de PHP amb support per JPEG és necessari però no està instal·lat." - -#: ../../mod/install.php:413 -msgid "Error: openssl PHP module required but not installed." -msgstr "Error: El mòdul enssl de PHP és necessari però no està instal·lat." - -#: ../../mod/install.php:417 -msgid "Error: mysqli PHP module required but not installed." -msgstr "Error: El mòdul mysqli de PHP és necessari però no està instal·lat." - -#: ../../mod/install.php:421 -msgid "Error: mb_string PHP module required but not installed." -msgstr "Error: mòdul mb_string de PHP requerit però no instal·lat." - -#: ../../mod/install.php:438 -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 "L'instal·lador web necessita crear un arxiu anomenat \".htconfig.php\" en la carpeta superior del seu servidor web però alguna cosa ho va impedir." - -#: ../../mod/install.php:439 -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 "Això freqüentment és a causa d'una configuració de permisos; el servidor web no pot escriure arxius en la carpeta - encara que sigui possible." - -#: ../../mod/install.php:440 -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 "Al final d'aquest procediment, et facilitarem un text que hauràs de guardar en un arxiu que s'anomena .htconfig.php que hi es a la carpeta principal del teu Friendica." - -#: ../../mod/install.php:441 -msgid "" -"You can alternatively skip this procedure and perform a manual installation." -" Please see the file \"INSTALL.txt\" for instructions." -msgstr "Alternativament, pots saltar-te aquest procediment i configurar-ho manualment. Per favor, mira l'arxiu \"INTALL.txt\" per a instruccions." - -#: ../../mod/install.php:444 -msgid ".htconfig.php is writable" -msgstr ".htconfig.php és escribible" - -#: ../../mod/install.php:454 -msgid "" -"Friendica uses the Smarty3 template engine to render its web views. Smarty3 " -"compiles templates to PHP to speed up rendering." -msgstr "Friendica empra el motor de plantilla Smarty3 per dibuixar la web. Smarty3 compila plantilles a PHP per accelerar el redibuxar." - -#: ../../mod/install.php:455 -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 "Per poder guardar aquestes plantilles compilades, el servidor web necessita tenir accés d'escriptura al directori view/smarty3/ sota la carpeta principal de Friendica." - -#: ../../mod/install.php:456 -msgid "" -"Please ensure that the user that your web server runs as (e.g. www-data) has" -" write access to this folder." -msgstr "Per favor, asegura que l'usuari que corre el servidor web (p.e. www-data) te accés d'escriptura a aquesta carpeta." - -#: ../../mod/install.php:457 -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 "Nota: Com a mesura de seguretat, hauries de facilitar al servidor web, accés d'escriptura a view/smarty3/ excepte els fitxers de plantilles (.tpl) que conté." - -#: ../../mod/install.php:460 -msgid "view/smarty3 is writable" -msgstr "view/smarty3 es escribible" - -#: ../../mod/install.php:472 -msgid "" -"Url rewrite in .htaccess is not working. Check your server configuration." -msgstr "URL rewrite en .htaccess no esta treballant. Comprova la configuració del teu servidor." - -#: ../../mod/install.php:474 -msgid "Url rewrite is working" -msgstr "URL rewrite està treballant" - -#: ../../mod/install.php:484 -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 "L'arxiu per a la configuració de la base de dades \".htconfig.php\" no es pot escriure. Per favor, usi el text adjunt per crear un arxiu de configuració en l'arrel del servidor web." - -#: ../../mod/install.php:523 -msgid "

What next

" -msgstr "

Que es següent

" - -#: ../../mod/install.php:524 -msgid "" -"IMPORTANT: You will need to [manually] setup a scheduled task for the " -"poller." -msgstr "IMPORTANT: necessitarà configurar [manualment] el programar una tasca pel sondejador (poller.php)" - -#: ../../mod/help.php:79 -msgid "Help:" -msgstr "Ajuda:" - -#: ../../mod/crepair.php:104 -msgid "Contact settings applied." -msgstr "Ajustos de Contacte aplicats." - -#: ../../mod/crepair.php:106 -msgid "Contact update failed." -msgstr "Fracassà l'actualització de Contacte" - -#: ../../mod/crepair.php:137 -msgid "Repair Contact Settings" -msgstr "Reposar els ajustos de Contacte" - -#: ../../mod/crepair.php:139 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "ADVERTÈNCIA: Això és molt avançat i si s'introdueix informació incorrecta la seva comunicació amb aquest contacte pot deixar de funcionar." - -#: ../../mod/crepair.php:140 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Si us plau, prem el botó 'Tornar' ara si no saps segur que has de fer aqui." - -#: ../../mod/crepair.php:146 -msgid "Return to contact editor" -msgstr "Tornar al editor de contactes" - -#: ../../mod/crepair.php:159 -msgid "Account Nickname" -msgstr "Àlies del Compte" - -#: ../../mod/crepair.php:160 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@Tagname - té prel·lació sobre Nom/Àlies" - -#: ../../mod/crepair.php:161 -msgid "Account URL" -msgstr "Adreça URL del Compte" - -#: ../../mod/crepair.php:162 -msgid "Friend Request URL" -msgstr "Adreça URL de sol·licitud d'Amistat" - -#: ../../mod/crepair.php:163 -msgid "Friend Confirm URL" -msgstr "Adreça URL de confirmació d'Amic" - -#: ../../mod/crepair.php:164 -msgid "Notification Endpoint URL" -msgstr "Adreça URL de Notificació" - -#: ../../mod/crepair.php:165 -msgid "Poll/Feed URL" -msgstr "Adreça de Enquesta/Alimentador" - -#: ../../mod/crepair.php:166 -msgid "New photo from this URL" -msgstr "Nova foto d'aquesta URL" - -#: ../../mod/crepair.php:167 -msgid "Remote Self" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror postings from this contact" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "No mirroring" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror as forwarded posting" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror as my own posting" -msgstr "" - -#: ../../mod/newmember.php:6 -msgid "Welcome to Friendica" -msgstr "Benvingut a Friendica" - -#: ../../mod/newmember.php:8 -msgid "New Member Checklist" -msgstr "Llista de Verificació dels Nous Membres" - -#: ../../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 "Ens agradaria oferir alguns consells i enllaços per ajudar a fer la teva experiència agradable. Feu clic a qualsevol element per visitar la pàgina corresponent. Un enllaç a aquesta pàgina serà visible des de la pàgina d'inici durant dues setmanes després de la teva inscripció inicial i després desapareixerà en silenci." - -#: ../../mod/newmember.php:14 -msgid "Getting Started" -msgstr "Començem" - -#: ../../mod/newmember.php:18 -msgid "Friendica Walk-Through" -msgstr "Paseja per Friendica" - -#: ../../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 "A la teva pàgina de Inici Ràpid - troba una breu presentació per les teves fitxes de perfil i xarxa, crea alguna nova connexió i troba algun grup per unir-te." - -#: ../../mod/newmember.php:26 -msgid "Go to Your Settings" -msgstr "Anar als Teus Ajustos" - -#: ../../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 "En la de la seva configuració de la pàgina - canviï la contrasenya inicial. També prengui nota de la Adreça d'Identitat. Això s'assembla a una adreça de correu electrònic - i serà útil per fer amics a la xarxa social lliure." - -#: ../../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 "Reviseu les altres configuracions, en particular la configuració de privadesa. Una llista de directoris no publicada és com tenir un número de telèfon no llistat. Normalment, hauria de publicar la seva llista - a menys que tots els seus amics i els amics potencials sàpiguen exactament com trobar-li." - -#: ../../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 "Puji una foto del seu perfil si encara no ho ha fet. Els estudis han demostrat que les persones amb fotos reals de ells mateixos tenen deu vegades més probabilitats de fer amics que les persones que no ho fan." - -#: ../../mod/newmember.php:38 -msgid "Edit Your Profile" -msgstr "Editar el Teu Perfil" - -#: ../../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 "Editi el perfil per defecte al seu gust. Reviseu la configuració per ocultar la seva llista d'amics i ocultar el perfil dels visitants desconeguts." - -#: ../../mod/newmember.php:40 -msgid "Profile Keywords" -msgstr "Paraules clau del Perfil" - -#: ../../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 "Estableix algunes paraules clau públiques al teu perfil predeterminat que descriguin els teus interessos. Podem ser capaços de trobar altres persones amb interessos similars i suggerir amistats." - -#: ../../mod/newmember.php:44 -msgid "Connecting" -msgstr "Connectant" - -#: ../../mod/newmember.php:49 -msgid "" -"Authorise the Facebook Connector if you currently have a Facebook account " -"and we will (optionally) import all your Facebook friends and conversations." -msgstr "Autoritzi el connector de Facebook si vostè té un compte al Facebook i nosaltres (opcionalment) importarem tots els teus amics de Facebook i les converses." - -#: ../../mod/newmember.php:51 -msgid "" -"If this is your own personal server, installing the Facebook addon " -"may ease your transition to the free social web." -msgstr "Si aquesta és el seu servidor personal, la instal·lació del complement de Facebook pot facilitar la transició a la web social lliure." - -#: ../../mod/newmember.php:56 -msgid "Importing Emails" -msgstr "Important Emails" - -#: ../../mod/newmember.php:56 -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 "Introduïu les dades d'accés al correu electrònic a la seva pàgina de configuració de connector, si es desitja importar i relacionar-se amb amics o llistes de correu de la seva bústia d'email" - -#: ../../mod/newmember.php:58 -msgid "Go to Your Contacts Page" -msgstr "Anar a la Teva Pàgina de Contactes" - -#: ../../mod/newmember.php:58 -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 "La seva pàgina de Contactes és la seva porta d'entrada a la gestió de l'amistat i la connexió amb amics d'altres xarxes. Normalment, vostè entrar en la seva direcció o URL del lloc al diàleg Afegir Nou Contacte." - -#: ../../mod/newmember.php:60 -msgid "Go to Your Site's Directory" -msgstr "Anar al Teu Directori" - -#: ../../mod/newmember.php:60 -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 "La pàgina del Directori li permet trobar altres persones en aquesta xarxa o altres llocs federats. Busqui un enllaç Connectar o Seguir a la seva pàgina de perfil. Proporcioni la seva pròpia Adreça de Identitat si així ho sol·licita." - -#: ../../mod/newmember.php:62 -msgid "Finding New People" -msgstr "Trobar Gent Nova" - -#: ../../mod/newmember.php:62 -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 "Al tauler lateral de la pàgina de contacte Hi ha diverses eines per trobar nous amics. Podem coincidir amb les persones per interesos, buscar persones pel nom o per interès, i oferir suggeriments basats en les relacions de la xarxa. En un nou lloc, els suggeriments d'amics, en general comencen a poblar el lloc a les 24 hores." - -#: ../../mod/newmember.php:70 -msgid "Group Your Contacts" -msgstr "Agrupar els Teus Contactes" - -#: ../../mod/newmember.php:70 -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 "Una vegada que s'han fet alguns amics, organitzi'ls en grups de conversa privada a la barra lateral de la seva pàgina de contactes i després pot interactuar amb cada grup de forma privada a la pàgina de la xarxa." - -#: ../../mod/newmember.php:73 -msgid "Why Aren't My Posts Public?" -msgstr "Per que no es public el meu enviament?" - -#: ../../mod/newmember.php:73 -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 respecta la teva privacitat. Per defecte, els teus enviaments només s'envien a gent que has afegit com a amic. Per més informació, mira la secció d'ajuda des de l'enllaç de dalt." - -#: ../../mod/newmember.php:78 -msgid "Getting Help" -msgstr "Demanant Ajuda" - -#: ../../mod/newmember.php:82 -msgid "Go to the Help Section" -msgstr "Anar a la secció d'Ajuda" - -#: ../../mod/newmember.php:82 -msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -msgstr "A les nostres pàgines d'ajuda es poden consultar detalls sobre les característiques d'altres programes i recursos." - -#: ../../mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Atia/Punxa" - -#: ../../mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "Atiar, punxar o fer altres coses a algú" - -#: ../../mod/poke.php:194 -msgid "Recipient" -msgstr "Recipient" - -#: ../../mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Tria que vols fer amb el contenidor" - -#: ../../mod/poke.php:198 -msgid "Make this post private" -msgstr "Fes aquest missatge privat" - -#: ../../mod/prove.php:93 -msgid "" -"\n" -"\t\tDear $[username],\n" -"\t\t\tYour password has been changed as requested. Please retain this\n" -"\t\tinformation for your records (or change your password immediately to\n" -"\t\tsomething that you will remember).\n" -"\t" -msgstr "" - -#: ../../mod/display.php:452 -msgid "Item has been removed." -msgstr "El element ha estat esborrat." - -#: ../../mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s esta seguint %2$s de %3$s" - -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%1$s benvingut %2$s" - -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Això pot ocorre ocasionalment si el contacte fa una petició per ambdues persones i ja han estat aprovades." - -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "La resposta des del lloc remot no s'entenia." - -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "Resposta inesperada de lloc remot:" - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "La confirmació s'ha completat correctament." - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "El lloc remot informa:" - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "Fallada temporal. Si us plau, espereu i torneu a intentar." - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "La presentació va fallar o va ser revocada." - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "No es pot canviar la foto de contacte." - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "No es troben registres d'usuari per a '%s'" - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "La nostra clau de xifrat del lloc pel que sembla en mal estat." - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "Es va proporcionar una URL del lloc buida o la URL no va poder ser desxifrada per nosaltres." - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "No s'han trobat registres del contacte al nostre lloc." - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "la clau pública del lloc no disponible en les dades del contacte per URL %s." - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "La ID proporcionada pel seu sistema és un duplicat en el nostre sistema. Hauria de treballar si intenta de nou." - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "No es pot canviar les seves credencials de contacte en el nostre sistema." - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "No es pot actualitzar els detalls del seu perfil de contacte en el nostre sistema" - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s s'ha unit a %2$s" - -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "No es pot localitzar post original." - -#: ../../mod/item.php:324 -msgid "Empty post discarded." -msgstr "Buidat després de rebutjar." - -#: ../../mod/item.php:915 -msgid "System error. Post not saved." -msgstr "Error del sistema. Publicació no guardada." - -#: ../../mod/item.php:941 -#, php-format -msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Aquest missatge va ser enviat a vostè per %s, un membre de la xarxa social Friendica." - -#: ../../mod/item.php:943 -#, php-format -msgid "You may visit them online at %s" -msgstr "El pot visitar en línia a %s" - -#: ../../mod/item.php:944 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Si us plau, poseu-vos en contacte amb el remitent responent a aquest missatge si no voleu rebre aquests missatges." - -#: ../../mod/item.php:948 -#, php-format -msgid "%s posted an update." -msgstr "%s ha publicat una actualització." - -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Imatge pujada però no es va poder retallar." - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "La reducció de la imatge [%s] va fracassar." - -#: ../../mod/profile_photo.php:118 -msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Recarregui la pàgina o netegi la caché del navegador si la nova foto no apareix immediatament." - -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "No es pot processar la imatge" - -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "Pujar arxiu:" - -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "Tria un perfil:" - -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "Pujar" - -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "saltar aquest pas" - -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "tria una foto dels teus àlbums" - -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "retallar imatge" - -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Per favor, ajusta la retallada d'imatge per a una optima visualització." - -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "Edició Feta" - -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "Carregada de la imatge amb èxit." - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "Amics de %s" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "No hi ha amics que mostrar" - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "Trobat en aquest lloc" - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "Directori Local" - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "Gènere:" - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "No hi ha entrades (algunes de les entrades poden estar amagades)." - -#: ../../mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Temps de Conversió" - -#: ../../mod/localtime.php:26 -msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica ofereix aquest servei per a compartir esdeveniments amb d'altres xarxes i amics en zones horaries que son desconegudes" - -#: ../../mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "hora UTC: %s" - -#: ../../mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Zona horària actual: %s" - -#: ../../mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Conversión de hora local: %s" - -#: ../../mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Si us plau, seleccioneu la vostra zona horària:" diff --git a/view/fr/strings.php b/view/fr/strings.php index db0ee9ab91..8cd918f071 100644 --- a/view/fr/strings.php +++ b/view/fr/strings.php @@ -5,663 +5,11 @@ function string_plural_select_fr($n){ return ($n > 1);; }} ; -$a->strings["Submit"] = "Envoyer"; -$a->strings["Theme settings"] = "Réglages du thème graphique"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Choisir une taille pour les images dans les publications et commentaires (largeur et hauteur)"; -$a->strings["Set font-size for posts and comments"] = "Réglez 'font-size' (taille de police) pour publications et commentaires"; -$a->strings["Set theme width"] = "Largeur du thème"; -$a->strings["Color scheme"] = "Palette de couleurs"; -$a->strings["Set style"] = "Définir le style"; -$a->strings["don't show"] = "cacher"; -$a->strings["show"] = "montrer"; -$a->strings["Set line-height for posts and comments"] = "Réglez 'line-height' (hauteur de police) pour publications et commentaires"; -$a->strings["Set resolution for middle column"] = "Réglez la résolution de la colonne centrale"; -$a->strings["Set color scheme"] = "Choisir le schéma de couleurs"; -$a->strings["Set zoomfactor for Earth Layer"] = "Niveau de zoom"; -$a->strings["Set longitude (X) for Earth Layers"] = "Régler la longitude (X) pour la géolocalisation"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Régler la latitude (Y) pour la géolocalisation"; -$a->strings["Community Pages"] = "Pages de Communauté"; -$a->strings["Earth Layers"] = "Géolocalisation"; -$a->strings["Community Profiles"] = "Profils communautaires"; -$a->strings["Help or @NewHere ?"] = "Aide ou @NewHere?"; -$a->strings["Connect Services"] = "Connecter des services"; -$a->strings["Find Friends"] = "Trouver des amis"; -$a->strings["Last users"] = "Derniers utilisateurs"; -$a->strings["Last photos"] = "Dernières photos"; -$a->strings["Last likes"] = "Dernièrement aimé"; -$a->strings["Home"] = "Profil"; -$a->strings["Your posts and conversations"] = "Vos publications et conversations"; -$a->strings["Profile"] = "Profil"; -$a->strings["Your profile page"] = "Votre page de profil"; -$a->strings["Contacts"] = "Contacts"; -$a->strings["Your contacts"] = "Vos contacts"; -$a->strings["Photos"] = "Photos"; -$a->strings["Your photos"] = "Vos photos"; -$a->strings["Events"] = "Événements"; -$a->strings["Your events"] = "Vos événements"; -$a->strings["Personal notes"] = "Notes personnelles"; -$a->strings["Your personal photos"] = "Vos photos personnelles"; -$a->strings["Community"] = "Communauté"; -$a->strings["event"] = "évènement"; -$a->strings["status"] = "le statut"; -$a->strings["photo"] = "photo"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s aime %3\$s de %2\$s"; -$a->strings["Contact Photos"] = "Photos du contact"; -$a->strings["Profile Photos"] = "Photos du profil"; -$a->strings["Local Directory"] = "Annuaire local"; -$a->strings["Global Directory"] = "Annuaire global"; -$a->strings["Similar Interests"] = "Intérêts similaires"; -$a->strings["Friend Suggestions"] = "Suggestions d'amitiés/contacts"; -$a->strings["Invite Friends"] = "Inviter des amis"; -$a->strings["Settings"] = "Réglages"; -$a->strings["Set zoomfactor for Earth Layers"] = "Régler le niveau de zoom pour la géolocalisation"; -$a->strings["Show/hide boxes at right-hand column:"] = "Montrer/cacher les boîtes dans la colonne de droite :"; -$a->strings["Alignment"] = "Alignement"; -$a->strings["Left"] = "Gauche"; -$a->strings["Center"] = "Centre"; -$a->strings["Posts font size"] = "Taille de texte des publications"; -$a->strings["Textareas font size"] = "Taille de police des zones de texte"; -$a->strings["Set colour scheme"] = "Choisir le schéma de couleurs"; -$a->strings["You must be logged in to use addons. "] = "Vous devez être connecté pour utiliser les greffons."; -$a->strings["Not Found"] = "Non trouvé"; -$a->strings["Page not found."] = "Page introuvable."; -$a->strings["Permission denied"] = "Permission refusée"; -$a->strings["Permission denied."] = "Permission refusée."; -$a->strings["toggle mobile"] = "activ. mobile"; -$a->strings["Delete this item?"] = "Effacer cet élément?"; -$a->strings["Comment"] = "Commenter"; -$a->strings["show more"] = "montrer plus"; -$a->strings["show fewer"] = "montrer moins"; -$a->strings["Update %s failed. See error logs."] = "Mise-à-jour %s échouée. Voir les journaux d'erreur."; -$a->strings["Create a New Account"] = "Créer un nouveau compte"; -$a->strings["Register"] = "S'inscrire"; -$a->strings["Logout"] = "Se déconnecter"; -$a->strings["Login"] = "Connexion"; -$a->strings["Nickname or Email address: "] = "Pseudo ou courriel: "; -$a->strings["Password: "] = "Mot de passe: "; -$a->strings["Remember me"] = "Se souvenir de moi"; -$a->strings["Or login using OpenID: "] = "Ou connectez-vous via OpenID: "; -$a->strings["Forgot your password?"] = "Mot de passe oublié?"; -$a->strings["Password Reset"] = "Réinitialiser le mot de passe"; -$a->strings["Website Terms of Service"] = "Conditions d'utilisation du site internet"; -$a->strings["terms of service"] = "conditions d'utilisation"; -$a->strings["Website Privacy Policy"] = "Politique de confidentialité du site internet"; -$a->strings["privacy policy"] = "politique de confidentialité"; -$a->strings["Requested account is not available."] = "Le compte demandé n'est pas disponible."; -$a->strings["Requested profile is not available."] = "Le profil demandé n'est pas disponible."; -$a->strings["Edit profile"] = "Editer le profil"; -$a->strings["Connect"] = "Relier"; -$a->strings["Message"] = "Message"; -$a->strings["Profiles"] = "Profils"; -$a->strings["Manage/edit profiles"] = "Gérer/éditer les profils"; -$a->strings["Change profile photo"] = "Changer de photo de profil"; -$a->strings["Create New Profile"] = "Créer un nouveau profil"; -$a->strings["Profile Image"] = "Image du profil"; -$a->strings["visible to everybody"] = "visible par tous"; -$a->strings["Edit visibility"] = "Changer la visibilité"; -$a->strings["Location:"] = "Localisation:"; -$a->strings["Gender:"] = "Genre:"; -$a->strings["Status:"] = "Statut:"; -$a->strings["Homepage:"] = "Page personnelle:"; -$a->strings["Network:"] = "Réseau"; -$a->strings["g A l F d"] = "g A | F d"; -$a->strings["F d"] = "F d"; -$a->strings["[today]"] = "[aujourd'hui]"; -$a->strings["Birthday Reminders"] = "Rappels d'anniversaires"; -$a->strings["Birthdays this week:"] = "Anniversaires cette semaine:"; -$a->strings["[No description]"] = "[Sans description]"; -$a->strings["Event Reminders"] = "Rappels d'événements"; -$a->strings["Events this week:"] = "Evénements cette semaine:"; -$a->strings["Status"] = "Statut"; -$a->strings["Status Messages and Posts"] = "Messages d'état et publications"; -$a->strings["Profile Details"] = "Détails du profil"; -$a->strings["Photo Albums"] = "Albums photo"; -$a->strings["Videos"] = "Vidéos"; -$a->strings["Events and Calendar"] = "Événements et agenda"; -$a->strings["Personal Notes"] = "Notes personnelles"; -$a->strings["Only You Can See This"] = "Vous seul pouvez voir ça"; -$a->strings["General Features"] = "Fonctions générales"; -$a->strings["Multiple Profiles"] = "Profils multiples"; -$a->strings["Ability to create multiple profiles"] = "Possibilité de créer plusieurs profils"; -$a->strings["Post Composition Features"] = "Caractéristiques de composition de publication"; -$a->strings["Richtext Editor"] = "Éditeur de texte enrichi"; -$a->strings["Enable richtext editor"] = "Activer l'éditeur de texte enrichi"; -$a->strings["Post Preview"] = "Aperçu de la publication"; -$a->strings["Allow previewing posts and comments before publishing them"] = "Permet la prévisualisation des publications et commentaires avant de les publier"; -$a->strings["Auto-mention Forums"] = ""; -$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = ""; -$a->strings["Network Sidebar Widgets"] = "Widgets réseau pour barre latérale"; -$a->strings["Search by Date"] = "Rechercher par Date"; -$a->strings["Ability to select posts by date ranges"] = "Capacité de sélectionner les publications par intervalles de dates"; -$a->strings["Group Filter"] = "Filtre de groupe"; -$a->strings["Enable widget to display Network posts only from selected group"] = "Activer le widget d’affichage des publications du réseau seulement pour le groupe sélectionné"; -$a->strings["Network Filter"] = "Filtre de réseau"; -$a->strings["Enable widget to display Network posts only from selected network"] = "Activer le widget d’affichage des publications du réseau seulement pour le réseau sélectionné"; -$a->strings["Saved Searches"] = "Recherches"; -$a->strings["Save search terms for re-use"] = "Sauvegarder la recherche pour une utilisation ultérieure"; -$a->strings["Network Tabs"] = "Onglets Réseau"; -$a->strings["Network Personal Tab"] = "Onglet Réseau Personnel"; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Activer l'onglet pour afficher seulement les publications du réseau où vous avez interagit"; -$a->strings["Network New Tab"] = "Nouvel onglet réseaux"; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Activer l'onglet pour afficher seulement les publications du réseau (dans les 12 dernières heures)"; -$a->strings["Network Shared Links Tab"] = "Onglet réseau partagé"; -$a->strings["Enable tab to display only Network posts with links in them"] = "Activer l'onglet pour afficher seulement les publications du réseau contenant des liens"; -$a->strings["Post/Comment Tools"] = "outils de publication/commentaire"; -$a->strings["Multiple Deletion"] = "Suppression multiple"; -$a->strings["Select and delete multiple posts/comments at once"] = "Sélectionner et supprimer plusieurs publications/commentaires à la fois"; -$a->strings["Edit Sent Posts"] = "Éditer les publications envoyées"; -$a->strings["Edit and correct posts and comments after sending"] = "Éditer et corriger les publications et commentaires après l'envoi"; -$a->strings["Tagging"] = "Étiquettage"; -$a->strings["Ability to tag existing posts"] = "Possibilité d'étiqueter les publications existantes"; -$a->strings["Post Categories"] = "Catégories des publications"; -$a->strings["Add categories to your posts"] = "Ajouter des catégories à vos publications"; -$a->strings["Saved Folders"] = "Dossiers sauvegardés"; -$a->strings["Ability to file posts under folders"] = "Possibilité d'afficher les publications sous les répertoires"; -$a->strings["Dislike Posts"] = "Publications non aimées"; -$a->strings["Ability to dislike posts/comments"] = "Possibilité de ne pas aimer les publications/commentaires"; -$a->strings["Star Posts"] = "Publications spéciales"; -$a->strings["Ability to mark special posts with a star indicator"] = "Possibilité de marquer les publications spéciales d'une étoile"; -$a->strings["Mute Post Notifications"] = ""; -$a->strings["Ability to mute notifications for a thread"] = ""; -$a->strings["%s's birthday"] = "Anniversaire de %s's"; -$a->strings["Happy Birthday %s"] = "Joyeux anniversaire, %s !"; -$a->strings["[Name Withheld]"] = "[Nom non-publié]"; -$a->strings["Item not found."] = "Élément introuvable."; -$a->strings["Do you really want to delete this item?"] = "Voulez-vous vraiment supprimer cet élément ?"; -$a->strings["Yes"] = "Oui"; -$a->strings["Cancel"] = "Annuler"; -$a->strings["Archives"] = "Archives"; -$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."] = "Un groupe supprimé a été recréé. Les permissions existantes pourraient s'appliquer à ce groupe et aux futurs membres. Si ce n'est pas le comportement attendu, merci de re-créer un autre groupe sous un autre nom."; -$a->strings["Default privacy group for new contacts"] = "Paramètres de confidentialité par défaut pour les nouveaux contacts"; -$a->strings["Everybody"] = "Tout le monde"; -$a->strings["edit"] = "éditer"; -$a->strings["Groups"] = "Groupes"; -$a->strings["Edit group"] = "Editer groupe"; -$a->strings["Create a new group"] = "Créer un nouveau groupe"; -$a->strings["Contacts not in any group"] = "Contacts n'appartenant à aucun groupe"; -$a->strings["add"] = "ajouter"; -$a->strings["Wall Photos"] = "Photos du mur"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Impossible de localiser les informations DNS pour le serveur de base de données '%s'"; -$a->strings["Add New Contact"] = "Ajouter un nouveau contact"; -$a->strings["Enter address or web location"] = "Entrez son adresse ou sa localisation web"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Exemple: bob@example.com, http://example.com/barbara"; -$a->strings["%d invitation available"] = array( - 0 => "%d invitation disponible", - 1 => "%d invitations disponibles", -); -$a->strings["Find People"] = "Trouver des personnes"; -$a->strings["Enter name or interest"] = "Entrez un nom ou un centre d'intérêt"; -$a->strings["Connect/Follow"] = "Connecter/Suivre"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Exemples: Robert Morgenstein, Pêche"; -$a->strings["Find"] = "Trouver"; -$a->strings["Random Profile"] = "Profil au hasard"; -$a->strings["Networks"] = "Réseaux"; -$a->strings["All Networks"] = "Tous réseaux"; -$a->strings["Everything"] = "Tout"; -$a->strings["Categories"] = "Catégories"; -$a->strings["%d contact in common"] = array( - 0 => "%d contact en commun", - 1 => "%d contacts en commun", -); -$a->strings["Friendica Notification"] = "Notification Friendica"; -$a->strings["Thank You,"] = "Merci, "; -$a->strings["%s Administrator"] = "L'administrateur de %s"; -$a->strings["noreply"] = "noreply"; -$a->strings["%s "] = "%s "; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notification] Nouveau courriel reçu sur %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s vous a envoyé un nouveau message privé sur %2\$s."; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s vous a envoyé %2\$s."; -$a->strings["a private message"] = "un message privé"; -$a->strings["Please visit %s to view and/or reply to your private messages."] = "Merci de visiter %s pour voir vos messages privés et/ou y répondre."; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s a commenté sur [url=%2\$s]un %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s a commenté sur [url=%2\$s]le %4\$s de %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s commented on [url=%2\$s]your %3\$s[/url]"; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notification] Commentaire de %2\$s sur la conversation #%1\$d"; -$a->strings["%s commented on an item/conversation you have been following."] = "%s a commenté un élément que vous suivez."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Merci de visiter %s pour voir la conversation et/ou y répondre."; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notification] %s a posté sur votre mur de profil"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s a publié sur votre mur à %2\$s"; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s a posté sur [url=%2\$s]votre mur[/url]"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notification] %s vous a étiqueté"; -$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s vous a étiqueté sur %2\$s"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]vous a étiqueté[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notification] %s partage une nouvelle publication"; -$a->strings["%1\$s shared a new post at %2\$s"] = ""; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]partage une publication[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s vous a sollicité"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s vous a sollicité via %2\$s"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s vous a [url=%2\$s]sollicité[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notification] %s a étiqueté votre publication"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s a étiqueté votre publication sur %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s a étiqueté [url=%2\$s]votre publication[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notification] Introduction reçue"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Vous avez reçu une introduction de '%1\$s' sur %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Vous avez reçu [url=%1\$s]une introduction[/url] de %2\$s."; -$a->strings["You may visit their profile at %s"] = "Vous pouvez visiter son profil sur %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Merci de visiter %s pour approuver ou rejeter l'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"] = ""; -$a->strings["You have a new follower at %2\$s : %1\$s"] = ""; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notification] Nouvelle suggestion d'amitié"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Vous avez reçu une suggestion de '%1\$s' sur %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Vous avez reçu [url=%1\$s]une suggestion[/url] de %3\$s pour %2\$s."; -$a->strings["Name:"] = "Nom :"; -$a->strings["Photo:"] = "Photo :"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Merci de visiter %s pour approuver ou rejeter la suggestion."; -$a->strings["[Friendica:Notify] Connection accepted"] = ""; -$a->strings["'%1\$s' has acepted 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\n\twithout 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["[Friendica System:Notify] registration request"] = ""; -$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["User not found."] = "Utilisateur non trouvé"; -$a->strings["There is no status with this id."] = "Il n'y a pas de statut avec cet id."; -$a->strings["There is no conversation with this id."] = "Il n'y a pas de conversation avec cet id."; -$a->strings["view full size"] = "voir en pleine taille"; -$a->strings[" on Last.fm"] = "sur Last.fm"; -$a->strings["Full Name:"] = "Nom complet:"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Anniversaire:"; -$a->strings["Age:"] = "Age:"; -$a->strings["for %1\$d %2\$s"] = "depuis %1\$d %2\$s"; -$a->strings["Sexual Preference:"] = "Préférence sexuelle:"; -$a->strings["Hometown:"] = " Ville d'origine:"; -$a->strings["Tags:"] = "Étiquette:"; -$a->strings["Political Views:"] = "Opinions politiques:"; -$a->strings["Religion:"] = "Religion:"; -$a->strings["About:"] = "À propos:"; -$a->strings["Hobbies/Interests:"] = "Passe-temps/Centres d'intérêt:"; -$a->strings["Likes:"] = "J'aime :"; -$a->strings["Dislikes:"] = "Je n'aime pas :"; -$a->strings["Contact information and Social Networks:"] = "Coordonnées/Réseaux sociaux:"; -$a->strings["Musical interests:"] = "Goûts musicaux:"; -$a->strings["Books, literature:"] = "Lectures:"; -$a->strings["Television:"] = "Télévision:"; -$a->strings["Film/dance/culture/entertainment:"] = "Cinéma/Danse/Culture/Divertissement:"; -$a->strings["Love/Romance:"] = "Amour/Romance:"; -$a->strings["Work/employment:"] = "Activité professionnelle/Occupation:"; -$a->strings["School/education:"] = "Études/Formation:"; -$a->strings["Nothing new here"] = "Rien de neuf ici"; -$a->strings["Clear notifications"] = "Effacer les notifications"; -$a->strings["End this session"] = "Mettre fin à cette session"; -$a->strings["Your videos"] = "Vos vidéos"; -$a->strings["Your personal notes"] = "Vos notes personnelles"; -$a->strings["Sign in"] = "Se connecter"; -$a->strings["Home Page"] = "Page d'accueil"; -$a->strings["Create an account"] = "Créer un compte"; -$a->strings["Help"] = "Aide"; -$a->strings["Help and documentation"] = "Aide et documentation"; -$a->strings["Apps"] = "Applications"; -$a->strings["Addon applications, utilities, games"] = "Applications supplémentaires, utilitaires, jeux"; -$a->strings["Search"] = "Recherche"; -$a->strings["Search site content"] = "Rechercher dans le contenu du site"; -$a->strings["Conversations on this site"] = "Conversations ayant cours sur ce site"; -$a->strings["Directory"] = "Annuaire"; -$a->strings["People directory"] = "Annuaire des utilisateurs"; -$a->strings["Information"] = "Information"; -$a->strings["Information about this friendica instance"] = "Information au sujet de cette instance de friendica"; -$a->strings["Network"] = "Réseau"; -$a->strings["Conversations from your friends"] = "Conversations de vos amis"; -$a->strings["Network Reset"] = "Réinitialiser le réseau"; -$a->strings["Load Network page with no filters"] = "Chargement des pages du réseau sans filtre"; -$a->strings["Introductions"] = "Introductions"; -$a->strings["Friend Requests"] = "Demande d'amitié"; -$a->strings["Notifications"] = "Notifications"; -$a->strings["See all notifications"] = "Voir toute notification"; -$a->strings["Mark all system notifications seen"] = "Marquer toutes les notifications système comme 'vues'"; -$a->strings["Messages"] = "Messages"; -$a->strings["Private mail"] = "Messages privés"; -$a->strings["Inbox"] = "Messages entrants"; -$a->strings["Outbox"] = "Messages sortants"; -$a->strings["New Message"] = "Nouveau message"; -$a->strings["Manage"] = "Gérer"; -$a->strings["Manage other pages"] = "Gérer les autres pages"; -$a->strings["Delegations"] = "Délégations"; -$a->strings["Delegate Page Management"] = "Déléguer la gestion de la page"; -$a->strings["Account settings"] = "Compte"; -$a->strings["Manage/Edit Profiles"] = "Gérer/Éditer les profiles"; -$a->strings["Manage/edit friends and contacts"] = "Gérer/éditer les amitiés et contacts"; -$a->strings["Admin"] = "Admin"; -$a->strings["Site setup and configuration"] = "Démarrage et configuration du site"; -$a->strings["Navigation"] = "Navigation"; -$a->strings["Site map"] = "Carte du site"; -$a->strings["Click here to upgrade."] = "Cliquez ici pour mettre à jour."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Cette action dépasse les limites définies par votre abonnement."; -$a->strings["This action is not available under your subscription plan."] = "Cette action n'est pas disponible avec votre abonnement."; -$a->strings["Disallowed profile URL."] = "URL de profil interdite."; -$a->strings["Connect URL missing."] = "URL de connexion manquante."; -$a->strings["This site is not configured to allow communications with other networks."] = "Ce site n'est pas configuré pour dialoguer avec d'autres réseaux."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Aucun protocole de communication ni aucun flux n'a pu être découvert."; -$a->strings["The profile address specified does not provide adequate information."] = "L'adresse de profil indiquée ne fournit par les informations adéquates."; -$a->strings["An author or name was not found."] = "Aucun auteur ou nom d'auteur n'a pu être trouvé."; -$a->strings["No browser URL could be matched to this address."] = "Aucune URL de navigation ne correspond à cette adresse."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossible de faire correspondre l'adresse d'identité en \"@\" avec un protocole connu ou un contact courriel."; -$a->strings["Use mailto: in front of address to force email check."] = "Utilisez mailto: en face d'une adresse pour l'obliger à être reconnue comme courriel."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'adresse de profil spécifiée correspond à un réseau qui a été désactivé sur ce site."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profil limité. Cette personne ne sera pas capable de recevoir des notifications directes/personnelles de votre part."; -$a->strings["Unable to retrieve contact information."] = "Impossible de récupérer les informations du contact."; -$a->strings["following"] = "following"; -$a->strings["Error decoding account file"] = "Une erreur a été détecté en décodant un fichier utilisateur"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Erreur ! Pas de ficher de version existant ! Êtes vous sur un compte Friendica ?"; -$a->strings["Error! Cannot check nickname"] = "Erreur! Pseudo invalide"; -$a->strings["User '%s' already exists on this server!"] = "L'utilisateur '%s' existe déjà sur ce serveur!"; -$a->strings["User creation error"] = "Erreur de création d'utilisateur"; -$a->strings["User profile creation error"] = "Erreur de création du profil utilisateur"; -$a->strings["%d contact not imported"] = array( - 0 => "%d contacts non importés", - 1 => "%d contacts non importés", -); -$a->strings["Done. You can now login with your username and password"] = "Action réalisé. Vous pouvez désormais vous connecter avec votre nom d'utilisateur et votre mot de passe"; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; -$a->strings["Starts:"] = "Débute:"; -$a->strings["Finishes:"] = "Finit:"; -$a->strings["stopped following"] = "retiré de la liste de suivi"; -$a->strings["Poke"] = "Sollicitations (pokes)"; -$a->strings["View Status"] = "Voir les statuts"; -$a->strings["View Profile"] = "Voir le profil"; -$a->strings["View Photos"] = "Voir les photos"; -$a->strings["Network Posts"] = "Publications du réseau"; -$a->strings["Edit Contact"] = "Éditer le contact"; -$a->strings["Drop Contact"] = "Supprimer le contact"; -$a->strings["Send PM"] = "Message privé"; -$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."] = "Des erreurs ont été signalées lors de la création des tables."; -$a->strings["Errors encountered performing database changes."] = ""; -$a->strings["Miscellaneous"] = "Divers"; -$a->strings["year"] = "an"; -$a->strings["month"] = "mois"; -$a->strings["day"] = "jour"; -$a->strings["never"] = "jamais"; -$a->strings["less than a second ago"] = "il y a moins d'une seconde"; -$a->strings["years"] = "ans"; -$a->strings["months"] = "mois"; -$a->strings["week"] = "semaine"; -$a->strings["weeks"] = "semaines"; -$a->strings["days"] = "jours"; -$a->strings["hour"] = "heure"; -$a->strings["hours"] = "heures"; -$a->strings["minute"] = "minute"; -$a->strings["minutes"] = "minutes"; -$a->strings["second"] = "seconde"; -$a->strings["seconds"] = "secondes"; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s auparavant"; -$a->strings["[no subject]"] = "[pas de sujet]"; -$a->strings["(no subject)"] = "(sans titre)"; -$a->strings["Unknown | Not categorised"] = "Inconnu | Non-classé"; -$a->strings["Block immediately"] = "Bloquer immédiatement"; -$a->strings["Shady, spammer, self-marketer"] = "Douteux, spammeur, accro à l'auto-promotion"; -$a->strings["Known to me, but no opinion"] = "Connu de moi, mais sans opinion"; -$a->strings["OK, probably harmless"] = "OK, probablement inoffensif"; -$a->strings["Reputable, has my trust"] = "Réputé, a toute ma confiance"; -$a->strings["Frequently"] = "Fréquemment"; -$a->strings["Hourly"] = "Toutes les heures"; -$a->strings["Twice daily"] = "Deux fois par jour"; -$a->strings["Daily"] = "Chaque jour"; -$a->strings["Weekly"] = "Chaque semaine"; -$a->strings["Monthly"] = "Chaque mois"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Email"] = "Courriel"; -$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"] = "Connecteur Diaspora"; -$a->strings["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = "App.net"; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s est désormais lié à %2\$s"; -$a->strings["Sharing notification from Diaspora network"] = "Notification de partage du réseau Diaspora"; -$a->strings["Attachments:"] = "Pièces jointes : "; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s n'aime pas %3\$s de %2\$s"; -$a->strings["%1\$s poked %2\$s"] = "%1\$s a sollicité %2\$s"; -$a->strings["poked"] = "a titillé"; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s est d'humeur %2\$s"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s a étiqueté %3\$s de %2\$s avec %4\$s"; -$a->strings["post/item"] = "publication/élément"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s a marqué le %3\$s de %2\$s comme favori"; -$a->strings["Select"] = "Sélectionner"; -$a->strings["Delete"] = "Supprimer"; -$a->strings["View %s's profile @ %s"] = "Voir le profil de %s @ %s"; -$a->strings["Categories:"] = "Catégories:"; -$a->strings["Filed under:"] = "Rangé sous:"; -$a->strings["%s from %s"] = "%s de %s"; -$a->strings["View in context"] = "Voir dans le contexte"; -$a->strings["Please wait"] = "Patientez"; -$a->strings["remove"] = "enlever"; -$a->strings["Delete Selected Items"] = "Supprimer les éléments sélectionnés"; -$a->strings["Follow Thread"] = "Suivre le fil"; -$a->strings["%s likes this."] = "%s aime ça."; -$a->strings["%s doesn't like this."] = "%s n'aime pas ça."; -$a->strings["%2\$d people like this"] = "%2\$d personnes aiment ça"; -$a->strings["%2\$d people don't like this"] = "%2\$d personnes n'aiment pas ça"; -$a->strings["and"] = "et"; -$a->strings[", and %d other people"] = ", et %d autres personnes"; -$a->strings["%s like this."] = "%s aiment ça."; -$a->strings["%s don't like this."] = "%s n'aiment pas ça."; -$a->strings["Visible to everybody"] = "Visible par tout le monde"; -$a->strings["Please enter a link URL:"] = "Entrez un lien web:"; -$a->strings["Please enter a video link/URL:"] = "Entrez un lien/URL video :"; -$a->strings["Please enter an audio link/URL:"] = "Entrez un lien/URL audio :"; -$a->strings["Tag term:"] = "Terme d'étiquette:"; -$a->strings["Save to Folder:"] = "Sauver dans le Dossier:"; -$a->strings["Where are you right now?"] = "Où êtes-vous présentemment?"; -$a->strings["Delete item(s)?"] = "Supprimer les élément(s) ?"; -$a->strings["Post to Email"] = "Publier aux courriels"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; -$a->strings["Hide your profile details from unknown viewers?"] = "Cacher les détails du profil aux visiteurs inconnus?"; -$a->strings["Share"] = "Partager"; -$a->strings["Upload photo"] = "Joindre photo"; -$a->strings["upload photo"] = "envoi image"; -$a->strings["Attach file"] = "Joindre fichier"; -$a->strings["attach file"] = "ajout fichier"; -$a->strings["Insert web link"] = "Insérer lien web"; -$a->strings["web link"] = "lien web"; -$a->strings["Insert video link"] = "Insérer un lien video"; -$a->strings["video link"] = "lien vidéo"; -$a->strings["Insert audio link"] = "Insérer un lien audio"; -$a->strings["audio link"] = "lien audio"; -$a->strings["Set your location"] = "Définir votre localisation"; -$a->strings["set location"] = "spéc. localisation"; -$a->strings["Clear browser location"] = "Effacer la localisation du navigateur"; -$a->strings["clear location"] = "supp. localisation"; -$a->strings["Set title"] = "Définir un titre"; -$a->strings["Categories (comma-separated list)"] = "Catégories (séparées par des virgules)"; -$a->strings["Permission settings"] = "Réglages des permissions"; -$a->strings["permissions"] = "permissions"; -$a->strings["CC: email addresses"] = "CC: adresses de courriel"; -$a->strings["Public post"] = "Publication publique"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Exemple: bob@exemple.com, mary@exemple.com"; -$a->strings["Preview"] = "Aperçu"; -$a->strings["Post to Groups"] = "Publier aux groupes"; -$a->strings["Post to Contacts"] = "Publier aux contacts"; -$a->strings["Private post"] = "Message privé"; -$a->strings["newer"] = "Plus récent"; -$a->strings["older"] = "Plus ancien"; -$a->strings["prev"] = "précédent"; -$a->strings["first"] = "premier"; -$a->strings["last"] = "dernier"; -$a->strings["next"] = "suivant"; -$a->strings["No contacts"] = "Aucun contact"; -$a->strings["%d Contact"] = array( - 0 => "%d contact", - 1 => "%d contacts", -); -$a->strings["View Contacts"] = "Voir les contacts"; -$a->strings["Save"] = "Sauver"; -$a->strings["poke"] = "titiller"; -$a->strings["ping"] = "attirer l'attention"; -$a->strings["pinged"] = "a attiré l'attention de"; -$a->strings["prod"] = "aiguillonner"; -$a->strings["prodded"] = "a aiguillonné"; -$a->strings["slap"] = "gifler"; -$a->strings["slapped"] = "a giflé"; -$a->strings["finger"] = "tripoter"; -$a->strings["fingered"] = "a tripoté"; -$a->strings["rebuff"] = "rabrouer"; -$a->strings["rebuffed"] = "a rabroué"; -$a->strings["happy"] = "heureuse"; -$a->strings["sad"] = "triste"; -$a->strings["mellow"] = "suave"; -$a->strings["tired"] = "fatiguée"; -$a->strings["perky"] = "guillerette"; -$a->strings["angry"] = "colérique"; -$a->strings["stupified"] = "stupéfaite"; -$a->strings["puzzled"] = "perplexe"; -$a->strings["interested"] = "intéressée"; -$a->strings["bitter"] = "amère"; -$a->strings["cheerful"] = "entraînante"; -$a->strings["alive"] = "vivante"; -$a->strings["annoyed"] = "ennuyée"; -$a->strings["anxious"] = "anxieuse"; -$a->strings["cranky"] = "excentrique"; -$a->strings["disturbed"] = "dérangée"; -$a->strings["frustrated"] = "frustrée"; -$a->strings["motivated"] = "motivée"; -$a->strings["relaxed"] = "détendue"; -$a->strings["surprised"] = "surprise"; -$a->strings["Monday"] = "Lundi"; -$a->strings["Tuesday"] = "Mardi"; -$a->strings["Wednesday"] = "Mercredi"; -$a->strings["Thursday"] = "Jeudi"; -$a->strings["Friday"] = "Vendredi"; -$a->strings["Saturday"] = "Samedi"; -$a->strings["Sunday"] = "Dimanche"; -$a->strings["January"] = "Janvier"; -$a->strings["February"] = "Février"; -$a->strings["March"] = "Mars"; -$a->strings["April"] = "Avril"; -$a->strings["May"] = "Mai"; -$a->strings["June"] = "Juin"; -$a->strings["July"] = "Juillet"; -$a->strings["August"] = "Août"; -$a->strings["September"] = "Septembre"; -$a->strings["October"] = "Octobre"; -$a->strings["November"] = "Novembre"; -$a->strings["December"] = "Décembre"; -$a->strings["View Video"] = "Regarder la vidéo"; -$a->strings["bytes"] = "octets"; -$a->strings["Click to open/close"] = "Cliquer pour ouvrir/fermer"; -$a->strings["link to source"] = "lien original"; -$a->strings["default"] = "défaut"; -$a->strings["Select an alternate language"] = "Choisir une langue alternative"; -$a->strings["activity"] = "activité"; -$a->strings["comment"] = array( - 0 => "", - 1 => "commentaire", -); -$a->strings["post"] = "publication"; -$a->strings["Item filed"] = "Élément classé"; -$a->strings["Logged out."] = "Déconnecté."; -$a->strings["Login failed."] = "Échec de connexion."; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Nous avons eu un souci avec l'OpenID que vous avez fourni. merci de vérifier l'orthographe correcte de ce dernier."; -$a->strings["The error message was:"] = "Le message d'erreur était :"; -$a->strings["Image/photo"] = "Image/photo"; -$a->strings["%2\$s %3\$s"] = ""; -$a->strings["%s wrote the following post"] = ""; -$a->strings["$1 wrote:"] = "$1 a écrit:"; -$a->strings["Encrypted content"] = "Contenu chiffré"; -$a->strings["Welcome "] = "Bienvenue "; -$a->strings["Please upload a profile photo."] = "Merci d'illustrer votre profil d'une image."; -$a->strings["Welcome back "] = "Bienvenue à nouveau, "; -$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."] = "Le jeton de sécurité du formulaire n'est pas correct. Ceci veut probablement dire que le formulaire est resté ouvert trop longtemps (plus de 3 heures) avant d'être validé."; -$a->strings["Embedded content"] = "Contenu incorporé"; -$a->strings["Embedding disabled"] = "Incorporation désactivée"; -$a->strings["Male"] = "Masculin"; -$a->strings["Female"] = "Féminin"; -$a->strings["Currently Male"] = "Actuellement masculin"; -$a->strings["Currently Female"] = "Actuellement féminin"; -$a->strings["Mostly Male"] = "Principalement masculin"; -$a->strings["Mostly Female"] = "Principalement féminin"; -$a->strings["Transgender"] = "Transgenre"; -$a->strings["Intersex"] = "Inter-sexe"; -$a->strings["Transsexual"] = "Transsexuel"; -$a->strings["Hermaphrodite"] = "Hermaphrodite"; -$a->strings["Neuter"] = "Neutre"; -$a->strings["Non-specific"] = "Non-spécifique"; -$a->strings["Other"] = "Autre"; -$a->strings["Undecided"] = "Indécis"; -$a->strings["Males"] = "Hommes"; -$a->strings["Females"] = "Femmes"; -$a->strings["Gay"] = "Gay"; -$a->strings["Lesbian"] = "Lesbienne"; -$a->strings["No Preference"] = "Sans préférence"; -$a->strings["Bisexual"] = "Bisexuel"; -$a->strings["Autosexual"] = "Auto-sexuel"; -$a->strings["Abstinent"] = "Abstinent"; -$a->strings["Virgin"] = "Vierge"; -$a->strings["Deviant"] = "Déviant"; -$a->strings["Fetish"] = "Fétichiste"; -$a->strings["Oodles"] = "Oodles"; -$a->strings["Nonsexual"] = "Non-sexuel"; -$a->strings["Single"] = "Célibataire"; -$a->strings["Lonely"] = "Esseulé"; -$a->strings["Available"] = "Disponible"; -$a->strings["Unavailable"] = "Indisponible"; -$a->strings["Has crush"] = "Attiré par quelqu'un"; -$a->strings["Infatuated"] = "Entiché"; -$a->strings["Dating"] = "Dans une relation"; -$a->strings["Unfaithful"] = "Infidèle"; -$a->strings["Sex Addict"] = "Accro au sexe"; -$a->strings["Friends"] = "Amis"; -$a->strings["Friends/Benefits"] = "Amis par intérêt"; -$a->strings["Casual"] = "Casual"; -$a->strings["Engaged"] = "Fiancé"; -$a->strings["Married"] = "Marié"; -$a->strings["Imaginarily married"] = "Se croit marié"; -$a->strings["Partners"] = "Partenaire"; -$a->strings["Cohabiting"] = "En cohabitation"; -$a->strings["Common law"] = "Marié \"de fait\"/\"sui juris\" (concubin)"; -$a->strings["Happy"] = "Heureux"; -$a->strings["Not looking"] = "Pas intéressé"; -$a->strings["Swinger"] = "Échangiste"; -$a->strings["Betrayed"] = "Trahi(e)"; -$a->strings["Separated"] = "Séparé"; -$a->strings["Unstable"] = "Instable"; -$a->strings["Divorced"] = "Divorcé"; -$a->strings["Imaginarily divorced"] = "Se croit divorcé"; -$a->strings["Widowed"] = "Veuf/Veuve"; -$a->strings["Uncertain"] = "Incertain"; -$a->strings["It's complicated"] = "C'est compliqué"; -$a->strings["Don't care"] = "S'en désintéresse"; -$a->strings["Ask me"] = "Me demander"; -$a->strings["An invitation is required."] = "Une invitation est requise."; -$a->strings["Invitation could not be verified."] = "L'invitation fournie n'a pu être validée."; -$a->strings["Invalid OpenID url"] = "Adresse OpenID invalide"; -$a->strings["Please enter the required information."] = "Entrez les informations requises."; -$a->strings["Please use a shorter name."] = "Utilisez un nom plus court."; -$a->strings["Name too short."] = "Nom trop court."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Ceci ne semble pas être votre nom complet (Prénom Nom)."; -$a->strings["Your email domain is not among those allowed on this site."] = "Votre domaine de courriel n'est pas autorisé sur ce site."; -$a->strings["Not a valid email address."] = "Ceci n'est pas une adresse courriel valide."; -$a->strings["Cannot use that email."] = "Impossible d'utiliser ce courriel."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Votre \"pseudo\" peut seulement contenir les caractères \"a-z\", \"0-9\", \"-\", and \"_\", et doit commencer par une lettre."; -$a->strings["Nickname is already registered. Please choose another."] = "Pseudo déjà utilisé. Merci d'en choisir un autre."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Ce surnom a déjà été utilisé ici, et ne peut re-servir. Merci d'en choisir un autre."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERREUR SÉRIEUSE: La génération des clés de sécurité a échoué."; -$a->strings["An error occurred during registration. Please try again."] = "Une erreur est survenue lors de l'inscription. Merci de recommencer."; -$a->strings["An error occurred creating your default profile. Please try again."] = "Une erreur est survenue lors de la création de votre profil par défaut. Merci de recommencer."; -$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$\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"] = "Détails d'inscription pour %s"; -$a->strings["Visible to everybody"] = "Visible par tout le monde"; $a->strings["This entry was edited"] = "Cette entrée à été édité"; $a->strings["Private Message"] = "Message privé"; $a->strings["Edit"] = "Éditer"; +$a->strings["Select"] = "Sélectionner"; +$a->strings["Delete"] = "Supprimer"; $a->strings["save to folder"] = "sauver vers dossier"; $a->strings["add star"] = "mett en avant"; $a->strings["remove star"] = "ne plus mettre en avant"; @@ -670,7 +18,7 @@ $a->strings["starred"] = "mis en avant"; $a->strings["ignore thread"] = ""; $a->strings["unignore thread"] = ""; $a->strings["toggle ignore status"] = ""; -$a->strings["ignored"] = ""; +$a->strings["ignored"] = "ignoré"; $a->strings["add tag"] = "ajouter une étiquette"; $a->strings["I like this (toggle)"] = "J'aime (bascule)"; $a->strings["like"] = "aime"; @@ -678,15 +26,27 @@ $a->strings["I don't like this (toggle)"] = "Je n'aime pas (bascule)"; $a->strings["dislike"] = "n'aime pas"; $a->strings["Share this"] = "Partager"; $a->strings["share"] = "partager"; +$a->strings["Categories:"] = "Catégories:"; +$a->strings["Filed under:"] = "Rangé sous:"; +$a->strings["View %s's profile @ %s"] = "Voir le profil de %s @ %s"; $a->strings["to"] = "à"; $a->strings["via"] = "via"; $a->strings["Wall-to-Wall"] = "Inter-mur"; $a->strings["via Wall-To-Wall:"] = "en Inter-mur:"; +$a->strings["%s from %s"] = "%s de %s"; +$a->strings["Comment"] = "Commenter"; +$a->strings["Please wait"] = "Patientez"; $a->strings["%d comment"] = array( 0 => "%d commentaire", 1 => "%d commentaires", ); +$a->strings["comment"] = array( + 0 => "", + 1 => "commentaire", +); +$a->strings["show more"] = "montrer plus"; $a->strings["This is you"] = "C'est vous"; +$a->strings["Submit"] = "Envoyer"; $a->strings["Bold"] = "Gras"; $a->strings["Italic"] = "Italique"; $a->strings["Underline"] = "Souligné"; @@ -695,362 +55,18 @@ $a->strings["Code"] = "Code"; $a->strings["Image"] = "Image"; $a->strings["Link"] = "Lien"; $a->strings["Video"] = "Vidéo"; -$a->strings["Item not available."] = "Elément non disponible."; -$a->strings["Item was not found."] = "Element introuvable."; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Nombre de messages de mur quotidiens pour %s dépassé. Échec du message."; -$a->strings["No recipient selected."] = "Pas de destinataire sélectionné."; -$a->strings["Unable to check your home location."] = "Impossible de vérifier votre localisation."; -$a->strings["Message could not be sent."] = "Impossible d'envoyer le message."; -$a->strings["Message collection failure."] = "Récupération des messages infructueuse."; -$a->strings["Message sent."] = "Message envoyé."; -$a->strings["No recipient."] = "Pas de destinataire."; -$a->strings["Send Private Message"] = "Envoyer un message privé"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Si vous souhaitez que %s réponde, merci de vérifier vos réglages pour autoriser les messages privés venant d'inconnus."; -$a->strings["To:"] = "À:"; -$a->strings["Subject:"] = "Sujet:"; -$a->strings["Your message:"] = "Votre message:"; -$a->strings["Group created."] = "Groupe créé."; -$a->strings["Could not create group."] = "Impossible de créer le groupe."; -$a->strings["Group not found."] = "Groupe introuvable."; -$a->strings["Group name changed."] = "Groupe renommé."; -$a->strings["Save Group"] = "Sauvegarder le groupe"; -$a->strings["Create a group of contacts/friends."] = "Créez un groupe de contacts/amis."; -$a->strings["Group Name: "] = "Nom du groupe: "; -$a->strings["Group removed."] = "Groupe enlevé."; -$a->strings["Unable to remove group."] = "Impossible d'enlever le groupe."; -$a->strings["Group Editor"] = "Éditeur de groupe"; -$a->strings["Members"] = "Membres"; -$a->strings["All Contacts"] = "Tous les contacts"; -$a->strings["Click on a contact to add or remove."] = "Cliquez sur un contact pour l'ajouter ou le supprimer."; -$a->strings["No potential page delegates located."] = "Pas de délégataire potentiel."; -$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."] = "Les délégataires seront capables de gérer tous les aspects de ce compte ou de cette page, à l'exception des réglages de compte. Merci de ne pas déléguer votre compte principal à quelqu'un en qui vous n'avez pas une confiance absolue."; -$a->strings["Existing Page Managers"] = "Gestionnaires existants"; -$a->strings["Existing Page Delegates"] = "Délégataires existants"; -$a->strings["Potential Delegates"] = "Délégataires potentiels"; -$a->strings["Remove"] = "Utiliser comme photo de profil"; -$a->strings["Add"] = "Ajouter"; -$a->strings["No entries."] = "Aucune entrée."; -$a->strings["Invalid request identifier."] = "Identifiant de demande invalide."; -$a->strings["Discard"] = "Rejeter"; -$a->strings["Ignore"] = "Ignorer"; -$a->strings["System"] = "Système"; -$a->strings["Personal"] = "Personnel"; -$a->strings["Show Ignored Requests"] = "Voir les demandes ignorées"; -$a->strings["Hide Ignored Requests"] = "Cacher les demandes ignorées"; -$a->strings["Notification type: "] = "Type de notification: "; -$a->strings["Friend Suggestion"] = "Suggestion d'amitié/contact"; -$a->strings["suggested by %s"] = "suggéré(e) par %s"; -$a->strings["Hide this contact from others"] = "Cacher ce contact aux autres"; -$a->strings["Post a new friend activity"] = "Poster une nouvelle avtivité d'ami"; -$a->strings["if applicable"] = "si possible"; -$a->strings["Approve"] = "Approuver"; -$a->strings["Claims to be known to you: "] = "Prétend que vous le connaissez: "; -$a->strings["yes"] = "oui"; -$a->strings["no"] = "non"; -$a->strings["Approve as: "] = "Approuver en tant que: "; -$a->strings["Friend"] = "Ami"; -$a->strings["Sharer"] = "Initiateur du partage"; -$a->strings["Fan/Admirer"] = "Fan/Admirateur"; -$a->strings["Friend/Connect Request"] = "Demande de connexion/relation"; -$a->strings["New Follower"] = "Nouvel abonné"; -$a->strings["No introductions."] = "Aucune demande d'introduction."; -$a->strings["%s liked %s's post"] = "%s a aimé la publication de %s"; -$a->strings["%s disliked %s's post"] = "%s n'a pas aimé la publication de %s"; -$a->strings["%s is now friends with %s"] = "%s est désormais ami(e) avec %s"; -$a->strings["%s created a new post"] = "%s a créé une nouvelle publication"; -$a->strings["%s commented on %s's post"] = "%s a commenté la publication de %s"; -$a->strings["No more network notifications."] = "Aucune notification du réseau."; -$a->strings["Network Notifications"] = "Notifications du réseau"; -$a->strings["No more system notifications."] = "Pas plus de notifications système."; -$a->strings["System Notifications"] = "Notifications du système"; -$a->strings["No more personal notifications."] = "Aucun notification personnelle."; -$a->strings["Personal Notifications"] = "Notifications personnelles"; -$a->strings["No more home notifications."] = "Aucune notification de la page d'accueil."; -$a->strings["Home Notifications"] = "Notifications de page d'accueil"; -$a->strings["No profile"] = "Aucun profil"; -$a->strings["everybody"] = "tout le monde"; -$a->strings["Account"] = "Compte"; -$a->strings["Additional features"] = "Fonctions supplémentaires"; -$a->strings["Display"] = "Afficher"; -$a->strings["Social Networks"] = "Réseaux sociaux"; -$a->strings["Plugins"] = "Extensions"; -$a->strings["Connected apps"] = "Applications connectées"; -$a->strings["Export personal data"] = "Exporter"; -$a->strings["Remove account"] = "Supprimer le compte"; -$a->strings["Missing some important data!"] = "Il manque certaines informations importantes!"; -$a->strings["Update"] = "Mises-à-jour"; -$a->strings["Failed to connect with email account using the settings provided."] = "Impossible de se connecter au compte courriel configuré."; -$a->strings["Email settings updated."] = "Réglages de courriel mis-à-jour."; -$a->strings["Features updated"] = "Fonctionnalités mises à jour"; -$a->strings["Relocate message has been send to your contacts"] = ""; -$a->strings["Passwords do not match. Password unchanged."] = "Les mots de passe ne correspondent pas. Aucun changement appliqué."; -$a->strings["Empty passwords are not allowed. Password unchanged."] = "Les mots de passe vides sont interdits. Aucun changement appliqué."; -$a->strings["Wrong password."] = "Mauvais mot de passe."; -$a->strings["Password changed."] = "Mots de passe changés."; -$a->strings["Password update failed. Please try again."] = "Le changement de mot de passe a échoué. Merci de recommencer."; -$a->strings[" Please use a shorter name."] = " Merci d'utiliser un nom plus court."; -$a->strings[" Name too short."] = " Nom trop court."; -$a->strings["Wrong Password"] = "Mauvais mot de passe"; -$a->strings[" Not valid email."] = " Email invalide."; -$a->strings[" Cannot change to that email."] = " Impossible de changer pour cet email."; -$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Ce forum privé n'a pas de paramètres de vie privée. Utilisation des paramètres de confidentialité par défaut."; -$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Ce forum privé n'a pas de paramètres de vie privée ni de paramètres de confidentialité par défaut."; -$a->strings["Settings updated."] = "Réglages mis à jour."; -$a->strings["Add application"] = "Ajouter une application"; -$a->strings["Save Settings"] = "Sauvegarder les paramétres"; -$a->strings["Name"] = "Nom"; -$a->strings["Consumer Key"] = "Clé utilisateur"; -$a->strings["Consumer Secret"] = "Secret utilisateur"; -$a->strings["Redirect"] = "Rediriger"; -$a->strings["Icon url"] = "URL de l'icône"; -$a->strings["You can't edit this application."] = "Vous ne pouvez pas éditer cette application."; -$a->strings["Connected Apps"] = "Applications connectées"; -$a->strings["Client key starts with"] = "La clé cliente commence par"; -$a->strings["No name"] = "Sans nom"; -$a->strings["Remove authorization"] = "Révoquer l'autorisation"; -$a->strings["No Plugin settings configured"] = "Pas de réglages d'extensions configurés"; -$a->strings["Plugin Settings"] = "Extensions"; -$a->strings["Off"] = "Éteint"; -$a->strings["On"] = "Allumé"; -$a->strings["Additional Features"] = "Fonctions supplémentaires"; -$a->strings["Built-in support for %s connectivity is %s"] = "Le support natif pour la connectivité %s est %s"; -$a->strings["enabled"] = "activé"; -$a->strings["disabled"] = "désactivé"; -$a->strings["StatusNet"] = "StatusNet"; -$a->strings["Email access is disabled on this site."] = "L'accès courriel est désactivé sur ce site."; -$a->strings["Email/Mailbox Setup"] = "Réglages de courriel/boîte à lettre"; -$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Si vous souhaitez communiquer avec vos contacts \"courriel\" (facultatif), merci de nous indiquer comment vous connecter à votre boîte."; -$a->strings["Last successful email check:"] = "Dernière vérification réussie des courriels:"; -$a->strings["IMAP server name:"] = "Nom du serveur IMAP:"; -$a->strings["IMAP port:"] = "Port IMAP:"; -$a->strings["Security:"] = "Sécurité:"; -$a->strings["None"] = "Aucun(e)"; -$a->strings["Email login name:"] = "Nom de connexion:"; -$a->strings["Email password:"] = "Mot de passe:"; -$a->strings["Reply-to address:"] = "Adresse de réponse:"; -$a->strings["Send public posts to all email contacts:"] = "Envoyer les publications publiques à tous les contacts courriels:"; -$a->strings["Action after import:"] = "Action après import:"; -$a->strings["Mark as seen"] = "Marquer comme vu"; -$a->strings["Move to folder"] = "Déplacer vers"; -$a->strings["Move to folder:"] = "Déplacer vers:"; -$a->strings["No special theme for mobile devices"] = "Pas de thème particulier pour les terminaux mobiles"; -$a->strings["Display Settings"] = "Affichage"; -$a->strings["Display Theme:"] = "Thème d'affichage:"; -$a->strings["Mobile Theme:"] = "Thème mobile:"; -$a->strings["Update browser every xx seconds"] = "Mettre-à-jour l'affichage toutes les xx secondes"; -$a->strings["Minimum of 10 seconds, no maximum"] = "Délai minimum de 10 secondes, pas de maximum"; -$a->strings["Number of items to display per page:"] = "Nombre d’éléments par page:"; -$a->strings["Maximum of 100 items"] = "Maximum de 100 éléments"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = "Nombre d'éléments a afficher par page pour un appareil mobile"; -$a->strings["Don't show emoticons"] = "Ne pas afficher les émoticônes (smileys grahiques)"; -$a->strings["Don't show notices"] = ""; -$a->strings["Infinite scroll"] = ""; -$a->strings["Automatic updates only at the top of the network page"] = ""; -$a->strings["User Types"] = ""; -$a->strings["Community Types"] = ""; -$a->strings["Normal Account Page"] = "Compte normal"; -$a->strings["This account is a normal personal profile"] = "Ce compte correspond à un profil normal, pour une seule personne (physique, généralement)"; -$a->strings["Soapbox Page"] = "Compte \"boîte à savon\""; -$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des fans 'en lecture seule'"; -$a->strings["Community Forum/Celebrity Account"] = "Compte de communauté/célébrité"; -$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des fans en 'lecture/écriture'"; -$a->strings["Automatic Friend Page"] = "Compte d'\"amitié automatique\""; -$a->strings["Automatically approve all connection/friend requests as friends"] = "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des amis"; -$a->strings["Private Forum [Experimental]"] = "Forum privé [expérimental]"; -$a->strings["Private forum - approved members only"] = "Forum privé - modéré en inscription"; -$a->strings["OpenID:"] = "OpenID:"; -$a->strings["(Optional) Allow this OpenID to login to this account."] = "&nbsp;(Facultatif) Autoriser cet OpenID à se connecter à ce compte."; -$a->strings["Publish your default profile in your local site directory?"] = "Publier votre profil par défaut sur l'annuaire local de ce site?"; -$a->strings["No"] = "Non"; -$a->strings["Publish your default profile in the global social directory?"] = "Publier votre profil par défaut sur l'annuaire social global?"; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Cacher votre liste de contacts/amis des visiteurs de votre profil par défaut?"; -$a->strings["Allow friends to post to your profile page?"] = "Autoriser vos amis à publier sur votre profil?"; -$a->strings["Allow friends to tag your posts?"] = "Autoriser vos amis à étiqueter vos publications?"; -$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Autoriser les suggestions d'amis potentiels aux nouveaux arrivants?"; -$a->strings["Permit unknown people to send you private mail?"] = "Autoriser les messages privés d'inconnus?"; -$a->strings["Profile is not published."] = "Ce profil n'est pas publié."; -$a->strings["or"] = "ou"; -$a->strings["Your Identity Address is"] = "L'adresse de votre identité est"; -$a->strings["Automatically expire posts after this many days:"] = "Les publications expirent automatiquement après (en jours) :"; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Si ce champ est vide, les publications n'expireront pas. Les publications expirées seront supprimées"; -$a->strings["Advanced expiration settings"] = "Réglages avancés de l'expiration"; -$a->strings["Advanced Expiration"] = "Expiration (avancé)"; -$a->strings["Expire posts:"] = "Faire expirer les publications:"; -$a->strings["Expire personal notes:"] = "Faire expirer les notes personnelles:"; -$a->strings["Expire starred posts:"] = "Faire expirer les publications marqués:"; -$a->strings["Expire photos:"] = "Faire expirer les photos:"; -$a->strings["Only expire posts by others:"] = "Faire expirer seulement les publications des autres:"; -$a->strings["Account Settings"] = "Compte"; -$a->strings["Password Settings"] = "Réglages de mot de passe"; -$a->strings["New Password:"] = "Nouveau mot de passe:"; -$a->strings["Confirm:"] = "Confirmer:"; -$a->strings["Leave password fields blank unless changing"] = "Laissez les champs de mot de passe vierges, sauf si vous désirez les changer"; -$a->strings["Current Password:"] = "Mot de passe actuel:"; -$a->strings["Your current password to confirm the changes"] = "Votre mot de passe actuel pour confirmer les modifications"; -$a->strings["Password:"] = "Mot de passe:"; -$a->strings["Basic Settings"] = "Réglages basiques"; -$a->strings["Email Address:"] = "Adresse courriel:"; -$a->strings["Your Timezone:"] = "Votre fuseau horaire:"; -$a->strings["Default Post Location:"] = "Emplacement de publication par défaut:"; -$a->strings["Use Browser Location:"] = "Utiliser la localisation géographique du navigateur:"; -$a->strings["Security and Privacy Settings"] = "Réglages de sécurité et vie privée"; -$a->strings["Maximum Friend Requests/Day:"] = "Nombre maximal de requêtes d'amitié/jour:"; -$a->strings["(to prevent spam abuse)"] = "(pour limiter l'impact du spam)"; -$a->strings["Default Post Permissions"] = "Permissions de publication par défaut"; -$a->strings["(click to open/close)"] = "(cliquer pour ouvrir/fermer)"; -$a->strings["Show to Groups"] = "Montrer aux groupes"; -$a->strings["Show to Contacts"] = "Montrer aux Contacts"; -$a->strings["Default Private Post"] = "Message privé par défaut"; -$a->strings["Default Public Post"] = "Message publique par défaut"; -$a->strings["Default Permissions for New Posts"] = "Permissions par défaut pour les nouvelles publications"; -$a->strings["Maximum private messages per day from unknown people:"] = "Maximum de messages privés d'inconnus par jour:"; -$a->strings["Notification Settings"] = "Réglages de notification"; -$a->strings["By default post a status message when:"] = "Par défaut, poster un statut quand:"; -$a->strings["accepting a friend request"] = "j'accepte un ami"; -$a->strings["joining a forum/community"] = "joignant un forum/une communauté"; -$a->strings["making an interesting profile change"] = "je fais une modification intéressante de mon profil"; -$a->strings["Send a notification email when:"] = "Envoyer un courriel de notification quand:"; -$a->strings["You receive an introduction"] = "Vous recevez une introduction"; -$a->strings["Your introductions are confirmed"] = "Vos introductions sont confirmées"; -$a->strings["Someone writes on your profile wall"] = "Quelqu'un écrit sur votre mur"; -$a->strings["Someone writes a followup comment"] = "Quelqu'un vous commente"; -$a->strings["You receive a private message"] = "Vous recevez un message privé"; -$a->strings["You receive a friend suggestion"] = "Vous avez reçu une suggestion d'ami"; -$a->strings["You are tagged in a post"] = "Vous avez été étiquetté dans une publication"; -$a->strings["You are poked/prodded/etc. in a post"] = "Vous avez été sollicité dans une publication"; -$a->strings["Advanced Account/Page Type Settings"] = "Paramètres avancés de compte/page"; -$a->strings["Change the behaviour of this account for special situations"] = "Modifier le comportement de ce compte dans certaines 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["Common Friends"] = "Amis communs"; -$a->strings["No contacts in common."] = "Pas de contacts en commun."; -$a->strings["Remote privacy information not available."] = "Informations de confidentialité indisponibles."; -$a->strings["Visible to:"] = "Visible par:"; -$a->strings["%d contact edited."] = array( - 0 => "%d contact édité", - 1 => "%d contacts édités.", -); -$a->strings["Could not access contact record."] = "Impossible d'accéder à l'enregistrement du contact."; -$a->strings["Could not locate selected profile."] = "Impossible de localiser le profil séléctionné."; -$a->strings["Contact updated."] = "Contact mis-à-jour."; -$a->strings["Failed to update contact record."] = "Échec de mise-à-jour du contact."; -$a->strings["Contact has been blocked"] = "Le contact a été bloqué"; -$a->strings["Contact has been unblocked"] = "Le contact n'est plus bloqué"; -$a->strings["Contact has been ignored"] = "Le contact a été ignoré"; -$a->strings["Contact has been unignored"] = "Le contact n'est plus ignoré"; -$a->strings["Contact has been archived"] = "Contact archivé"; -$a->strings["Contact has been unarchived"] = "Contact désarchivé"; -$a->strings["Do you really want to delete this contact?"] = "Voulez-vous vraiment supprimer ce contact?"; -$a->strings["Contact has been removed."] = "Ce contact a été retiré."; -$a->strings["You are mutual friends with %s"] = "Vous êtes ami (et réciproquement) avec %s"; -$a->strings["You are sharing with %s"] = "Vous partagez avec %s"; -$a->strings["%s is sharing with you"] = "%s partage avec vous"; -$a->strings["Private communications are not available for this contact."] = "Les communications privées ne sont pas disponibles pour ce contact."; -$a->strings["Never"] = "Jamais"; -$a->strings["(Update was successful)"] = "(Mise à jour effectuée avec succès)"; -$a->strings["(Update was not successful)"] = "(Mise à jour échouée)"; -$a->strings["Suggest friends"] = "Suggérer amitié/contact"; -$a->strings["Network type: %s"] = "Type de réseau %s"; -$a->strings["View all contacts"] = "Voir tous les contacts"; -$a->strings["Unblock"] = "Débloquer"; -$a->strings["Block"] = "Bloquer"; -$a->strings["Toggle Blocked status"] = "(dés)activer l'état \"bloqué\""; -$a->strings["Unignore"] = "Ne plus ignorer"; -$a->strings["Toggle Ignored status"] = "(dés)activer l'état \"ignoré\""; -$a->strings["Unarchive"] = "Désarchiver"; -$a->strings["Archive"] = "Archiver"; -$a->strings["Toggle Archive status"] = "(dés)activer l'état \"archivé\""; -$a->strings["Repair"] = "Réparer"; -$a->strings["Advanced Contact Settings"] = "Réglages avancés du contact"; -$a->strings["Communications lost with this contact!"] = "Communications perdues avec ce contact !"; -$a->strings["Contact Editor"] = "Éditeur de contact"; -$a->strings["Profile Visibility"] = "Visibilité du profil"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Merci de choisir le profil que vous souhaitez montrer à %s lorsqu'il vous rend visite de manière sécurisée."; -$a->strings["Contact Information / Notes"] = "Informations de contact / Notes"; -$a->strings["Edit contact notes"] = "Éditer les notes des contacts"; -$a->strings["Visit %s's profile [%s]"] = "Visiter le profil de %s [%s]"; -$a->strings["Block/Unblock contact"] = "Bloquer/débloquer ce contact"; -$a->strings["Ignore contact"] = "Ignorer ce contact"; -$a->strings["Repair URL settings"] = "Réglages de réparation des URL"; -$a->strings["View conversations"] = "Voir les conversations"; -$a->strings["Delete contact"] = "Effacer ce contact"; -$a->strings["Last update:"] = "Dernière mise-à-jour :"; -$a->strings["Update public posts"] = "Mettre à jour les publications publiques:"; -$a->strings["Update now"] = "Mettre à jour"; -$a->strings["Currently blocked"] = "Actuellement bloqué"; -$a->strings["Currently ignored"] = "Actuellement ignoré"; -$a->strings["Currently archived"] = "Actuellement archivé"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Les réponses et \"j'aime\" à vos publications publiques peuvent être toujours visibles"; -$a->strings["Notification for new posts"] = "Notification des nouvelles publications"; -$a->strings["Send a notification of every new post of this contact"] = ""; -$a->strings["Fetch further information for feeds"] = ""; -$a->strings["Suggestions"] = "Suggestions"; -$a->strings["Suggest potential friends"] = "Suggérer des amis potentiels"; -$a->strings["Show all contacts"] = "Montrer tous les contacts"; -$a->strings["Unblocked"] = "Non-bloqués"; -$a->strings["Only show unblocked contacts"] = "Ne montrer que les contacts non-bloqués"; -$a->strings["Blocked"] = "Bloqués"; -$a->strings["Only show blocked contacts"] = "Ne montrer que les contacts bloqués"; -$a->strings["Ignored"] = "Ignorés"; -$a->strings["Only show ignored contacts"] = "Ne montrer que les contacts ignorés"; -$a->strings["Archived"] = "Archivés"; -$a->strings["Only show archived contacts"] = "Ne montrer que les contacts archivés"; -$a->strings["Hidden"] = "Cachés"; -$a->strings["Only show hidden contacts"] = "Ne montrer que les contacts masqués"; -$a->strings["Mutual Friendship"] = "Relation réciproque"; -$a->strings["is a fan of yours"] = "Vous suit"; -$a->strings["you are a fan of"] = "Vous le/la suivez"; -$a->strings["Edit contact"] = "Éditer le contact"; -$a->strings["Search your contacts"] = "Rechercher dans vos contacts"; -$a->strings["Finding: "] = "Trouvé: "; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Désolé, il semble que votre fichier est plus important que ce que la configuration de PHP autorise"; -$a->strings["Or - did you try to upload an empty file?"] = ""; -$a->strings["File exceeds size limit of %d"] = "La taille du fichier dépasse la limite de %d"; -$a->strings["File upload failed."] = "Le téléversement a échoué."; +$a->strings["Preview"] = "Aperçu"; +$a->strings["You must be logged in to use addons. "] = "Vous devez être connecté pour utiliser les greffons."; +$a->strings["Not Found"] = "Non trouvé"; +$a->strings["Page not found."] = "Page introuvable."; +$a->strings["Permission denied"] = "Permission refusée"; +$a->strings["Permission denied."] = "Permission refusée."; +$a->strings["toggle mobile"] = "activ. mobile"; $a->strings["[Embedded content - reload page to view]"] = "[contenu incorporé - rechargez la page pour le voir]"; -$a->strings["Export account"] = "Exporter le compte"; -$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."] = "Exportez votre compte, vos infos et vos contacts. Vous pourrez utiliser le résultat comme sauvegarde et/ou pour le ré-importer sur un autre serveur."; -$a->strings["Export all"] = "Tout exporter"; -$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)"] = "Exportez votre compte, vos infos, vos contacts et toutes vos publications (en JSON). Le fichier résultant peut être extrêmement volumineux, et sa production peut durer longtemps. Vous pourrez l'utiliser pour faire une sauvegarde complète (à part les photos)."; -$a->strings["Registration successful. Please check your email for further instructions."] = "Inscription réussie. Vérifiez vos emails pour la suite des instructions."; -$a->strings["Failed to send email message. Here is the message that failed."] = "Impossible d'envoyer un email. Voici le message qui a échoué."; -$a->strings["Your registration can not be processed."] = "Votre inscription ne peut être traitée."; -$a->strings["Your registration is pending approval by the site owner."] = "Votre inscription attend une validation du propriétaire du site."; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Le nombre d'inscriptions quotidiennes pour ce site a été dépassé. Merci de réessayer demain."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Vous pouvez (si vous le souhaitez) remplir ce formulaire via OpenID. Fournissez votre OpenID et cliquez \"S'inscrire\"."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Si vous n'êtes pas familier avec OpenID, laissez ce champ vide et remplissez le reste."; -$a->strings["Your OpenID (optional): "] = "Votre OpenID (facultatif): "; -$a->strings["Include your profile in member directory?"] = "Inclure votre profil dans l'annuaire des membres?"; -$a->strings["Membership on this site is by invitation only."] = "L'inscription à ce site se fait uniquement sur invitation."; -$a->strings["Your invitation ID: "] = "Votre ID d'invitation: "; -$a->strings["Registration"] = "Inscription"; -$a->strings["Your Full Name (e.g. Joe Smith): "] = "Votre nom complet (p.ex. Michel Dupont): "; -$a->strings["Your Email Address: "] = "Votre adresse courriel: "; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Choisissez un pseudo. Celui devra commencer par une lettre. L'adresse de votre profil en découlera sous la forme '<strong>pseudo@\$sitename</strong>'."; -$a->strings["Choose a nickname: "] = "Choisir un pseudo: "; -$a->strings["Import"] = "Importer"; -$a->strings["Import your profile to this friendica instance"] = "Importer votre profile dans cette instance de friendica"; -$a->strings["Post successful."] = "Publication réussie."; -$a->strings["System down for maintenance"] = "Système indisponible pour cause de maintenance"; -$a->strings["Access to this profile has been restricted."] = "L'accès au profil a été restreint."; -$a->strings["Tips for New Members"] = "Conseils aux nouveaux venus"; -$a->strings["Public access denied."] = "Accès public refusé."; -$a->strings["No videos selected"] = "Pas de vidéo sélectionné"; -$a->strings["Access to this item is restricted."] = "Accès restreint à cet élément."; -$a->strings["View Album"] = "Voir l'album"; -$a->strings["Recent Videos"] = "Vidéos récente"; -$a->strings["Upload New Videos"] = "Téléversé une nouvelle vidéo"; -$a->strings["Manage Identities and/or Pages"] = "Gérer les identités et/ou les pages"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Basculez entre les différentes identités ou pages (groupes/communautés) qui se partagent votre compte ou que vous avez été autorisé à gérer."; -$a->strings["Select an identity to manage: "] = "Choisir une identité à gérer: "; -$a->strings["Item not found"] = "Élément introuvable"; -$a->strings["Edit post"] = "Éditer la publication"; -$a->strings["People Search"] = "Recherche de personnes"; -$a->strings["No matches"] = "Aucune correspondance"; -$a->strings["Account approved."] = "Inscription validée."; -$a->strings["Registration revoked for %s"] = "Inscription révoquée pour %s"; -$a->strings["Please login."] = "Merci de vous connecter."; +$a->strings["Contact not found."] = "Contact introuvable."; +$a->strings["Friend suggestion sent."] = "Suggestion d'amitié/contact envoyée."; +$a->strings["Suggest Friends"] = "Suggérer des amis/contacts"; +$a->strings["Suggest a friend for %s"] = "Suggérer un ami/contact pour %s"; $a->strings["This introduction has already been accepted."] = "Cette introduction a déjà été acceptée."; $a->strings["Profile location is not valid or does not contain profile information."] = "L'emplacement du profil est invalide ou ne contient pas de profil valide."; $a->strings["Warning: profile location has no identifiable owner name."] = "Attention: l'emplacement du profil n'a pas de nom identifiable."; @@ -1072,6 +88,8 @@ $a->strings["Unable to resolve your name at the provided location."] = "Impossib $a->strings["You have already introduced yourself here."] = "Vous vous êtes déjà présenté ici."; $a->strings["Apparently you are already friends with %s."] = "Il semblerait que vous soyez déjà ami avec %s."; $a->strings["Invalid profile URL."] = "URL de profil invalide."; +$a->strings["Disallowed profile URL."] = "URL de profil interdite."; +$a->strings["Failed to update contact record."] = "Échec de mise-à-jour du contact."; $a->strings["Your introduction has been sent."] = "Votre introduction a été envoyée."; $a->strings["Please login to confirm introduction."] = "Connectez-vous pour confirmer l'introduction."; $a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Identité incorrecte actuellement connectée. Merci de vous connecter à ce profil."; @@ -1079,40 +97,99 @@ $a->strings["Hide this contact"] = "Cacher ce contact"; $a->strings["Welcome home %s."] = "Bienvenue chez vous, %s."; $a->strings["Please confirm your introduction/connection request to %s."] = "Merci de confirmer votre demande d'introduction auprès de %s."; $a->strings["Confirm"] = "Confirmer"; +$a->strings["[Name Withheld]"] = "[Nom non-publié]"; +$a->strings["Public access denied."] = "Accès public refusé."; $a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Merci d'entrer votre \"adresse d'identité\" de l'un des réseaux de communication suivant:"; $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."] = "Si vous n'êtes pas encore membre du web social libre, suivez ce lien pour trouver un site Friendica ouvert au public et nous rejoindre dès aujourd'hui."; $a->strings["Friend/Connection Request"] = "Requête de relation/amitié"; $a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Exemples : jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; $a->strings["Please answer the following:"] = "Merci de répondre à ce qui suit:"; $a->strings["Does %s know you?"] = "Est-ce que %s vous connaît?"; +$a->strings["No"] = "Non"; +$a->strings["Yes"] = "Oui"; $a->strings["Add a personal note:"] = "Ajouter une note personnelle:"; +$a->strings["Friendica"] = "Friendica"; $a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; +$a->strings["Diaspora"] = "Diaspora"; $a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - merci de ne pas utiliser ce formulaire. Entrez plutôt %s dans votre barre de recherche Diaspora."; $a->strings["Your Identity Address:"] = "Votre adresse d'identité:"; $a->strings["Submit Request"] = "Envoyer la requête"; -$a->strings["Files"] = "Fichiers"; -$a->strings["Authorize application connection"] = "Autoriser l'application à se connecter"; -$a->strings["Return to your app and insert this Securty Code:"] = "Retournez à votre application et saisissez ce Code de Sécurité : "; -$a->strings["Please login to continue."] = "Merci de vous connecter pour continuer."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Voulez-vous autoriser cette application à accéder à vos publications et contacts, et/ou à créer des billets à votre place?"; -$a->strings["Do you really want to delete this suggestion?"] = "Voulez-vous vraiment supprimer cette suggestion ?"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Aucune suggestion. Si ce site est récent, merci de recommencer dans 24h."; -$a->strings["Ignore/Hide"] = "Ignorer/cacher"; -$a->strings["Contacts who are not members of a group"] = "Contacts qui n’appartiennent à aucun groupe"; -$a->strings["Contact not found."] = "Contact introuvable."; -$a->strings["Friend suggestion sent."] = "Suggestion d'amitié/contact envoyée."; -$a->strings["Suggest Friends"] = "Suggérer des amis/contacts"; -$a->strings["Suggest a friend for %s"] = "Suggérer un ami/contact pour %s"; -$a->strings["link"] = "lien"; -$a->strings["No contacts."] = "Aucun contact."; +$a->strings["Cancel"] = "Annuler"; +$a->strings["View Video"] = "Regarder la vidéo"; +$a->strings["Requested profile is not available."] = "Le profil demandé n'est pas disponible."; +$a->strings["Access to this profile has been restricted."] = "L'accès au profil a été restreint."; +$a->strings["Tips for New Members"] = "Conseils aux nouveaux venus"; +$a->strings["Invalid request identifier."] = "Identifiant de demande invalide."; +$a->strings["Discard"] = "Rejeter"; +$a->strings["Ignore"] = "Ignorer"; +$a->strings["System"] = "Système"; +$a->strings["Network"] = "Réseau"; +$a->strings["Personal"] = "Personnel"; +$a->strings["Home"] = "Profil"; +$a->strings["Introductions"] = "Introductions"; +$a->strings["Show Ignored Requests"] = "Voir les demandes ignorées"; +$a->strings["Hide Ignored Requests"] = "Cacher les demandes ignorées"; +$a->strings["Notification type: "] = "Type de notification: "; +$a->strings["Friend Suggestion"] = "Suggestion d'amitié/contact"; +$a->strings["suggested by %s"] = "suggéré(e) par %s"; +$a->strings["Hide this contact from others"] = "Cacher ce contact aux autres"; +$a->strings["Post a new friend activity"] = "Poster une nouvelle avtivité d'ami"; +$a->strings["if applicable"] = "si possible"; +$a->strings["Approve"] = "Approuver"; +$a->strings["Claims to be known to you: "] = "Prétend que vous le connaissez: "; +$a->strings["yes"] = "oui"; +$a->strings["no"] = "non"; +$a->strings["Approve as: "] = "Approuver en tant que: "; +$a->strings["Friend"] = "Ami"; +$a->strings["Sharer"] = "Initiateur du partage"; +$a->strings["Fan/Admirer"] = "Fan/Admirateur"; +$a->strings["Friend/Connect Request"] = "Demande de connexion/relation"; +$a->strings["New Follower"] = "Nouvel abonné"; +$a->strings["No introductions."] = "Aucune demande d'introduction."; +$a->strings["Notifications"] = "Notifications"; +$a->strings["%s liked %s's post"] = "%s a aimé la publication de %s"; +$a->strings["%s disliked %s's post"] = "%s n'a pas aimé la publication de %s"; +$a->strings["%s is now friends with %s"] = "%s est désormais ami(e) avec %s"; +$a->strings["%s created a new post"] = "%s a créé une nouvelle publication"; +$a->strings["%s commented on %s's post"] = "%s a commenté la publication de %s"; +$a->strings["No more network notifications."] = "Aucune notification du réseau."; +$a->strings["Network Notifications"] = "Notifications du réseau"; +$a->strings["No more system notifications."] = "Pas plus de notifications système."; +$a->strings["System Notifications"] = "Notifications du système"; +$a->strings["No more personal notifications."] = "Aucun notification personnelle."; +$a->strings["Personal Notifications"] = "Notifications personnelles"; +$a->strings["No more home notifications."] = "Aucune notification de la page d'accueil."; +$a->strings["Home Notifications"] = "Notifications de page d'accueil"; +$a->strings["photo"] = "photo"; +$a->strings["status"] = "le statut"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s aime %3\$s de %2\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s n'aime pas %3\$s de %2\$s"; +$a->strings["OpenID protocol error. No ID returned."] = "Erreur de protocole OpenID. Pas d'ID en retour."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Compte introuvable, et l'inscription OpenID n'est pas autorisée sur ce site."; +$a->strings["Login failed."] = "Échec de connexion."; +$a->strings["Source (bbcode) text:"] = "Texte source (bbcode) :"; +$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Texte source (Diaspora) à convertir en BBcode :"; +$a->strings["Source input: "] = "Source input: "; +$a->strings["bb2html (raw HTML): "] = "bb2html (HTML brut)"; +$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): "] = "Texte source (format Diaspora) :"; +$a->strings["diaspora2bb: "] = "diaspora2bb :"; $a->strings["Theme settings updated."] = "Réglages du thème sauvés."; $a->strings["Site"] = "Site"; $a->strings["Users"] = "Utilisateurs"; +$a->strings["Plugins"] = "Extensions"; $a->strings["Themes"] = "Thèmes"; $a->strings["DB updates"] = "Mise-à-jour de la base"; $a->strings["Logs"] = "Journaux"; +$a->strings["Admin"] = "Admin"; $a->strings["Plugin Features"] = "Propriétés des extensions"; $a->strings["User registrations waiting for confirmation"] = "Inscriptions en attente de confirmation"; +$a->strings["Item not found."] = "Élément introuvable."; $a->strings["Normal Account"] = "Compte normal"; $a->strings["Soapbox Account"] = "Compte \"boîte à savon\""; $a->strings["Community/Celebrity Account"] = "Compte de communauté/célébrité"; @@ -1128,7 +205,13 @@ $a->strings["Version"] = "Versio"; $a->strings["Active plugins"] = "Extensions activés"; $a->strings["Can not parse base url. Must have at least ://"] = "Impossible d'analyser l'URL de base. Doit contenir au moins ://"; $a->strings["Site settings updated."] = "Réglages du site mis-à-jour."; +$a->strings["No special theme for mobile devices"] = "Pas de thème particulier pour les terminaux mobiles"; +$a->strings["Never"] = "Jamais"; $a->strings["At post arrival"] = "A l'arrivé d'une publication"; +$a->strings["Frequently"] = "Fréquemment"; +$a->strings["Hourly"] = "Toutes les heures"; +$a->strings["Twice daily"] = "Deux fois par jour"; +$a->strings["Daily"] = "Chaque jour"; $a->strings["Multi user instance"] = "Instance multi-utilisateurs"; $a->strings["Closed"] = "Fermé"; $a->strings["Requires approval"] = "Demande une apptrobation"; @@ -1136,6 +219,8 @@ $a->strings["Open"] = "Ouvert"; $a->strings["No SSL policy, links will track page SSL state"] = "Pas de politique SSL, le liens conserveront l'état SSL de la page"; $a->strings["Force all links to use SSL"] = "Forcer tous les liens à utiliser SSL"; $a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Certificat auto-signé, n'utiliser SSL que pour les liens locaux (non recommandé)"; +$a->strings["Save Settings"] = "Sauvegarder les paramétres"; +$a->strings["Registration"] = "Inscription"; $a->strings["File upload"] = "Téléversement de fichier"; $a->strings["Policies"] = "Politiques"; $a->strings["Advanced"] = "Avancé"; @@ -1238,8 +323,8 @@ $a->strings["Base path to installation"] = "Chemin de base de l'installation"; $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["New base url"] = "Nouvelle URL de base"; -$a->strings["Enable noscrape"] = ""; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping."] = ""; +$a->strings["Disable noscrape"] = ""; +$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping. Disabling it will cause higher load on your server and the directory server."] = ""; $a->strings["Update has been marked successful"] = "Mise-à-jour validée comme 'réussie'"; $a->strings["Database structure update %s was successfully applied."] = ""; $a->strings["Executing of database structure update %s failed with error: %s"] = ""; @@ -1255,6 +340,7 @@ $a->strings["Mark success (if update was manually applied)"] = "Marquer comme 'r $a->strings["Attempt to execute this update step automatically"] = "Tenter d'éxecuter cette étape automatiquement"; $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\tChère/Cher %1\$s,\n\t\t\t\tL’administrateur de %2\$s vous a ouvert un compte."; $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["Registration details for %s"] = "Détails d'inscription pour %s"; $a->strings["%s user blocked/unblocked"] = array( 0 => "%s utilisateur a (dé)bloqué", 1 => "%s utilisateurs ont (dé)bloqué", @@ -1271,8 +357,12 @@ $a->strings["select all"] = "tout sélectionner"; $a->strings["User registrations waiting for confirm"] = "Inscriptions d'utilisateurs en attente de confirmation"; $a->strings["User waiting for permanent deletion"] = "Utilisateur en attente de suppression définitive"; $a->strings["Request date"] = "Date de la demande"; +$a->strings["Name"] = "Nom"; +$a->strings["Email"] = "Courriel"; $a->strings["No registrations."] = "Pas d'inscriptions."; $a->strings["Deny"] = "Rejetter"; +$a->strings["Block"] = "Bloquer"; +$a->strings["Unblock"] = "Débloquer"; $a->strings["Site admin"] = "Administration du Site"; $a->strings["Account expired"] = "Compte expiré"; $a->strings["New User"] = "Nouvel utilisateur"; @@ -1280,6 +370,7 @@ $a->strings["Register date"] = "Date d'inscription"; $a->strings["Last login"] = "Dernière connexion"; $a->strings["Last item"] = "Dernier élément"; $a->strings["Deleted since"] = "Supprimé depuis"; +$a->strings["Account"] = "Compte"; $a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Les utilisateurs sélectionnés vont être supprimés!\\n\\nTout ce qu'ils ont posté sur ce site sera définitivement effacé!\\n\\nÊtes-vous certain?"; $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?"] = "L'utilisateur {0} va être supprimé!\\n\\nTout ce qu'il a posté sur ce site sera définitivement perdu!\\n\\nÊtes-vous certain?"; $a->strings["Name of the new user."] = "Nom du nouvel utilisateur."; @@ -1291,6 +382,7 @@ $a->strings["Plugin %s enabled."] = "Extension %s activée."; $a->strings["Disable"] = "Désactiver"; $a->strings["Enable"] = "Activer"; $a->strings["Toggle"] = "Activer/Désactiver"; +$a->strings["Settings"] = "Réglages"; $a->strings["Author: "] = "Auteur: "; $a->strings["Maintainer: "] = "Mainteneur: "; $a->strings["No themes found."] = "Aucun thème trouvé."; @@ -1303,42 +395,115 @@ $a->strings["Enable Debugging"] = "Activer le déboggage"; $a->strings["Log file"] = "Fichier de journaux"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Accès en écriture par le serveur web requis. Relatif à la racine de votre installation de Friendica."; $a->strings["Log level"] = "Niveau de journalisaton"; +$a->strings["Update now"] = "Mettre à jour"; $a->strings["Close"] = "Fermer"; $a->strings["FTP Host"] = "Hôte FTP"; $a->strings["FTP Path"] = "Chemin FTP"; $a->strings["FTP User"] = "Utilisateur FTP"; $a->strings["FTP Password"] = "Mot de passe FTP"; -$a->strings["Image exceeds size limit of %d"] = "L'image dépasse la taille limite de %d"; -$a->strings["Unable to process image."] = "Impossible de traiter l'image."; -$a->strings["Image upload failed."] = "Le téléversement de l'image a échoué."; -$a->strings["Welcome to %s"] = "Bienvenue sur %s"; -$a->strings["OpenID protocol error. No ID returned."] = "Erreur de protocole OpenID. Pas d'ID en retour."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Compte introuvable, et l'inscription OpenID n'est pas autorisée sur ce site."; -$a->strings["Search Results For:"] = "Résultats pour:"; -$a->strings["Remove term"] = "Retirer le terme"; -$a->strings["Commented Order"] = "Tri par commentaires"; -$a->strings["Sort by Comment Date"] = "Trier par date de commentaire"; -$a->strings["Posted Order"] = "Tri des publications"; -$a->strings["Sort by Post Date"] = "Trier par date de publication"; -$a->strings["Posts that mention or involve you"] = "Publications qui vous concernent"; -$a->strings["New"] = "Nouveau"; -$a->strings["Activity Stream - by date"] = "Flux d'activités - par date"; -$a->strings["Shared Links"] = "Liens partagés"; -$a->strings["Interesting Links"] = "Liens intéressants"; -$a->strings["Starred"] = "Mis en avant"; -$a->strings["Favourite Posts"] = "Publications favorites"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Attention: Ce groupe contient %s membre d'un réseau non-sûr.", - 1 => "Attention: Ce groupe contient %s membres d'un réseau non-sûr.", +$a->strings["New Message"] = "Nouveau message"; +$a->strings["No recipient selected."] = "Pas de destinataire sélectionné."; +$a->strings["Unable to locate contact information."] = "Impossible de localiser les informations du contact."; +$a->strings["Message could not be sent."] = "Impossible d'envoyer le message."; +$a->strings["Message collection failure."] = "Récupération des messages infructueuse."; +$a->strings["Message sent."] = "Message envoyé."; +$a->strings["Messages"] = "Messages"; +$a->strings["Do you really want to delete this message?"] = "Voulez-vous vraiment supprimer ce message ?"; +$a->strings["Message deleted."] = "Message supprimé."; +$a->strings["Conversation removed."] = "Conversation supprimée."; +$a->strings["Please enter a link URL:"] = "Entrez un lien web:"; +$a->strings["Send Private Message"] = "Envoyer un message privé"; +$a->strings["To:"] = "À:"; +$a->strings["Subject:"] = "Sujet:"; +$a->strings["Your message:"] = "Votre message:"; +$a->strings["Upload photo"] = "Joindre photo"; +$a->strings["Insert web link"] = "Insérer lien web"; +$a->strings["No messages."] = "Aucun message."; +$a->strings["Unknown sender - %s"] = "Émetteur inconnu - %s"; +$a->strings["You and %s"] = "Vous et %s"; +$a->strings["%s and You"] = "%s et vous"; +$a->strings["Delete conversation"] = "Effacer conversation"; +$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; +$a->strings["%d message"] = array( + 0 => "%d message", + 1 => "%d messages", ); -$a->strings["Private messages to this group are at risk of public disclosure."] = "Les messages privés envoyés à ce groupe s'exposent à une diffusion incontrôlée."; -$a->strings["No such group"] = "Groupe inexistant"; -$a->strings["Group is empty"] = "Groupe vide"; -$a->strings["Group: "] = "Groupe: "; -$a->strings["Contact: "] = "Contact: "; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Les messages privés envoyés à ce contact s'exposent à une diffusion incontrôlée."; -$a->strings["Invalid contact."] = "Contact invalide."; -$a->strings["- select -"] = "- choisir -"; +$a->strings["Message not available."] = "Message indisponible."; +$a->strings["Delete message"] = "Effacer message"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Pas de communications sécurisées possibles. Vous serez peut-être en mesure de répondre depuis la page de profil de l'émetteur."; +$a->strings["Send Reply"] = "Répondre"; +$a->strings["Item not found"] = "Élément introuvable"; +$a->strings["Edit post"] = "Éditer la publication"; +$a->strings["Save"] = "Sauver"; +$a->strings["upload photo"] = "envoi image"; +$a->strings["Attach file"] = "Joindre fichier"; +$a->strings["attach file"] = "ajout fichier"; +$a->strings["web link"] = "lien web"; +$a->strings["Insert video link"] = "Insérer un lien video"; +$a->strings["video link"] = "lien vidéo"; +$a->strings["Insert audio link"] = "Insérer un lien audio"; +$a->strings["audio link"] = "lien audio"; +$a->strings["Set your location"] = "Définir votre localisation"; +$a->strings["set location"] = "spéc. localisation"; +$a->strings["Clear browser location"] = "Effacer la localisation du navigateur"; +$a->strings["clear location"] = "supp. localisation"; +$a->strings["Permission settings"] = "Réglages des permissions"; +$a->strings["CC: email addresses"] = "CC: adresses de courriel"; +$a->strings["Public post"] = "Publication publique"; +$a->strings["Set title"] = "Définir un titre"; +$a->strings["Categories (comma-separated list)"] = "Catégories (séparées par des virgules)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Exemple: bob@exemple.com, mary@exemple.com"; +$a->strings["Profile not found."] = "Profil introuvable."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Ceci peut se produire lorsque le contact a été requis par les deux personnes et a déjà été approuvé."; +$a->strings["Response from remote site was not understood."] = "Réponse du site distant incomprise."; +$a->strings["Unexpected response from remote site: "] = "Réponse inattendue du site distant: "; +$a->strings["Confirmation completed successfully."] = "Confirmation achevée avec succès."; +$a->strings["Remote site reported: "] = "Alerte du site distant: "; +$a->strings["Temporary failure. Please wait and try again."] = "Échec temporaire. Merci de recommencer ultérieurement."; +$a->strings["Introduction failed or was revoked."] = "Introduction échouée ou annulée."; +$a->strings["Unable to set contact photo."] = "Impossible de définir la photo du contact."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s est désormais lié à %2\$s"; +$a->strings["No user record found for '%s' "] = "Pas d'utilisateur trouvé pour '%s' "; +$a->strings["Our site encryption key is apparently messed up."] = "Notre clé de chiffrement de site est apparemment corrompue."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "URL de site absente ou indéchiffrable."; +$a->strings["Contact record was not found for you on our site."] = "Pas d'entrée pour ce contact sur notre site."; +$a->strings["Site public key not available in contact record for URL %s."] = "La clé publique du site ne se trouve pas dans l'enregistrement du contact pour l'URL %s."; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'identifiant fourni par votre système fait doublon sur le notre. Cela peut fonctionner si vous réessayez."; +$a->strings["Unable to set your contact credentials on our system."] = "Impossible de vous définir des permissions sur notre système."; +$a->strings["Unable to update your contact profile details on our system"] = "Impossible de mettre les détails de votre profil à jour sur notre système"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s a rejoint %2\$s"; +$a->strings["Event title and start time are required."] = "Vous devez donner un nom et un horaire de début à l'événement."; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Editer l'événement"; +$a->strings["link to source"] = "lien original"; +$a->strings["Events"] = "Événements"; +$a->strings["Create New Event"] = "Créer un nouvel événement"; +$a->strings["Previous"] = "Précédent"; +$a->strings["Next"] = "Suivant"; +$a->strings["hour:minute"] = "heures:minutes"; +$a->strings["Event details"] = "Détails de l'événement"; +$a->strings["Format is %s %s. Starting date and Title are required."] = "Le format est %s %s. La date de début et le nom sont nécessaires."; +$a->strings["Event Starts:"] = "Début de l'événement:"; +$a->strings["Required"] = "Requis"; +$a->strings["Finish date/time is not known or not relevant"] = "Date/heure de fin inconnue ou sans objet"; +$a->strings["Event Finishes:"] = "Fin de l'événement:"; +$a->strings["Adjust for viewer timezone"] = "Ajuster à la zone horaire du visiteur"; +$a->strings["Description:"] = "Description:"; +$a->strings["Location:"] = "Localisation:"; +$a->strings["Title:"] = "Titre :"; +$a->strings["Share this event"] = "Partager cet événement"; +$a->strings["Photos"] = "Photos"; +$a->strings["Files"] = "Fichiers"; +$a->strings["Welcome to %s"] = "Bienvenue sur %s"; +$a->strings["Remote privacy information not available."] = "Informations de confidentialité indisponibles."; +$a->strings["Visible to:"] = "Visible par:"; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Nombre de messages de mur quotidiens pour %s dépassé. Échec du message."; +$a->strings["Unable to check your home location."] = "Impossible de vérifier votre localisation."; +$a->strings["No recipient."] = "Pas de destinataire."; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Si vous souhaitez que %s réponde, merci de vérifier vos réglages pour autoriser les messages privés venant d'inconnus."; +$a->strings["Visit %s's profile [%s]"] = "Visiter le profil de %s [%s]"; +$a->strings["Edit contact"] = "Éditer le contact"; +$a->strings["Contacts who are not members of a group"] = "Contacts qui n’appartiennent à aucun groupe"; $a->strings["This is Friendica, version"] = "Motorisé par Friendica version"; $a->strings["running at web location"] = "hébergé sur"; $a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Merci de vous rendre sur Friendica.com si vous souhaitez en savoir plus sur le projet Friendica."; @@ -1346,10 +511,24 @@ $a->strings["Bug reports and issues: please visit"] = "Pour les rapports de bugs $a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggestions, remerciements, donations, etc. - écrivez à \"Info\" arob. Friendica - point com"; $a->strings["Installed plugins/addons/apps:"] = "Extensions/greffons/applications installées:"; $a->strings["No installed plugins/addons/apps"] = "Extensions/greffons/applications non installées:"; -$a->strings["Applications"] = "Applications"; -$a->strings["No installed applications."] = "Pas d'application installée."; +$a->strings["Remove My Account"] = "Supprimer mon compte"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Ceci supprimera totalement votre compte. Cette opération est irréversible."; +$a->strings["Please enter your password for verification:"] = "Merci de saisir votre mot de passe pour vérification:"; +$a->strings["Image exceeds size limit of %d"] = "L'image dépasse la taille limite de %d"; +$a->strings["Unable to process image."] = "Impossible de traiter l'image."; +$a->strings["Wall Photos"] = "Photos du mur"; +$a->strings["Image upload failed."] = "Le téléversement de l'image a échoué."; +$a->strings["Authorize application connection"] = "Autoriser l'application à se connecter"; +$a->strings["Return to your app and insert this Securty Code:"] = "Retournez à votre application et saisissez ce Code de Sécurité : "; +$a->strings["Please login to continue."] = "Merci de vous connecter pour continuer."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Voulez-vous autoriser cette application à accéder à vos publications et contacts, et/ou à créer des billets à votre place?"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s a étiqueté %3\$s de %2\$s avec %4\$s"; +$a->strings["Photo Albums"] = "Albums photo"; +$a->strings["Contact Photos"] = "Photos du contact"; $a->strings["Upload New Photos"] = "Téléverser de nouvelles photos"; +$a->strings["everybody"] = "tout le monde"; $a->strings["Contact information unavailable"] = "Informations de contact indisponibles"; +$a->strings["Profile Photos"] = "Photos du profil"; $a->strings["Album not found."] = "Album introuvable."; $a->strings["Delete Album"] = "Effacer l'album"; $a->strings["Do you really want to delete this photo album and all its photos?"] = "Voulez-vous vraiment supprimer cet album photo et toutes ses photos ?"; @@ -1360,12 +539,15 @@ $a->strings["a photo"] = "une photo"; $a->strings["Image exceeds size limit of "] = "L'image dépasse la taille maximale de "; $a->strings["Image file is empty."] = "Fichier image vide."; $a->strings["No photos selected"] = "Aucune photo sélectionnée"; +$a->strings["Access to this item is restricted."] = "Accès restreint à cet élément."; $a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Vous avez utilisé %1$.2f Mo sur %2$.2f d'espace de stockage pour les photos."; $a->strings["Upload Photos"] = "Téléverser des photos"; $a->strings["New album name: "] = "Nom du nouvel album: "; $a->strings["or existing album name: "] = "ou nom d'un album existant: "; $a->strings["Do not show a status post for this upload"] = "Ne pas publier de notice de statut pour cet envoi"; $a->strings["Permissions"] = "Permissions"; +$a->strings["Show to Groups"] = "Montrer aux groupes"; +$a->strings["Show to Contacts"] = "Montrer aux Contacts"; $a->strings["Private Photo"] = "Photo privée"; $a->strings["Public Photo"] = "Photo publique"; $a->strings["Edit Album"] = "Éditer l'album"; @@ -1388,7 +570,137 @@ $a->strings["Add a Tag"] = "Ajouter une étiquette"; $a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Exemples: @bob, @Barbara_Jensen, @jim@example.com, #Californie, #vacances"; $a->strings["Private photo"] = "Photo privée"; $a->strings["Public photo"] = "Photo publique"; +$a->strings["Share"] = "Partager"; +$a->strings["View Album"] = "Voir l'album"; $a->strings["Recent Photos"] = "Photos récentes"; +$a->strings["No profile"] = "Aucun profil"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Inscription réussie. Vérifiez vos emails pour la suite des 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["Your registration can not be processed."] = "Votre inscription ne peut être traitée."; +$a->strings["Your registration is pending approval by the site owner."] = "Votre inscription attend une validation du propriétaire du site."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Le nombre d'inscriptions quotidiennes pour ce site a été dépassé. Merci de réessayer demain."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Vous pouvez (si vous le souhaitez) remplir ce formulaire via OpenID. Fournissez votre OpenID et cliquez \"S'inscrire\"."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Si vous n'êtes pas familier avec OpenID, laissez ce champ vide et remplissez le reste."; +$a->strings["Your OpenID (optional): "] = "Votre OpenID (facultatif): "; +$a->strings["Include your profile in member directory?"] = "Inclure votre profil dans l'annuaire des membres?"; +$a->strings["Membership on this site is by invitation only."] = "L'inscription à ce site se fait uniquement sur invitation."; +$a->strings["Your invitation ID: "] = "Votre ID d'invitation: "; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Votre nom complet (p.ex. Michel Dupont): "; +$a->strings["Your Email Address: "] = "Votre adresse courriel: "; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Choisissez un pseudo. Celui devra commencer par une lettre. L'adresse de votre profil en découlera sous la forme '<strong>pseudo@\$sitename</strong>'."; +$a->strings["Choose a nickname: "] = "Choisir un pseudo: "; +$a->strings["Register"] = "S'inscrire"; +$a->strings["Import"] = "Importer"; +$a->strings["Import your profile to this friendica instance"] = "Importer votre profile dans cette instance de friendica"; +$a->strings["No valid account found."] = "Impossible de trouver un compte valide."; +$a->strings["Password reset request issued. Check your email."] = "Réinitialisation du mot de passe en cours. Vérifiez votre courriel."; +$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"] = "Requête de réinitialisation de mot de passe à %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Impossible d'honorer cette demande. (Vous l'avez peut-être déjà utilisée par le passé.) La réinitialisation a échoué."; +$a->strings["Password Reset"] = "Réinitialiser le mot de passe"; +$a->strings["Your password has been reset as requested."] = "Votre mot de passe a bien été réinitialisé."; +$a->strings["Your new password is"] = "Votre nouveau mot de passe est "; +$a->strings["Save or copy your new password - and then"] = "Sauvez ou copiez ce nouveau mot de passe - puis"; +$a->strings["click here to login"] = "cliquez ici pour vous connecter"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Votre mot de passe peut être changé depuis la page <em>Réglages</em>, une fois que vous serez connecté."; +$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"] = "Votre mot de passe a été modifié à %s"; +$a->strings["Forgot your Password?"] = "Mot de passe oublié?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Entrez votre adresse de courriel et validez pour réinitialiser votre mot de passe. Vous recevrez la suite des instructions par courriel."; +$a->strings["Nickname or Email: "] = "Pseudo ou Courriel: "; +$a->strings["Reset"] = "Réinitialiser"; +$a->strings["System down for maintenance"] = "Système indisponible pour cause de maintenance"; +$a->strings["Item not available."] = "Elément non disponible."; +$a->strings["Item was not found."] = "Element introuvable."; +$a->strings["Applications"] = "Applications"; +$a->strings["No installed applications."] = "Pas d'application installée."; +$a->strings["Help:"] = "Aide:"; +$a->strings["Help"] = "Aide"; +$a->strings["%d contact edited."] = array( + 0 => "%d contact édité", + 1 => "%d contacts édités.", +); +$a->strings["Could not access contact record."] = "Impossible d'accéder à l'enregistrement du contact."; +$a->strings["Could not locate selected profile."] = "Impossible de localiser le profil séléctionné."; +$a->strings["Contact updated."] = "Contact mis-à-jour."; +$a->strings["Contact has been blocked"] = "Le contact a été bloqué"; +$a->strings["Contact has been unblocked"] = "Le contact n'est plus bloqué"; +$a->strings["Contact has been ignored"] = "Le contact a été ignoré"; +$a->strings["Contact has been unignored"] = "Le contact n'est plus ignoré"; +$a->strings["Contact has been archived"] = "Contact archivé"; +$a->strings["Contact has been unarchived"] = "Contact désarchivé"; +$a->strings["Do you really want to delete this contact?"] = "Voulez-vous vraiment supprimer ce contact?"; +$a->strings["Contact has been removed."] = "Ce contact a été retiré."; +$a->strings["You are mutual friends with %s"] = "Vous êtes ami (et réciproquement) avec %s"; +$a->strings["You are sharing with %s"] = "Vous partagez avec %s"; +$a->strings["%s is sharing with you"] = "%s partage avec vous"; +$a->strings["Private communications are not available for this contact."] = "Les communications privées ne sont pas disponibles pour ce contact."; +$a->strings["(Update was successful)"] = "(Mise à jour effectuée avec succès)"; +$a->strings["(Update was not successful)"] = "(Mise à jour échouée)"; +$a->strings["Suggest friends"] = "Suggérer amitié/contact"; +$a->strings["Network type: %s"] = "Type de réseau %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d contact en commun", + 1 => "%d contacts en commun", +); +$a->strings["View all contacts"] = "Voir tous les contacts"; +$a->strings["Toggle Blocked status"] = "(dés)activer l'état \"bloqué\""; +$a->strings["Unignore"] = "Ne plus ignorer"; +$a->strings["Toggle Ignored status"] = "(dés)activer l'état \"ignoré\""; +$a->strings["Unarchive"] = "Désarchiver"; +$a->strings["Archive"] = "Archiver"; +$a->strings["Toggle Archive status"] = "(dés)activer l'état \"archivé\""; +$a->strings["Repair"] = "Réparer"; +$a->strings["Advanced Contact Settings"] = "Réglages avancés du contact"; +$a->strings["Communications lost with this contact!"] = "Communications perdues avec ce contact !"; +$a->strings["Contact Editor"] = "Éditeur de contact"; +$a->strings["Profile Visibility"] = "Visibilité du profil"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Merci de choisir le profil que vous souhaitez montrer à %s lorsqu'il vous rend visite de manière sécurisée."; +$a->strings["Contact Information / Notes"] = "Informations de contact / Notes"; +$a->strings["Edit contact notes"] = "Éditer les notes des contacts"; +$a->strings["Block/Unblock contact"] = "Bloquer/débloquer ce contact"; +$a->strings["Ignore contact"] = "Ignorer ce contact"; +$a->strings["Repair URL settings"] = "Réglages de réparation des URL"; +$a->strings["View conversations"] = "Voir les conversations"; +$a->strings["Delete contact"] = "Effacer ce contact"; +$a->strings["Last update:"] = "Dernière mise-à-jour :"; +$a->strings["Update public posts"] = "Mettre à jour les publications publiques:"; +$a->strings["Currently blocked"] = "Actuellement bloqué"; +$a->strings["Currently ignored"] = "Actuellement ignoré"; +$a->strings["Currently archived"] = "Actuellement archivé"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Les réponses et \"j'aime\" à vos publications publiques peuvent être toujours visibles"; +$a->strings["Notification for new posts"] = "Notification des nouvelles publications"; +$a->strings["Send a notification of every new post of this contact"] = ""; +$a->strings["Fetch further information for feeds"] = ""; +$a->strings["Suggestions"] = "Suggestions"; +$a->strings["Suggest potential friends"] = "Suggérer des amis potentiels"; +$a->strings["All Contacts"] = "Tous les contacts"; +$a->strings["Show all contacts"] = "Montrer tous les contacts"; +$a->strings["Unblocked"] = "Non-bloqués"; +$a->strings["Only show unblocked contacts"] = "Ne montrer que les contacts non-bloqués"; +$a->strings["Blocked"] = "Bloqués"; +$a->strings["Only show blocked contacts"] = "Ne montrer que les contacts bloqués"; +$a->strings["Ignored"] = "Ignorés"; +$a->strings["Only show ignored contacts"] = "Ne montrer que les contacts ignorés"; +$a->strings["Archived"] = "Archivés"; +$a->strings["Only show archived contacts"] = "Ne montrer que les contacts archivés"; +$a->strings["Hidden"] = "Cachés"; +$a->strings["Only show hidden contacts"] = "Ne montrer que les contacts masqués"; +$a->strings["Mutual Friendship"] = "Relation réciproque"; +$a->strings["is a fan of yours"] = "Vous suit"; +$a->strings["you are a fan of"] = "Vous le/la suivez"; +$a->strings["Contacts"] = "Contacts"; +$a->strings["Search your contacts"] = "Rechercher dans vos contacts"; +$a->strings["Finding: "] = "Trouvé: "; +$a->strings["Find"] = "Trouver"; +$a->strings["Update"] = "Mises-à-jour"; +$a->strings["No videos selected"] = "Pas de vidéo sélectionné"; +$a->strings["Recent Videos"] = "Vidéos récente"; +$a->strings["Upload New Videos"] = "Téléversé une nouvelle vidéo"; +$a->strings["Common Friends"] = "Amis communs"; +$a->strings["No contacts in common."] = "Pas de contacts en commun."; $a->strings["Contact added"] = "Contact ajouté"; $a->strings["Move account"] = "Migrer le compte"; $a->strings["You can import an account from another Friendica server."] = "Vous pouvez importer un compte d'un autre serveur Friendica."; @@ -1396,6 +708,53 @@ $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 (statusnet/identi.ca) or from Diaspora"] = "Cette fonctionnalité est expérimentale. Nous ne pouvons importer les contacts des réseaux OStatus (statusnet/identi.ca) ou Diaspora"; $a->strings["Account file"] = "Fichier du compte"; $a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = ""; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s suit les %3\$s de %2\$s"; +$a->strings["Friends of %s"] = "Amis de %s"; +$a->strings["No friends to display."] = "Pas d'amis à afficher."; +$a->strings["Tag removed"] = "Étiquette supprimée"; +$a->strings["Remove Item Tag"] = "Enlever l'étiquette de l'élément"; +$a->strings["Select a tag to remove: "] = "Sélectionner une étiquette à supprimer: "; +$a->strings["Remove"] = "Utiliser comme photo de profil"; +$a->strings["Welcome to Friendica"] = "Bienvenue sur Friendica"; +$a->strings["New Member Checklist"] = "Checklist du nouvel utilisateur"; +$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."] = "Nous souhaiterions vous donner quelques astuces et ressources pour rendre votre expérience la plus agréable possible. Cliquez sur n'importe lequel de ces éléments pour visiter la page correspondante. Un lien vers cette page restera visible sur votre page d'accueil pendant les deux semaines qui suivent votre inscription initiale, puis disparaîtra silencieusement."; +$a->strings["Getting Started"] = "Bien démarrer"; +$a->strings["Friendica Walk-Through"] = "Friendica pas-à-pas"; +$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."] = "Sur votre page d'accueil, dans Conseils aux nouveaux venus - vous trouverez une rapide introduction aux onglets Profil et Réseau, pourrez vous connecter à Facebook, établir de nouvelles relations, et choisir des groupes à rejoindre."; +$a->strings["Go to Your Settings"] = "Éditer vos Réglages"; +$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."] = "Sur la page des Réglages - changez votre mot de passe initial. Notez bien votre Identité. Elle ressemble à une adresse de courriel - et vous sera utile pour vous faire des amis dans le web social libre."; +$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."] = "Vérifiez les autres réglages, tout particulièrement ceux liés à la vie privée. Un profil non listé, c'est un peu comme un numéro sur liste rouge. En général, vous devriez probablement publier votre profil - à moins que tous vos amis (potentiels) sachent déjà comment vous trouver."; +$a->strings["Profile"] = "Profil"; +$a->strings["Upload Profile Photo"] = "Téléverser une photo de profil"; +$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."] = "Téléversez (envoyez) une photo de profil si vous n'en avez pas déjà une. Les études montrent que les gens qui affichent de vraies photos d'eux sont dix fois plus susceptibles de se faire des amis."; +$a->strings["Edit Your Profile"] = "Éditer votre Profil"; +$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."] = "Éditez votre profil par défaut à votre convenance. Vérifiez les réglages concernant la visibilité de votre liste d'amis par les visiteurs inconnus."; +$a->strings["Profile Keywords"] = "Mots-clés du profil"; +$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."] = "Choisissez quelques mots-clé publics pour votre profil par défaut. Ils pourront ainsi décrire vos centres d'intérêt, et nous pourrons vous proposer des contacts qui les partagent."; +$a->strings["Connecting"] = "Connexions"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Activez et paramétrez le connecteur Facebook si vous avez un compte Facebook et nous pourrons (de manière facultative) importer tous vos amis et conversations Facebook."; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Si ceci est votre propre serveur, installer le connecteur Facebook peut adoucir votre transition vers le web social libre."; +$a->strings["Importing Emails"] = "Importer courriels"; +$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"] = "Entrez vos paramètres de courriel dans les Réglages des connecteurs si vous souhaitez importer et interagir avec des amis ou des listes venant de votre Boîte de Réception."; +$a->strings["Go to Your Contacts Page"] = "Consulter vos Contacts"; +$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."] = "Votre page Contacts est le point d'entrée vers la gestion de vos amitiés/relations et la connexion à des amis venant d'autres réseaux. Typiquement, vous pourrez y rentrer leur adresse d'Identité ou l'URL de leur site dans le formulaire Ajouter un nouveau contact."; +$a->strings["Go to Your Site's Directory"] = "Consulter l'Annuaire de votre Site"; +$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."] = "La page Annuaire vous permet de trouver d'autres personnes au sein de ce réseaux ou parmi d'autres sites fédérés. Cherchez un lien Relier ou Suivre sur leur profil. Vous pourrez avoir besoin d'indiquer votre adresse d'identité."; +$a->strings["Finding New People"] = "Trouver de nouvelles personnes"; +$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."] = "Sur le panneau latéral de la page Contacts, il y a plusieurs moyens de trouver de nouveaux amis. Nous pouvons mettre les gens en relation selon leurs intérêts, rechercher des amis par nom ou intérêt, et fournir des suggestions en fonction de la topologie du réseau. Sur un site tout neuf, les suggestions d'amitié devraient commencer à apparaître au bout de 24 heures."; +$a->strings["Groups"] = "Groupes"; +$a->strings["Group Your Contacts"] = "Grouper vos 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."] = "Une fois que vous avez trouvé quelques amis, organisez-les en groupes de conversation privés depuis le panneau latéral de la page Contacts. Vous pourrez ensuite interagir avec chaque groupe de manière privée depuis la page Réseau."; +$a->strings["Why Aren't My Posts Public?"] = "Pourquoi mes éléments ne sont pas publics?"; +$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 respecte votre vie privée. Par défaut, toutes vos publications seront seulement montrés à vos amis. Pour plus d'information, consultez la section \"aide\" du lien ci-dessus."; +$a->strings["Getting Help"] = "Obtenir de l'aide"; +$a->strings["Go to the Help Section"] = "Aller à la section Aide"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Nos pages d'aide peuvent être consultées pour davantage de détails sur les fonctionnalités ou les ressources."; +$a->strings["Remove term"] = "Retirer le terme"; +$a->strings["Saved Searches"] = "Recherches"; +$a->strings["Search"] = "Recherche"; +$a->strings["No results."] = "Aucun résultat."; $a->strings["Total invitation limit exceeded."] = "La limite d'invitation totale est éxédée."; $a->strings["%s : Not a valid email address."] = "%s : Adresse de courriel invalide."; $a->strings["Please join us on Friendica"] = "Rejoignez-nous sur Friendica"; @@ -1416,100 +775,157 @@ $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"] = "Vous devrez fournir ce code d'invitation: \$invite_code"; $a->strings["Once you have registered, please connect with me via my profile page at:"] = "Une fois inscrit, connectez-vous à la page de mon profil sur:"; $a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Pour plus d'information sur le projet Friendica, et pourquoi nous croyons qu'il est important, merci de visiter http://friendica.com"; -$a->strings["Access denied."] = "Accès refusé."; -$a->strings["No valid account found."] = "Impossible de trouver un compte valide."; -$a->strings["Password reset request issued. Check your email."] = "Réinitialisation du mot de passe en cours. Vérifiez votre courriel."; -$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"] = "Requête de réinitialisation de mot de passe à %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Impossible d'honorer cette demande. (Vous l'avez peut-être déjà utilisée par le passé.) La réinitialisation a échoué."; -$a->strings["Your password has been reset as requested."] = "Votre mot de passe a bien été réinitialisé."; -$a->strings["Your new password is"] = "Votre nouveau mot de passe est "; -$a->strings["Save or copy your new password - and then"] = "Sauvez ou copiez ce nouveau mot de passe - puis"; -$a->strings["click here to login"] = "cliquez ici pour vous connecter"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Votre mot de passe peut être changé depuis la page <em>Réglages</em>, une fois que vous serez connecté."; -$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"] = "Votre mot de passe a été modifié à %s"; -$a->strings["Forgot your Password?"] = "Mot de passe oublié?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Entrez votre adresse de courriel et validez pour réinitialiser votre mot de passe. Vous recevrez la suite des instructions par courriel."; -$a->strings["Nickname or Email: "] = "Pseudo ou Courriel: "; -$a->strings["Reset"] = "Réinitialiser"; -$a->strings["Source (bbcode) text:"] = "Texte source (bbcode) :"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Texte source (Diaspora) à convertir en BBcode :"; -$a->strings["Source input: "] = "Source input: "; -$a->strings["bb2html (raw HTML): "] = "bb2html (HTML brut)"; -$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): "] = "Texte source (format Diaspora) :"; -$a->strings["diaspora2bb: "] = "diaspora2bb :"; -$a->strings["Tag removed"] = "Étiquette supprimée"; -$a->strings["Remove Item Tag"] = "Enlever l'étiquette de l'élément"; -$a->strings["Select a tag to remove: "] = "Sélectionner une étiquette à supprimer: "; -$a->strings["Remove My Account"] = "Supprimer mon compte"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Ceci supprimera totalement votre compte. Cette opération est irréversible."; -$a->strings["Please enter your password for verification:"] = "Merci de saisir votre mot de passe pour vérification:"; -$a->strings["Invalid profile identifier."] = "Identifiant de profil invalide."; -$a->strings["Profile Visibility Editor"] = "Éditer la visibilité du profil"; -$a->strings["Visible To"] = "Visible par"; -$a->strings["All Contacts (with secure profile access)"] = "Tous les contacts (ayant un accès sécurisé)"; -$a->strings["Profile Match"] = "Correpondance de profils"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Aucun mot-clé en correspondance. Merci d'ajouter des mots-clés à votre profil par défaut."; -$a->strings["is interested in:"] = "s'intéresse à:"; -$a->strings["Event title and start time are required."] = "Vous devez donner un nom et un horaire de début à l'événement."; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Editer l'événement"; -$a->strings["Create New Event"] = "Créer un nouvel événement"; -$a->strings["Previous"] = "Précédent"; -$a->strings["Next"] = "Suivant"; -$a->strings["hour:minute"] = "heures:minutes"; -$a->strings["Event details"] = "Détails de l'événement"; -$a->strings["Format is %s %s. Starting date and Title are required."] = "Le format est %s %s. La date de début et le nom sont nécessaires."; -$a->strings["Event Starts:"] = "Début de l'événement:"; -$a->strings["Required"] = "Requis"; -$a->strings["Finish date/time is not known or not relevant"] = "Date/heure de fin inconnue ou sans objet"; -$a->strings["Event Finishes:"] = "Fin de l'événement:"; -$a->strings["Adjust for viewer timezone"] = "Ajuster à la zone horaire du visiteur"; -$a->strings["Description:"] = "Description:"; -$a->strings["Title:"] = "Titre :"; -$a->strings["Share this event"] = "Partager cet événement"; -$a->strings["{0} wants to be your friend"] = "{0} souhaite être votre ami(e)"; -$a->strings["{0} sent you a message"] = "{0} vous a envoyé un message"; -$a->strings["{0} requested registration"] = "{0} a demandé à s'inscrire"; -$a->strings["{0} commented %s's post"] = "{0} a commenté la publication de %s"; -$a->strings["{0} liked %s's post"] = "{0} a aimé la publication de %s"; -$a->strings["{0} disliked %s's post"] = "{0} n'a pas aimé la publication de %s"; -$a->strings["{0} is now friends with %s"] = "{0} est désormais ami(e) avec %s"; -$a->strings["{0} posted"] = "{0} a publié"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} a étiqueté la publication de %s avec #%s"; -$a->strings["{0} mentioned you in a post"] = "{0} vous a mentionné dans une publication"; -$a->strings["Mood"] = "Humeur"; -$a->strings["Set your current mood and tell your friends"] = "Spécifiez votre humeur du moment, et informez vos amis"; -$a->strings["No results."] = "Aucun résultat."; -$a->strings["Unable to locate contact information."] = "Impossible de localiser les informations du contact."; -$a->strings["Do you really want to delete this message?"] = "Voulez-vous vraiment supprimer ce message ?"; -$a->strings["Message deleted."] = "Message supprimé."; -$a->strings["Conversation removed."] = "Conversation supprimée."; -$a->strings["No messages."] = "Aucun message."; -$a->strings["Unknown sender - %s"] = "Émetteur inconnu - %s"; -$a->strings["You and %s"] = "Vous et %s"; -$a->strings["%s and You"] = "%s et vous"; -$a->strings["Delete conversation"] = "Effacer conversation"; -$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; -$a->strings["%d message"] = array( - 0 => "%d message", - 1 => "%d messages", -); -$a->strings["Message not available."] = "Message indisponible."; -$a->strings["Delete message"] = "Effacer message"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Pas de communications sécurisées possibles. Vous serez peut-être en mesure de répondre depuis la page de profil de l'émetteur."; -$a->strings["Send Reply"] = "Répondre"; -$a->strings["Not available."] = "Indisponible."; -$a->strings["Profile not found."] = "Profil introuvable."; +$a->strings["Additional features"] = "Fonctions supplémentaires"; +$a->strings["Display"] = "Afficher"; +$a->strings["Social Networks"] = "Réseaux sociaux"; +$a->strings["Delegations"] = "Délégations"; +$a->strings["Connected apps"] = "Applications connectées"; +$a->strings["Export personal data"] = "Exporter"; +$a->strings["Remove account"] = "Supprimer le compte"; +$a->strings["Missing some important data!"] = "Il manque certaines informations importantes!"; +$a->strings["Failed to connect with email account using the settings provided."] = "Impossible de se connecter au compte courriel configuré."; +$a->strings["Email settings updated."] = "Réglages de courriel mis-à-jour."; +$a->strings["Features updated"] = "Fonctionnalités mises à jour"; +$a->strings["Relocate message has been send to your contacts"] = ""; +$a->strings["Passwords do not match. Password unchanged."] = "Les mots de passe ne correspondent pas. Aucun changement appliqué."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Les mots de passe vides sont interdits. Aucun changement appliqué."; +$a->strings["Wrong password."] = "Mauvais mot de passe."; +$a->strings["Password changed."] = "Mots de passe changés."; +$a->strings["Password update failed. Please try again."] = "Le changement de mot de passe a échoué. Merci de recommencer."; +$a->strings[" Please use a shorter name."] = " Merci d'utiliser un nom plus court."; +$a->strings[" Name too short."] = " Nom trop court."; +$a->strings["Wrong Password"] = "Mauvais mot de passe"; +$a->strings[" Not valid email."] = " Email invalide."; +$a->strings[" Cannot change to that email."] = " Impossible de changer pour cet email."; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Ce forum privé n'a pas de paramètres de vie privée. Utilisation des paramètres de confidentialité par défaut."; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Ce forum privé n'a pas de paramètres de vie privée ni de paramètres de confidentialité par défaut."; +$a->strings["Settings updated."] = "Réglages mis à jour."; +$a->strings["Add application"] = "Ajouter une application"; +$a->strings["Consumer Key"] = "Clé utilisateur"; +$a->strings["Consumer Secret"] = "Secret utilisateur"; +$a->strings["Redirect"] = "Rediriger"; +$a->strings["Icon url"] = "URL de l'icône"; +$a->strings["You can't edit this application."] = "Vous ne pouvez pas éditer cette application."; +$a->strings["Connected Apps"] = "Applications connectées"; +$a->strings["Client key starts with"] = "La clé cliente commence par"; +$a->strings["No name"] = "Sans nom"; +$a->strings["Remove authorization"] = "Révoquer l'autorisation"; +$a->strings["No Plugin settings configured"] = "Pas de réglages d'extensions configurés"; +$a->strings["Plugin Settings"] = "Extensions"; +$a->strings["Off"] = "Éteint"; +$a->strings["On"] = "Allumé"; +$a->strings["Additional Features"] = "Fonctions supplémentaires"; +$a->strings["Built-in support for %s connectivity is %s"] = "Le support natif pour la connectivité %s est %s"; +$a->strings["enabled"] = "activé"; +$a->strings["disabled"] = "désactivé"; +$a->strings["StatusNet"] = "StatusNet"; +$a->strings["Email access is disabled on this site."] = "L'accès courriel est désactivé sur ce site."; +$a->strings["Email/Mailbox Setup"] = "Réglages de courriel/boîte à lettre"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Si vous souhaitez communiquer avec vos contacts \"courriel\" (facultatif), merci de nous indiquer comment vous connecter à votre boîte."; +$a->strings["Last successful email check:"] = "Dernière vérification réussie des courriels:"; +$a->strings["IMAP server name:"] = "Nom du serveur IMAP:"; +$a->strings["IMAP port:"] = "Port IMAP:"; +$a->strings["Security:"] = "Sécurité:"; +$a->strings["None"] = "Aucun(e)"; +$a->strings["Email login name:"] = "Nom de connexion:"; +$a->strings["Email password:"] = "Mot de passe:"; +$a->strings["Reply-to address:"] = "Adresse de réponse:"; +$a->strings["Send public posts to all email contacts:"] = "Envoyer les publications publiques à tous les contacts courriels:"; +$a->strings["Action after import:"] = "Action après import:"; +$a->strings["Mark as seen"] = "Marquer comme vu"; +$a->strings["Move to folder"] = "Déplacer vers"; +$a->strings["Move to folder:"] = "Déplacer vers:"; +$a->strings["Display Settings"] = "Affichage"; +$a->strings["Display Theme:"] = "Thème d'affichage:"; +$a->strings["Mobile Theme:"] = "Thème mobile:"; +$a->strings["Update browser every xx seconds"] = "Mettre-à-jour l'affichage toutes les xx secondes"; +$a->strings["Minimum of 10 seconds, no maximum"] = "Délai minimum de 10 secondes, pas de maximum"; +$a->strings["Number of items to display per page:"] = "Nombre d’éléments par page:"; +$a->strings["Maximum of 100 items"] = "Maximum de 100 éléments"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = "Nombre d'éléments a afficher par page pour un appareil mobile"; +$a->strings["Don't show emoticons"] = "Ne pas afficher les émoticônes (smileys grahiques)"; +$a->strings["Don't show notices"] = ""; +$a->strings["Infinite scroll"] = ""; +$a->strings["Automatic updates only at the top of the network page"] = ""; +$a->strings["User Types"] = ""; +$a->strings["Community Types"] = ""; +$a->strings["Normal Account Page"] = "Compte normal"; +$a->strings["This account is a normal personal profile"] = "Ce compte correspond à un profil normal, pour une seule personne (physique, généralement)"; +$a->strings["Soapbox Page"] = "Compte \"boîte à savon\""; +$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des fans 'en lecture seule'"; +$a->strings["Community Forum/Celebrity Account"] = "Compte de communauté/célébrité"; +$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des fans en 'lecture/écriture'"; +$a->strings["Automatic Friend Page"] = "Compte d'\"amitié automatique\""; +$a->strings["Automatically approve all connection/friend requests as friends"] = "Accepter automatiquement toutes les demandes d'amitié/connexion comme étant des amis"; +$a->strings["Private Forum [Experimental]"] = "Forum privé [expérimental]"; +$a->strings["Private forum - approved members only"] = "Forum privé - modéré en inscription"; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = "&nbsp;(Facultatif) Autoriser cet OpenID à se connecter à ce compte."; +$a->strings["Publish your default profile in your local site directory?"] = "Publier votre profil par défaut sur l'annuaire local de ce site?"; +$a->strings["Publish your default profile in the global social directory?"] = "Publier votre profil par défaut sur l'annuaire social global?"; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Cacher votre liste de contacts/amis des visiteurs de votre profil par défaut?"; +$a->strings["Hide your profile details from unknown viewers?"] = "Cacher les détails du profil aux visiteurs inconnus?"; +$a->strings["Allow friends to post to your profile page?"] = "Autoriser vos amis à publier sur votre profil?"; +$a->strings["Allow friends to tag your posts?"] = "Autoriser vos amis à étiqueter vos publications?"; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Autoriser les suggestions d'amis potentiels aux nouveaux arrivants?"; +$a->strings["Permit unknown people to send you private mail?"] = "Autoriser les messages privés d'inconnus?"; +$a->strings["Profile is not published."] = "Ce profil n'est pas publié."; +$a->strings["or"] = "ou"; +$a->strings["Your Identity Address is"] = "L'adresse de votre identité est"; +$a->strings["Automatically expire posts after this many days:"] = "Les publications expirent automatiquement après (en jours) :"; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Si ce champ est vide, les publications n'expireront pas. Les publications expirées seront supprimées"; +$a->strings["Advanced expiration settings"] = "Réglages avancés de l'expiration"; +$a->strings["Advanced Expiration"] = "Expiration (avancé)"; +$a->strings["Expire posts:"] = "Faire expirer les publications:"; +$a->strings["Expire personal notes:"] = "Faire expirer les notes personnelles:"; +$a->strings["Expire starred posts:"] = "Faire expirer les publications marqués:"; +$a->strings["Expire photos:"] = "Faire expirer les photos:"; +$a->strings["Only expire posts by others:"] = "Faire expirer seulement les publications des autres:"; +$a->strings["Account Settings"] = "Compte"; +$a->strings["Password Settings"] = "Réglages de mot de passe"; +$a->strings["New Password:"] = "Nouveau mot de passe:"; +$a->strings["Confirm:"] = "Confirmer:"; +$a->strings["Leave password fields blank unless changing"] = "Laissez les champs de mot de passe vierges, sauf si vous désirez les changer"; +$a->strings["Current Password:"] = "Mot de passe actuel:"; +$a->strings["Your current password to confirm the changes"] = "Votre mot de passe actuel pour confirmer les modifications"; +$a->strings["Password:"] = "Mot de passe:"; +$a->strings["Basic Settings"] = "Réglages basiques"; +$a->strings["Full Name:"] = "Nom complet:"; +$a->strings["Email Address:"] = "Adresse courriel:"; +$a->strings["Your Timezone:"] = "Votre fuseau horaire:"; +$a->strings["Default Post Location:"] = "Emplacement de publication par défaut:"; +$a->strings["Use Browser Location:"] = "Utiliser la localisation géographique du navigateur:"; +$a->strings["Security and Privacy Settings"] = "Réglages de sécurité et vie privée"; +$a->strings["Maximum Friend Requests/Day:"] = "Nombre maximal de requêtes d'amitié/jour:"; +$a->strings["(to prevent spam abuse)"] = "(pour limiter l'impact du spam)"; +$a->strings["Default Post Permissions"] = "Permissions de publication par défaut"; +$a->strings["(click to open/close)"] = "(cliquer pour ouvrir/fermer)"; +$a->strings["Default Private Post"] = "Message privé par défaut"; +$a->strings["Default Public Post"] = "Message publique par défaut"; +$a->strings["Default Permissions for New Posts"] = "Permissions par défaut pour les nouvelles publications"; +$a->strings["Maximum private messages per day from unknown people:"] = "Maximum de messages privés d'inconnus par jour:"; +$a->strings["Notification Settings"] = "Réglages de notification"; +$a->strings["By default post a status message when:"] = "Par défaut, poster un statut quand:"; +$a->strings["accepting a friend request"] = "j'accepte un ami"; +$a->strings["joining a forum/community"] = "joignant un forum/une communauté"; +$a->strings["making an interesting profile change"] = "je fais une modification intéressante de mon profil"; +$a->strings["Send a notification email when:"] = "Envoyer un courriel de notification quand:"; +$a->strings["You receive an introduction"] = "Vous recevez une introduction"; +$a->strings["Your introductions are confirmed"] = "Vos introductions sont confirmées"; +$a->strings["Someone writes on your profile wall"] = "Quelqu'un écrit sur votre mur"; +$a->strings["Someone writes a followup comment"] = "Quelqu'un vous commente"; +$a->strings["You receive a private message"] = "Vous recevez un message privé"; +$a->strings["You receive a friend suggestion"] = "Vous avez reçu une suggestion d'ami"; +$a->strings["You are tagged in a post"] = "Vous avez été étiquetté dans une publication"; +$a->strings["You are poked/prodded/etc. in a post"] = "Vous avez été sollicité dans une publication"; +$a->strings["Advanced Account/Page Type Settings"] = "Paramètres avancés de compte/page"; +$a->strings["Change the behaviour of this account for special situations"] = "Modifier le comportement de ce compte dans certaines 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["Item has been removed."] = "Cet élément a été enlevé."; +$a->strings["People Search"] = "Recherche de personnes"; +$a->strings["No matches"] = "Aucune correspondance"; $a->strings["Profile deleted."] = "Profil supprimé."; $a->strings["Profile-"] = "Profil-"; $a->strings["New profile created."] = "Nouveau profil créé."; @@ -1547,7 +963,6 @@ $a->strings["Profile picture"] = ""; $a->strings["Preferences"] = ""; $a->strings["Status information"] = ""; $a->strings["Additional information"] = ""; -$a->strings["Upload Profile Photo"] = "Téléverser une photo de profil"; $a->strings["Profile Name:"] = "Nom du profil:"; $a->strings["Your Full Name:"] = "Votre nom complet:"; $a->strings["Title/Description:"] = "Titre/Description:"; @@ -1562,10 +977,15 @@ $a->strings[" Marital Status:"] = "strings["Who: (if applicable)"] = "Qui: (si pertinent)"; $a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Exemples: cathy123, Cathy Williams, cathy@example.com"; $a->strings["Since [date]:"] = "Depuis [date] :"; +$a->strings["Sexual Preference:"] = "Préférence sexuelle:"; $a->strings["Homepage URL:"] = "Page personnelle:"; +$a->strings["Hometown:"] = " Ville d'origine:"; +$a->strings["Political Views:"] = "Opinions politiques:"; $a->strings["Religious Views:"] = "Opinions religieuses:"; $a->strings["Public Keywords:"] = "Mots-clés publics:"; $a->strings["Private Keywords:"] = "Mots-clés privés:"; +$a->strings["Likes:"] = "J'aime :"; +$a->strings["Dislikes:"] = "Je n'aime pas :"; $a->strings["Example: fishing photography software"] = "Exemple: football dessin programmation"; $a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Utilisés pour vous suggérer des amis potentiels, peuvent être vus par autrui)"; $a->strings["(Used for searching profiles, never shown to others)"] = "(Utilisés pour rechercher dans les profils, ne seront jamais montrés à autrui)"; @@ -1582,6 +1002,97 @@ $a->strings["School/education"] = "Études/Formation"; $a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Ceci est votre profil public.
Il peut être visible par n'importe quel utilisateur d'Internet."; $a->strings["Age: "] = "Age: "; $a->strings["Edit/Manage Profiles"] = "Editer/gérer les profils"; +$a->strings["Change profile photo"] = "Changer de photo de profil"; +$a->strings["Create New Profile"] = "Créer un nouveau profil"; +$a->strings["Profile Image"] = "Image du profil"; +$a->strings["visible to everybody"] = "visible par tous"; +$a->strings["Edit visibility"] = "Changer la visibilité"; +$a->strings["link"] = "lien"; +$a->strings["Export account"] = "Exporter le compte"; +$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."] = "Exportez votre compte, vos infos et vos contacts. Vous pourrez utiliser le résultat comme sauvegarde et/ou pour le ré-importer sur un autre serveur."; +$a->strings["Export all"] = "Tout exporter"; +$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)"] = "Exportez votre compte, vos infos, vos contacts et toutes vos publications (en JSON). Le fichier résultant peut être extrêmement volumineux, et sa production peut durer longtemps. Vous pourrez l'utiliser pour faire une sauvegarde complète (à part les photos)."; +$a->strings["{0} wants to be your friend"] = "{0} souhaite être votre ami(e)"; +$a->strings["{0} sent you a message"] = "{0} vous a envoyé un message"; +$a->strings["{0} requested registration"] = "{0} a demandé à s'inscrire"; +$a->strings["{0} commented %s's post"] = "{0} a commenté la publication de %s"; +$a->strings["{0} liked %s's post"] = "{0} a aimé la publication de %s"; +$a->strings["{0} disliked %s's post"] = "{0} n'a pas aimé la publication de %s"; +$a->strings["{0} is now friends with %s"] = "{0} est désormais ami(e) avec %s"; +$a->strings["{0} posted"] = "{0} a publié"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} a étiqueté la publication de %s avec #%s"; +$a->strings["{0} mentioned you in a post"] = "{0} vous a mentionné dans une publication"; +$a->strings["Nothing new here"] = "Rien de neuf ici"; +$a->strings["Clear notifications"] = "Effacer les notifications"; +$a->strings["Not available."] = "Indisponible."; +$a->strings["Community"] = "Communauté"; +$a->strings["Save to Folder:"] = "Sauver dans le Dossier:"; +$a->strings["- select -"] = "- choisir -"; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Désolé, il semble que votre fichier est plus important que ce que la configuration de PHP autorise"; +$a->strings["Or - did you try to upload an empty file?"] = ""; +$a->strings["File exceeds size limit of %d"] = "La taille du fichier dépasse la limite de %d"; +$a->strings["File upload failed."] = "Le téléversement a échoué."; +$a->strings["Invalid profile identifier."] = "Identifiant de profil invalide."; +$a->strings["Profile Visibility Editor"] = "Éditer la visibilité du profil"; +$a->strings["Click on a contact to add or remove."] = "Cliquez sur un contact pour l'ajouter ou le supprimer."; +$a->strings["Visible To"] = "Visible par"; +$a->strings["All Contacts (with secure profile access)"] = "Tous les contacts (ayant un accès sécurisé)"; +$a->strings["Do you really want to delete this suggestion?"] = "Voulez-vous vraiment supprimer cette suggestion ?"; +$a->strings["Friend Suggestions"] = "Suggestions d'amitiés/contacts"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Aucune suggestion. Si ce site est récent, merci de recommencer dans 24h."; +$a->strings["Connect"] = "Relier"; +$a->strings["Ignore/Hide"] = "Ignorer/cacher"; +$a->strings["Access denied."] = "Accès refusé."; +$a->strings["%1\$s welcomes %2\$s"] = "%1\$s accueille %2\$s"; +$a->strings["Manage Identities and/or Pages"] = "Gérer les identités et/ou les pages"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Basculez entre les différentes identités ou pages (groupes/communautés) qui se partagent votre compte ou que vous avez été autorisé à gérer."; +$a->strings["Select an identity to manage: "] = "Choisir une identité à gérer: "; +$a->strings["No potential page delegates located."] = "Pas de délégataire potentiel."; +$a->strings["Delegate Page Management"] = "Déléguer la gestion de la page"; +$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."] = "Les délégataires seront capables de gérer tous les aspects de ce compte ou de cette page, à l'exception des réglages de compte. Merci de ne pas déléguer votre compte principal à quelqu'un en qui vous n'avez pas une confiance absolue."; +$a->strings["Existing Page Managers"] = "Gestionnaires existants"; +$a->strings["Existing Page Delegates"] = "Délégataires existants"; +$a->strings["Potential Delegates"] = "Délégataires potentiels"; +$a->strings["Add"] = "Ajouter"; +$a->strings["No entries."] = "Aucune entrée."; +$a->strings["No contacts."] = "Aucun contact."; +$a->strings["View Contacts"] = "Voir les contacts"; +$a->strings["Personal Notes"] = "Notes personnelles"; +$a->strings["Poke/Prod"] = "Solliciter"; +$a->strings["poke, prod or do other things to somebody"] = "solliciter (poke/...) quelqu'un"; +$a->strings["Recipient"] = "Destinataire"; +$a->strings["Choose what you wish to do to recipient"] = "Choisissez ce que vous voulez faire au destinataire"; +$a->strings["Make this post private"] = "Rendez ce message privé"; +$a->strings["Global Directory"] = "Annuaire global"; +$a->strings["Find on this site"] = "Trouver sur ce site"; +$a->strings["Site Directory"] = "Annuaire local"; +$a->strings["Gender: "] = "Genre: "; +$a->strings["Gender:"] = "Genre:"; +$a->strings["Status:"] = "Statut:"; +$a->strings["Homepage:"] = "Page personnelle:"; +$a->strings["About:"] = "À propos:"; +$a->strings["No entries (some entries may be hidden)."] = "Aucune entrée (certaines peuvent être cachées)."; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["Time Conversion"] = "Conversion temporelle"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica fournit ce service pour partager des événements avec d'autres réseaux et amis indépendament de leur fuseau horaire."; +$a->strings["UTC time: %s"] = "Temps UTC : %s"; +$a->strings["Current timezone: %s"] = "Zone de temps courante : %s"; +$a->strings["Converted localtime: %s"] = "Temps local converti : %s"; +$a->strings["Please select your timezone:"] = "Sélectionner votre zone :"; +$a->strings["Post successful."] = "Publication réussie."; +$a->strings["Image uploaded but image cropping failed."] = "Image envoyée, mais impossible de la retailler."; +$a->strings["Image size reduction [%s] failed."] = "Réduction de la taille de l'image [%s] échouée."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Rechargez la page avec la touche Maj pressée, ou bien effacez le cache du navigateur, si d'aventure la nouvelle photo n'apparaissait pas immédiatement."; +$a->strings["Unable to process image"] = "Impossible de traiter l'image"; +$a->strings["Upload File:"] = "Fichier à téléverser:"; +$a->strings["Select a profile:"] = "Choisir un profil:"; +$a->strings["Upload"] = "Téléverser"; +$a->strings["skip this step"] = "ignorer cette étape"; +$a->strings["select a photo from your photo albums"] = "choisissez une photo depuis vos albums"; +$a->strings["Crop Image"] = "(Re)cadrer l'image"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Ajustez le cadre de l'image pour une visualisation optimale."; +$a->strings["Done Editing"] = "Édition terminée"; +$a->strings["Image uploaded successfully."] = "Image téléversée avec succès."; $a->strings["Friendica Communications Server - Setup"] = "Serveur de communications Friendica - Configuration"; $a->strings["Could not connect to database."] = "Impossible de se connecter à la base."; $a->strings["Could not create table."] = "Impossible de créer une table."; @@ -1643,7 +1154,58 @@ $a->strings["Url rewrite is working"] = "La réécriture d'URL fonctionne."; $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."] = "Le fichier de configuration de la base (\".htconfig.php\") ne peut être créé. Merci d'utiliser le texte ci-joint pour créer ce fichier à la racine de votre hébergement."; $a->strings["

What next

"] = "

Ensuite

"; $a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANT: Vous devez configurer [manuellement] une tâche programmée pour le 'poller'."; -$a->strings["Help:"] = "Aide:"; +$a->strings["Group created."] = "Groupe créé."; +$a->strings["Could not create group."] = "Impossible de créer le groupe."; +$a->strings["Group not found."] = "Groupe introuvable."; +$a->strings["Group name changed."] = "Groupe renommé."; +$a->strings["Save Group"] = "Sauvegarder le groupe"; +$a->strings["Create a group of contacts/friends."] = "Créez un groupe de contacts/amis."; +$a->strings["Group Name: "] = "Nom du groupe: "; +$a->strings["Group removed."] = "Groupe enlevé."; +$a->strings["Unable to remove group."] = "Impossible d'enlever le groupe."; +$a->strings["Group Editor"] = "Éditeur de groupe"; +$a->strings["Members"] = "Membres"; +$a->strings["No such group"] = "Groupe inexistant"; +$a->strings["Group is empty"] = "Groupe vide"; +$a->strings["Group: "] = "Groupe: "; +$a->strings["View in context"] = "Voir dans le contexte"; +$a->strings["Account approved."] = "Inscription validée."; +$a->strings["Registration revoked for %s"] = "Inscription révoquée pour %s"; +$a->strings["Please login."] = "Merci de vous connecter."; +$a->strings["Profile Match"] = "Correpondance de profils"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Aucun mot-clé en correspondance. Merci d'ajouter des mots-clés à votre profil par défaut."; +$a->strings["is interested in:"] = "s'intéresse à:"; +$a->strings["Unable to locate original post."] = "Impossible de localiser la publication originale."; +$a->strings["Empty post discarded."] = "Publication vide rejetée."; +$a->strings["System error. Post not saved."] = "Erreur système. Publication non sauvée."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Ce message vous a été envoyé par %s, membre du réseau social Friendica."; +$a->strings["You may visit them online at %s"] = "Vous pouvez leur rendre visite sur %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Merci de contacter l’émetteur en répondant à cette publication si vous ne souhaitez pas recevoir ces messages."; +$a->strings["%s posted an update."] = "%s a publié une mise à jour."; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s est d'humeur %2\$s"; +$a->strings["Mood"] = "Humeur"; +$a->strings["Set your current mood and tell your friends"] = "Spécifiez votre humeur du moment, et informez vos amis"; +$a->strings["Search Results For:"] = "Résultats pour:"; +$a->strings["add"] = "ajouter"; +$a->strings["Commented Order"] = "Tri par commentaires"; +$a->strings["Sort by Comment Date"] = "Trier par date de commentaire"; +$a->strings["Posted Order"] = "Tri des publications"; +$a->strings["Sort by Post Date"] = "Trier par date de publication"; +$a->strings["Posts that mention or involve you"] = "Publications qui vous concernent"; +$a->strings["New"] = "Nouveau"; +$a->strings["Activity Stream - by date"] = "Flux d'activités - par date"; +$a->strings["Shared Links"] = "Liens partagés"; +$a->strings["Interesting Links"] = "Liens intéressants"; +$a->strings["Starred"] = "Mis en avant"; +$a->strings["Favourite Posts"] = "Publications favorites"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Attention: Ce groupe contient %s membre d'un réseau non-sûr.", + 1 => "Attention: Ce groupe contient %s membres d'un réseau non-sûr.", +); +$a->strings["Private messages to this group are at risk of public disclosure."] = "Les messages privés envoyés à ce groupe s'exposent à une diffusion incontrôlée."; +$a->strings["Contact: "] = "Contact: "; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Les messages privés envoyés à ce contact s'exposent à une diffusion incontrôlée."; +$a->strings["Invalid contact."] = "Contact invalide."; $a->strings["Contact settings applied."] = "Réglages du contact appliqués."; $a->strings["Contact update failed."] = "Impossible d'appliquer les réglages."; $a->strings["Repair Contact Settings"] = "Réglages de réparation des contacts"; @@ -1664,93 +1226,537 @@ $a->strings["Mark this contact as remote_self, this will cause friendica to repo $a->strings["No mirroring"] = ""; $a->strings["Mirror as forwarded posting"] = ""; $a->strings["Mirror as my own posting"] = ""; -$a->strings["Welcome to Friendica"] = "Bienvenue sur Friendica"; -$a->strings["New Member Checklist"] = "Checklist du nouvel utilisateur"; -$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."] = "Nous souhaiterions vous donner quelques astuces et ressources pour rendre votre expérience la plus agréable possible. Cliquez sur n'importe lequel de ces éléments pour visiter la page correspondante. Un lien vers cette page restera visible sur votre page d'accueil pendant les deux semaines qui suivent votre inscription initiale, puis disparaîtra silencieusement."; -$a->strings["Getting Started"] = "Bien démarrer"; -$a->strings["Friendica Walk-Through"] = "Friendica pas-à-pas"; -$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."] = "Sur votre page d'accueil, dans Conseils aux nouveaux venus - vous trouverez une rapide introduction aux onglets Profil et Réseau, pourrez vous connecter à Facebook, établir de nouvelles relations, et choisir des groupes à rejoindre."; -$a->strings["Go to Your Settings"] = "Éditer vos Réglages"; -$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."] = "Sur la page des Réglages - changez votre mot de passe initial. Notez bien votre Identité. Elle ressemble à une adresse de courriel - et vous sera utile pour vous faire des amis dans le web social libre."; -$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."] = "Vérifiez les autres réglages, tout particulièrement ceux liés à la vie privée. Un profil non listé, c'est un peu comme un numéro sur liste rouge. En général, vous devriez probablement publier votre profil - à moins que tous vos amis (potentiels) sachent déjà comment vous trouver."; -$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."] = "Téléversez (envoyez) une photo de profil si vous n'en avez pas déjà une. Les études montrent que les gens qui affichent de vraies photos d'eux sont dix fois plus susceptibles de se faire des amis."; -$a->strings["Edit Your Profile"] = "Éditer votre Profil"; -$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."] = "Éditez votre profil par défaut à votre convenance. Vérifiez les réglages concernant la visibilité de votre liste d'amis par les visiteurs inconnus."; -$a->strings["Profile Keywords"] = "Mots-clés du profil"; -$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."] = "Choisissez quelques mots-clé publics pour votre profil par défaut. Ils pourront ainsi décrire vos centres d'intérêt, et nous pourrons vous proposer des contacts qui les partagent."; -$a->strings["Connecting"] = "Connexions"; -$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Activez et paramétrez le connecteur Facebook si vous avez un compte Facebook et nous pourrons (de manière facultative) importer tous vos amis et conversations Facebook."; -$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Si ceci est votre propre serveur, installer le connecteur Facebook peut adoucir votre transition vers le web social libre."; -$a->strings["Importing Emails"] = "Importer courriels"; -$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"] = "Entrez vos paramètres de courriel dans les Réglages des connecteurs si vous souhaitez importer et interagir avec des amis ou des listes venant de votre Boîte de Réception."; -$a->strings["Go to Your Contacts Page"] = "Consulter vos Contacts"; -$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."] = "Votre page Contacts est le point d'entrée vers la gestion de vos amitiés/relations et la connexion à des amis venant d'autres réseaux. Typiquement, vous pourrez y rentrer leur adresse d'Identité ou l'URL de leur site dans le formulaire Ajouter un nouveau contact."; -$a->strings["Go to Your Site's Directory"] = "Consulter l'Annuaire de votre Site"; -$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."] = "La page Annuaire vous permet de trouver d'autres personnes au sein de ce réseaux ou parmi d'autres sites fédérés. Cherchez un lien Relier ou Suivre sur leur profil. Vous pourrez avoir besoin d'indiquer votre adresse d'identité."; -$a->strings["Finding New People"] = "Trouver de nouvelles personnes"; -$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."] = "Sur le panneau latéral de la page Contacts, il y a plusieurs moyens de trouver de nouveaux amis. Nous pouvons mettre les gens en relation selon leurs intérêts, rechercher des amis par nom ou intérêt, et fournir des suggestions en fonction de la topologie du réseau. Sur un site tout neuf, les suggestions d'amitié devraient commencer à apparaître au bout de 24 heures."; -$a->strings["Group Your Contacts"] = "Grouper vos 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."] = "Une fois que vous avez trouvé quelques amis, organisez-les en groupes de conversation privés depuis le panneau latéral de la page Contacts. Vous pourrez ensuite interagir avec chaque groupe de manière privée depuis la page Réseau."; -$a->strings["Why Aren't My Posts Public?"] = "Pourquoi mes éléments ne sont pas publics?"; -$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 respecte votre vie privée. Par défaut, toutes vos publications seront seulement montrés à vos amis. Pour plus d'information, consultez la section \"aide\" du lien ci-dessus."; -$a->strings["Getting Help"] = "Obtenir de l'aide"; -$a->strings["Go to the Help Section"] = "Aller à la section Aide"; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Nos pages d'aide peuvent être consultées pour davantage de détails sur les fonctionnalités ou les ressources."; -$a->strings["Poke/Prod"] = "Solliciter"; -$a->strings["poke, prod or do other things to somebody"] = "solliciter (poke/...) quelqu'un"; -$a->strings["Recipient"] = "Destinataire"; -$a->strings["Choose what you wish to do to recipient"] = "Choisissez ce que vous voulez faire au destinataire"; -$a->strings["Make this post private"] = "Rendez ce message privé"; -$a->strings["\n\t\tDear $[username],\n\t\t\tYour password has been changed as requested. Please retain this\n\t\tinformation for your records (or change your password immediately to\n\t\tsomething that you will remember).\n\t"] = ""; -$a->strings["Item has been removed."] = "Cet élément a été enlevé."; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s suit les %3\$s de %2\$s"; -$a->strings["%1\$s welcomes %2\$s"] = "%1\$s accueille %2\$s"; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Ceci peut se produire lorsque le contact a été requis par les deux personnes et a déjà été approuvé."; -$a->strings["Response from remote site was not understood."] = "Réponse du site distant incomprise."; -$a->strings["Unexpected response from remote site: "] = "Réponse inattendue du site distant: "; -$a->strings["Confirmation completed successfully."] = "Confirmation achevée avec succès."; -$a->strings["Remote site reported: "] = "Alerte du site distant: "; -$a->strings["Temporary failure. Please wait and try again."] = "Échec temporaire. Merci de recommencer ultérieurement."; -$a->strings["Introduction failed or was revoked."] = "Introduction échouée ou annulée."; -$a->strings["Unable to set contact photo."] = "Impossible de définir la photo du contact."; -$a->strings["No user record found for '%s' "] = "Pas d'utilisateur trouvé pour '%s' "; -$a->strings["Our site encryption key is apparently messed up."] = "Notre clé de chiffrement de site est apparemment corrompue."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "URL de site absente ou indéchiffrable."; -$a->strings["Contact record was not found for you on our site."] = "Pas d'entrée pour ce contact sur notre site."; -$a->strings["Site public key not available in contact record for URL %s."] = "La clé publique du site ne se trouve pas dans l'enregistrement du contact pour l'URL %s."; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'identifiant fourni par votre système fait doublon sur le notre. Cela peut fonctionner si vous réessayez."; -$a->strings["Unable to set your contact credentials on our system."] = "Impossible de vous définir des permissions sur notre système."; -$a->strings["Unable to update your contact profile details on our system"] = "Impossible de mettre les détails de votre profil à jour sur notre système"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s a rejoint %2\$s"; -$a->strings["Unable to locate original post."] = "Impossible de localiser la publication originale."; -$a->strings["Empty post discarded."] = "Publication vide rejetée."; -$a->strings["System error. Post not saved."] = "Erreur système. Publication non sauvée."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Ce message vous a été envoyé par %s, membre du réseau social Friendica."; -$a->strings["You may visit them online at %s"] = "Vous pouvez leur rendre visite sur %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Merci de contacter l’émetteur en répondant à cette publication si vous ne souhaitez pas recevoir ces messages."; -$a->strings["%s posted an update."] = "%s a publié une mise à jour."; -$a->strings["Image uploaded but image cropping failed."] = "Image envoyée, mais impossible de la retailler."; -$a->strings["Image size reduction [%s] failed."] = "Réduction de la taille de l'image [%s] échouée."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Rechargez la page avec la touche Maj pressée, ou bien effacez le cache du navigateur, si d'aventure la nouvelle photo n'apparaissait pas immédiatement."; -$a->strings["Unable to process image"] = "Impossible de traiter l'image"; -$a->strings["Upload File:"] = "Fichier à téléverser:"; -$a->strings["Select a profile:"] = "Choisir un profil:"; -$a->strings["Upload"] = "Téléverser"; -$a->strings["skip this step"] = "ignorer cette étape"; -$a->strings["select a photo from your photo albums"] = "choisissez une photo depuis vos albums"; -$a->strings["Crop Image"] = "(Re)cadrer l'image"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Ajustez le cadre de l'image pour une visualisation optimale."; -$a->strings["Done Editing"] = "Édition terminée"; -$a->strings["Image uploaded successfully."] = "Image téléversée avec succès."; -$a->strings["Friends of %s"] = "Amis de %s"; -$a->strings["No friends to display."] = "Pas d'amis à afficher."; -$a->strings["Find on this site"] = "Trouver sur ce site"; -$a->strings["Site Directory"] = "Annuaire local"; -$a->strings["Gender: "] = "Genre: "; -$a->strings["No entries (some entries may be hidden)."] = "Aucune entrée (certaines peuvent être cachées)."; -$a->strings["Time Conversion"] = "Conversion temporelle"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica fournit ce service pour partager des événements avec d'autres réseaux et amis indépendament de leur fuseau horaire."; -$a->strings["UTC time: %s"] = "Temps UTC : %s"; -$a->strings["Current timezone: %s"] = "Zone de temps courante : %s"; -$a->strings["Converted localtime: %s"] = "Temps local converti : %s"; -$a->strings["Please select your timezone:"] = "Sélectionner votre zone :"; +$a->strings["Your posts and conversations"] = "Vos publications et conversations"; +$a->strings["Your profile page"] = "Votre page de profil"; +$a->strings["Your contacts"] = "Vos contacts"; +$a->strings["Your photos"] = "Vos photos"; +$a->strings["Your events"] = "Vos événements"; +$a->strings["Personal notes"] = "Notes personnelles"; +$a->strings["Your personal photos"] = "Vos photos personnelles"; +$a->strings["Community Pages"] = "Pages de Communauté"; +$a->strings["Community Profiles"] = "Profils communautaires"; +$a->strings["Last users"] = "Derniers utilisateurs"; +$a->strings["Last likes"] = "Dernièrement aimé"; +$a->strings["event"] = "évènement"; +$a->strings["Last photos"] = "Dernières photos"; +$a->strings["Find Friends"] = "Trouver des amis"; +$a->strings["Local Directory"] = "Annuaire local"; +$a->strings["Similar Interests"] = "Intérêts similaires"; +$a->strings["Invite Friends"] = "Inviter des amis"; +$a->strings["Earth Layers"] = "Géolocalisation"; +$a->strings["Set zoomfactor for Earth Layers"] = "Régler le niveau de zoom pour la géolocalisation"; +$a->strings["Set longitude (X) for Earth Layers"] = "Régler la longitude (X) pour la géolocalisation"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Régler la latitude (Y) pour la géolocalisation"; +$a->strings["Help or @NewHere ?"] = "Aide ou @NewHere?"; +$a->strings["Connect Services"] = "Connecter des services"; +$a->strings["don't show"] = "cacher"; +$a->strings["show"] = "montrer"; +$a->strings["Show/hide boxes at right-hand column:"] = "Montrer/cacher les boîtes dans la colonne de droite :"; +$a->strings["Theme settings"] = "Réglages du thème graphique"; +$a->strings["Set font-size for posts and comments"] = "Réglez 'font-size' (taille de police) pour publications et commentaires"; +$a->strings["Set line-height for posts and comments"] = "Réglez 'line-height' (hauteur de police) pour publications et commentaires"; +$a->strings["Set resolution for middle column"] = "Réglez la résolution de la colonne centrale"; +$a->strings["Set color scheme"] = "Choisir le schéma de couleurs"; +$a->strings["Set zoomfactor for Earth Layer"] = "Niveau de zoom"; +$a->strings["Set style"] = "Définir le style"; +$a->strings["Set colour scheme"] = "Choisir le schéma de couleurs"; +$a->strings["default"] = "défaut"; +$a->strings["greenzero"] = ""; +$a->strings["purplezero"] = ""; +$a->strings["easterbunny"] = ""; +$a->strings["darkzero"] = ""; +$a->strings["comix"] = ""; +$a->strings["slackr"] = ""; +$a->strings["Variations"] = ""; +$a->strings["Alignment"] = "Alignement"; +$a->strings["Left"] = "Gauche"; +$a->strings["Center"] = "Centre"; +$a->strings["Color scheme"] = "Palette de couleurs"; +$a->strings["Posts font size"] = "Taille de texte des publications"; +$a->strings["Textareas font size"] = "Taille de police des zones de texte"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Choisir une taille pour les images dans les publications et commentaires (largeur et hauteur)"; +$a->strings["Set theme width"] = "Largeur du thème"; +$a->strings["Delete this item?"] = "Effacer cet élément?"; +$a->strings["show fewer"] = "montrer moins"; +$a->strings["Update %s failed. See error logs."] = "Mise-à-jour %s échouée. Voir les journaux d'erreur."; +$a->strings["Create a New Account"] = "Créer un nouveau compte"; +$a->strings["Logout"] = "Se déconnecter"; +$a->strings["Login"] = "Connexion"; +$a->strings["Nickname or Email address: "] = "Pseudo ou courriel: "; +$a->strings["Password: "] = "Mot de passe: "; +$a->strings["Remember me"] = "Se souvenir de moi"; +$a->strings["Or login using OpenID: "] = "Ou connectez-vous via OpenID: "; +$a->strings["Forgot your password?"] = "Mot de passe oublié?"; +$a->strings["Website Terms of Service"] = "Conditions d'utilisation du site internet"; +$a->strings["terms of service"] = "conditions d'utilisation"; +$a->strings["Website Privacy Policy"] = "Politique de confidentialité du site internet"; +$a->strings["privacy policy"] = "politique de confidentialité"; +$a->strings["Requested account is not available."] = "Le compte demandé n'est pas disponible."; +$a->strings["Edit profile"] = "Editer le profil"; +$a->strings["Message"] = "Message"; +$a->strings["Profiles"] = "Profils"; +$a->strings["Manage/edit profiles"] = "Gérer/éditer les profils"; +$a->strings["Network:"] = "Réseau"; +$a->strings["g A l F d"] = "g A | F d"; +$a->strings["F d"] = "F d"; +$a->strings["[today]"] = "[aujourd'hui]"; +$a->strings["Birthday Reminders"] = "Rappels d'anniversaires"; +$a->strings["Birthdays this week:"] = "Anniversaires cette semaine:"; +$a->strings["[No description]"] = "[Sans description]"; +$a->strings["Event Reminders"] = "Rappels d'événements"; +$a->strings["Events this week:"] = "Evénements cette semaine:"; +$a->strings["Status"] = "Statut"; +$a->strings["Status Messages and Posts"] = "Messages d'état et publications"; +$a->strings["Profile Details"] = "Détails du profil"; +$a->strings["Videos"] = "Vidéos"; +$a->strings["Events and Calendar"] = "Événements et agenda"; +$a->strings["Only You Can See This"] = "Vous seul pouvez voir ça"; +$a->strings["General Features"] = "Fonctions générales"; +$a->strings["Multiple Profiles"] = "Profils multiples"; +$a->strings["Ability to create multiple profiles"] = "Possibilité de créer plusieurs profils"; +$a->strings["Post Composition Features"] = "Caractéristiques de composition de publication"; +$a->strings["Richtext Editor"] = "Éditeur de texte enrichi"; +$a->strings["Enable richtext editor"] = "Activer l'éditeur de texte enrichi"; +$a->strings["Post Preview"] = "Aperçu de la publication"; +$a->strings["Allow previewing posts and comments before publishing them"] = "Permet la prévisualisation des publications et commentaires avant de les publier"; +$a->strings["Auto-mention Forums"] = ""; +$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = ""; +$a->strings["Network Sidebar Widgets"] = "Widgets réseau pour barre latérale"; +$a->strings["Search by Date"] = "Rechercher par Date"; +$a->strings["Ability to select posts by date ranges"] = "Capacité de sélectionner les publications par intervalles de dates"; +$a->strings["Group Filter"] = "Filtre de groupe"; +$a->strings["Enable widget to display Network posts only from selected group"] = "Activer le widget d’affichage des publications du réseau seulement pour le groupe sélectionné"; +$a->strings["Network Filter"] = "Filtre de réseau"; +$a->strings["Enable widget to display Network posts only from selected network"] = "Activer le widget d’affichage des publications du réseau seulement pour le réseau sélectionné"; +$a->strings["Save search terms for re-use"] = "Sauvegarder la recherche pour une utilisation ultérieure"; +$a->strings["Network Tabs"] = "Onglets Réseau"; +$a->strings["Network Personal Tab"] = "Onglet Réseau Personnel"; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Activer l'onglet pour afficher seulement les publications du réseau où vous avez interagit"; +$a->strings["Network New Tab"] = "Nouvel onglet réseaux"; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Activer l'onglet pour afficher seulement les publications du réseau (dans les 12 dernières heures)"; +$a->strings["Network Shared Links Tab"] = "Onglet réseau partagé"; +$a->strings["Enable tab to display only Network posts with links in them"] = "Activer l'onglet pour afficher seulement les publications du réseau contenant des liens"; +$a->strings["Post/Comment Tools"] = "outils de publication/commentaire"; +$a->strings["Multiple Deletion"] = "Suppression multiple"; +$a->strings["Select and delete multiple posts/comments at once"] = "Sélectionner et supprimer plusieurs publications/commentaires à la fois"; +$a->strings["Edit Sent Posts"] = "Éditer les publications envoyées"; +$a->strings["Edit and correct posts and comments after sending"] = "Éditer et corriger les publications et commentaires après l'envoi"; +$a->strings["Tagging"] = "Étiquettage"; +$a->strings["Ability to tag existing posts"] = "Possibilité d'étiqueter les publications existantes"; +$a->strings["Post Categories"] = "Catégories des publications"; +$a->strings["Add categories to your posts"] = "Ajouter des catégories à vos publications"; +$a->strings["Saved Folders"] = "Dossiers sauvegardés"; +$a->strings["Ability to file posts under folders"] = "Possibilité d'afficher les publications sous les répertoires"; +$a->strings["Dislike Posts"] = "Publications non aimées"; +$a->strings["Ability to dislike posts/comments"] = "Possibilité de ne pas aimer les publications/commentaires"; +$a->strings["Star Posts"] = "Publications spéciales"; +$a->strings["Ability to mark special posts with a star indicator"] = "Possibilité de marquer les publications spéciales d'une étoile"; +$a->strings["Mute Post Notifications"] = ""; +$a->strings["Ability to mute notifications for a thread"] = ""; +$a->strings["Logged out."] = "Déconnecté."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Nous avons eu un souci avec l'OpenID que vous avez fourni. merci de vérifier l'orthographe correcte de ce dernier."; +$a->strings["The error message was:"] = "Le message d'erreur était :"; +$a->strings["Starts:"] = "Débute:"; +$a->strings["Finishes:"] = "Finit:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Anniversaire:"; +$a->strings["Age:"] = "Age:"; +$a->strings["for %1\$d %2\$s"] = "depuis %1\$d %2\$s"; +$a->strings["Tags:"] = "Étiquette:"; +$a->strings["Religion:"] = "Religion:"; +$a->strings["Hobbies/Interests:"] = "Passe-temps/Centres d'intérêt:"; +$a->strings["Contact information and Social Networks:"] = "Coordonnées/Réseaux sociaux:"; +$a->strings["Musical interests:"] = "Goûts musicaux:"; +$a->strings["Books, literature:"] = "Lectures:"; +$a->strings["Television:"] = "Télévision:"; +$a->strings["Film/dance/culture/entertainment:"] = "Cinéma/Danse/Culture/Divertissement:"; +$a->strings["Love/Romance:"] = "Amour/Romance:"; +$a->strings["Work/employment:"] = "Activité professionnelle/Occupation:"; +$a->strings["School/education:"] = "Études/Formation:"; +$a->strings["[no subject]"] = "[pas de sujet]"; +$a->strings[" on Last.fm"] = "sur Last.fm"; +$a->strings["newer"] = "Plus récent"; +$a->strings["older"] = "Plus ancien"; +$a->strings["prev"] = "précédent"; +$a->strings["first"] = "premier"; +$a->strings["last"] = "dernier"; +$a->strings["next"] = "suivant"; +$a->strings["No contacts"] = "Aucun contact"; +$a->strings["%d Contact"] = array( + 0 => "%d contact", + 1 => "%d contacts", +); +$a->strings["poke"] = "titiller"; +$a->strings["poked"] = "a titillé"; +$a->strings["ping"] = "attirer l'attention"; +$a->strings["pinged"] = "a attiré l'attention de"; +$a->strings["prod"] = "aiguillonner"; +$a->strings["prodded"] = "a aiguillonné"; +$a->strings["slap"] = "gifler"; +$a->strings["slapped"] = "a giflé"; +$a->strings["finger"] = "tripoter"; +$a->strings["fingered"] = "a tripoté"; +$a->strings["rebuff"] = "rabrouer"; +$a->strings["rebuffed"] = "a rabroué"; +$a->strings["happy"] = "heureuse"; +$a->strings["sad"] = "triste"; +$a->strings["mellow"] = "suave"; +$a->strings["tired"] = "fatiguée"; +$a->strings["perky"] = "guillerette"; +$a->strings["angry"] = "colérique"; +$a->strings["stupified"] = "stupéfaite"; +$a->strings["puzzled"] = "perplexe"; +$a->strings["interested"] = "intéressée"; +$a->strings["bitter"] = "amère"; +$a->strings["cheerful"] = "entraînante"; +$a->strings["alive"] = "vivante"; +$a->strings["annoyed"] = "ennuyée"; +$a->strings["anxious"] = "anxieuse"; +$a->strings["cranky"] = "excentrique"; +$a->strings["disturbed"] = "dérangée"; +$a->strings["frustrated"] = "frustrée"; +$a->strings["motivated"] = "motivée"; +$a->strings["relaxed"] = "détendue"; +$a->strings["surprised"] = "surprise"; +$a->strings["Monday"] = "Lundi"; +$a->strings["Tuesday"] = "Mardi"; +$a->strings["Wednesday"] = "Mercredi"; +$a->strings["Thursday"] = "Jeudi"; +$a->strings["Friday"] = "Vendredi"; +$a->strings["Saturday"] = "Samedi"; +$a->strings["Sunday"] = "Dimanche"; +$a->strings["January"] = "Janvier"; +$a->strings["February"] = "Février"; +$a->strings["March"] = "Mars"; +$a->strings["April"] = "Avril"; +$a->strings["May"] = "Mai"; +$a->strings["June"] = "Juin"; +$a->strings["July"] = "Juillet"; +$a->strings["August"] = "Août"; +$a->strings["September"] = "Septembre"; +$a->strings["October"] = "Octobre"; +$a->strings["November"] = "Novembre"; +$a->strings["December"] = "Décembre"; +$a->strings["bytes"] = "octets"; +$a->strings["Click to open/close"] = "Cliquer pour ouvrir/fermer"; +$a->strings["Select an alternate language"] = "Choisir une langue alternative"; +$a->strings["activity"] = "activité"; +$a->strings["post"] = "publication"; +$a->strings["Item filed"] = "Élément classé"; +$a->strings["User not found."] = "Utilisateur non trouvé"; +$a->strings["There is no status with this id."] = "Il n'y a pas de statut avec cet id."; +$a->strings["There is no conversation with this id."] = "Il n'y a pas de conversation avec cet id."; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Impossible de localiser les informations DNS pour le serveur de base de données '%s'"; +$a->strings["%s's birthday"] = "Anniversaire de %s's"; +$a->strings["Happy Birthday %s"] = "Joyeux anniversaire, %s !"; +$a->strings["Do you really want to delete this item?"] = "Voulez-vous vraiment supprimer cet élément ?"; +$a->strings["Archives"] = "Archives"; +$a->strings["(no subject)"] = "(sans titre)"; +$a->strings["noreply"] = "noreply"; +$a->strings["Sharing notification from Diaspora network"] = "Notification de partage du réseau Diaspora"; +$a->strings["Attachments:"] = "Pièces jointes : "; +$a->strings["Connect URL missing."] = "URL de connexion manquante."; +$a->strings["This site is not configured to allow communications with other networks."] = "Ce site n'est pas configuré pour dialoguer avec d'autres réseaux."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Aucun protocole de communication ni aucun flux n'a pu être découvert."; +$a->strings["The profile address specified does not provide adequate information."] = "L'adresse de profil indiquée ne fournit par les informations adéquates."; +$a->strings["An author or name was not found."] = "Aucun auteur ou nom d'auteur n'a pu être trouvé."; +$a->strings["No browser URL could be matched to this address."] = "Aucune URL de navigation ne correspond à cette adresse."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossible de faire correspondre l'adresse d'identité en \"@\" avec un protocole connu ou un contact courriel."; +$a->strings["Use mailto: in front of address to force email check."] = "Utilisez mailto: en face d'une adresse pour l'obliger à être reconnue comme courriel."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'adresse de profil spécifiée correspond à un réseau qui a été désactivé sur ce site."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profil limité. Cette personne ne sera pas capable de recevoir des notifications directes/personnelles de votre part."; +$a->strings["Unable to retrieve contact information."] = "Impossible de récupérer les informations du contact."; +$a->strings["following"] = "following"; +$a->strings["Welcome "] = "Bienvenue "; +$a->strings["Please upload a profile photo."] = "Merci d'illustrer votre profil d'une image."; +$a->strings["Welcome back "] = "Bienvenue à nouveau, "; +$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."] = "Le jeton de sécurité du formulaire n'est pas correct. Ceci veut probablement dire que le formulaire est resté ouvert trop longtemps (plus de 3 heures) avant d'être validé."; +$a->strings["Male"] = "Masculin"; +$a->strings["Female"] = "Féminin"; +$a->strings["Currently Male"] = "Actuellement masculin"; +$a->strings["Currently Female"] = "Actuellement féminin"; +$a->strings["Mostly Male"] = "Principalement masculin"; +$a->strings["Mostly Female"] = "Principalement féminin"; +$a->strings["Transgender"] = "Transgenre"; +$a->strings["Intersex"] = "Inter-sexe"; +$a->strings["Transsexual"] = "Transsexuel"; +$a->strings["Hermaphrodite"] = "Hermaphrodite"; +$a->strings["Neuter"] = "Neutre"; +$a->strings["Non-specific"] = "Non-spécifique"; +$a->strings["Other"] = "Autre"; +$a->strings["Undecided"] = "Indécis"; +$a->strings["Males"] = "Hommes"; +$a->strings["Females"] = "Femmes"; +$a->strings["Gay"] = "Gay"; +$a->strings["Lesbian"] = "Lesbienne"; +$a->strings["No Preference"] = "Sans préférence"; +$a->strings["Bisexual"] = "Bisexuel"; +$a->strings["Autosexual"] = "Auto-sexuel"; +$a->strings["Abstinent"] = "Abstinent"; +$a->strings["Virgin"] = "Vierge"; +$a->strings["Deviant"] = "Déviant"; +$a->strings["Fetish"] = "Fétichiste"; +$a->strings["Oodles"] = "Oodles"; +$a->strings["Nonsexual"] = "Non-sexuel"; +$a->strings["Single"] = "Célibataire"; +$a->strings["Lonely"] = "Esseulé"; +$a->strings["Available"] = "Disponible"; +$a->strings["Unavailable"] = "Indisponible"; +$a->strings["Has crush"] = "Attiré par quelqu'un"; +$a->strings["Infatuated"] = "Entiché"; +$a->strings["Dating"] = "Dans une relation"; +$a->strings["Unfaithful"] = "Infidèle"; +$a->strings["Sex Addict"] = "Accro au sexe"; +$a->strings["Friends"] = "Amis"; +$a->strings["Friends/Benefits"] = "Amis par intérêt"; +$a->strings["Casual"] = "Casual"; +$a->strings["Engaged"] = "Fiancé"; +$a->strings["Married"] = "Marié"; +$a->strings["Imaginarily married"] = "Se croit marié"; +$a->strings["Partners"] = "Partenaire"; +$a->strings["Cohabiting"] = "En cohabitation"; +$a->strings["Common law"] = "Marié \"de fait\"/\"sui juris\" (concubin)"; +$a->strings["Happy"] = "Heureux"; +$a->strings["Not looking"] = "Pas intéressé"; +$a->strings["Swinger"] = "Échangiste"; +$a->strings["Betrayed"] = "Trahi(e)"; +$a->strings["Separated"] = "Séparé"; +$a->strings["Unstable"] = "Instable"; +$a->strings["Divorced"] = "Divorcé"; +$a->strings["Imaginarily divorced"] = "Se croit divorcé"; +$a->strings["Widowed"] = "Veuf/Veuve"; +$a->strings["Uncertain"] = "Incertain"; +$a->strings["It's complicated"] = "C'est compliqué"; +$a->strings["Don't care"] = "S'en désintéresse"; +$a->strings["Ask me"] = "Me demander"; +$a->strings["Error decoding account file"] = "Une erreur a été détecté en décodant un fichier utilisateur"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Erreur ! Pas de ficher de version existant ! Êtes vous sur un compte Friendica ?"; +$a->strings["Error! Cannot check nickname"] = "Erreur! Pseudo invalide"; +$a->strings["User '%s' already exists on this server!"] = "L'utilisateur '%s' existe déjà sur ce serveur!"; +$a->strings["User creation error"] = "Erreur de création d'utilisateur"; +$a->strings["User profile creation error"] = "Erreur de création du profil utilisateur"; +$a->strings["%d contact not imported"] = array( + 0 => "%d contacts non importés", + 1 => "%d contacts non importés", +); +$a->strings["Done. You can now login with your username and password"] = "Action réalisé. Vous pouvez désormais vous connecter avec votre nom d'utilisateur et votre mot de passe"; +$a->strings["Click here to upgrade."] = "Cliquez ici pour mettre à jour."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Cette action dépasse les limites définies par votre abonnement."; +$a->strings["This action is not available under your subscription plan."] = "Cette action n'est pas disponible avec votre abonnement."; +$a->strings["%1\$s poked %2\$s"] = "%1\$s a sollicité %2\$s"; +$a->strings["post/item"] = "publication/élément"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s a marqué le %3\$s de %2\$s comme favori"; +$a->strings["remove"] = "enlever"; +$a->strings["Delete Selected Items"] = "Supprimer les éléments sélectionnés"; +$a->strings["Follow Thread"] = "Suivre le fil"; +$a->strings["View Status"] = "Voir les statuts"; +$a->strings["View Profile"] = "Voir le profil"; +$a->strings["View Photos"] = "Voir les photos"; +$a->strings["Network Posts"] = "Publications du réseau"; +$a->strings["Edit Contact"] = "Éditer le contact"; +$a->strings["Send PM"] = "Message privé"; +$a->strings["Poke"] = "Sollicitations (pokes)"; +$a->strings["%s likes this."] = "%s aime ça."; +$a->strings["%s doesn't like this."] = "%s n'aime pas ça."; +$a->strings["%2\$d people like this"] = "%2\$d personnes aiment ça"; +$a->strings["%2\$d people don't like this"] = "%2\$d personnes n'aiment pas ça"; +$a->strings["and"] = "et"; +$a->strings[", and %d other people"] = ", et %d autres personnes"; +$a->strings["%s like this."] = "%s aiment ça."; +$a->strings["%s don't like this."] = "%s n'aiment pas ça."; +$a->strings["Visible to everybody"] = "Visible par tout le monde"; +$a->strings["Please enter a video link/URL:"] = "Entrez un lien/URL video :"; +$a->strings["Please enter an audio link/URL:"] = "Entrez un lien/URL audio :"; +$a->strings["Tag term:"] = "Terme d'étiquette:"; +$a->strings["Where are you right now?"] = "Où êtes-vous présentemment?"; +$a->strings["Delete item(s)?"] = "Supprimer les élément(s) ?"; +$a->strings["Post to Email"] = "Publier aux courriels"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; +$a->strings["permissions"] = "permissions"; +$a->strings["Post to Groups"] = "Publier aux groupes"; +$a->strings["Post to Contacts"] = "Publier aux contacts"; +$a->strings["Private post"] = "Message privé"; +$a->strings["Add New Contact"] = "Ajouter un nouveau contact"; +$a->strings["Enter address or web location"] = "Entrez son adresse ou sa localisation web"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Exemple: bob@example.com, http://example.com/barbara"; +$a->strings["%d invitation available"] = array( + 0 => "%d invitation disponible", + 1 => "%d invitations disponibles", +); +$a->strings["Find People"] = "Trouver des personnes"; +$a->strings["Enter name or interest"] = "Entrez un nom ou un centre d'intérêt"; +$a->strings["Connect/Follow"] = "Connecter/Suivre"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Exemples: Robert Morgenstein, Pêche"; +$a->strings["Random Profile"] = "Profil au hasard"; +$a->strings["Networks"] = "Réseaux"; +$a->strings["All Networks"] = "Tous réseaux"; +$a->strings["Everything"] = "Tout"; +$a->strings["Categories"] = "Catégories"; +$a->strings["End this session"] = "Mettre fin à cette session"; +$a->strings["Your videos"] = "Vos vidéos"; +$a->strings["Your personal notes"] = "Vos notes personnelles"; +$a->strings["Sign in"] = "Se connecter"; +$a->strings["Home Page"] = "Page d'accueil"; +$a->strings["Create an account"] = "Créer un compte"; +$a->strings["Help and documentation"] = "Aide et documentation"; +$a->strings["Apps"] = "Applications"; +$a->strings["Addon applications, utilities, games"] = "Applications supplémentaires, utilitaires, jeux"; +$a->strings["Search site content"] = "Rechercher dans le contenu du site"; +$a->strings["Conversations on this site"] = "Conversations ayant cours sur ce site"; +$a->strings["Directory"] = "Annuaire"; +$a->strings["People directory"] = "Annuaire des utilisateurs"; +$a->strings["Information"] = "Information"; +$a->strings["Information about this friendica instance"] = "Information au sujet de cette instance de friendica"; +$a->strings["Conversations from your friends"] = "Conversations de vos amis"; +$a->strings["Network Reset"] = "Réinitialiser le réseau"; +$a->strings["Load Network page with no filters"] = "Chargement des pages du réseau sans filtre"; +$a->strings["Friend Requests"] = "Demande d'amitié"; +$a->strings["See all notifications"] = "Voir toute notification"; +$a->strings["Mark all system notifications seen"] = "Marquer toutes les notifications système comme 'vues'"; +$a->strings["Private mail"] = "Messages privés"; +$a->strings["Inbox"] = "Messages entrants"; +$a->strings["Outbox"] = "Messages sortants"; +$a->strings["Manage"] = "Gérer"; +$a->strings["Manage other pages"] = "Gérer les autres pages"; +$a->strings["Account settings"] = "Compte"; +$a->strings["Manage/Edit Profiles"] = "Gérer/Éditer les profiles"; +$a->strings["Manage/edit friends and contacts"] = "Gérer/éditer les amitiés et contacts"; +$a->strings["Site setup and configuration"] = "Démarrage et configuration du site"; +$a->strings["Navigation"] = "Navigation"; +$a->strings["Site map"] = "Carte du site"; +$a->strings["Unknown | Not categorised"] = "Inconnu | Non-classé"; +$a->strings["Block immediately"] = "Bloquer immédiatement"; +$a->strings["Shady, spammer, self-marketer"] = "Douteux, spammeur, accro à l'auto-promotion"; +$a->strings["Known to me, but no opinion"] = "Connu de moi, mais sans opinion"; +$a->strings["OK, probably harmless"] = "OK, probablement inoffensif"; +$a->strings["Reputable, has my trust"] = "Réputé, a toute ma confiance"; +$a->strings["Weekly"] = "Chaque semaine"; +$a->strings["Monthly"] = "Chaque mois"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$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"] = "Connecteur Diaspora"; +$a->strings["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = "App.net"; +$a->strings["Friendica Notification"] = "Notification Friendica"; +$a->strings["Thank You,"] = "Merci, "; +$a->strings["%s Administrator"] = "L'administrateur de %s"; +$a->strings["%s "] = "%s "; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notification] Nouveau courriel reçu sur %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s vous a envoyé un nouveau message privé sur %2\$s."; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s vous a envoyé %2\$s."; +$a->strings["a private message"] = "un message privé"; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Merci de visiter %s pour voir vos messages privés et/ou y répondre."; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s a commenté sur [url=%2\$s]un %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s a commenté sur [url=%2\$s]le %4\$s de %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s commented on [url=%2\$s]your %3\$s[/url]"; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notification] Commentaire de %2\$s sur la conversation #%1\$d"; +$a->strings["%s commented on an item/conversation you have been following."] = "%s a commenté un élément que vous suivez."; +$a->strings["Please visit %s to view and/or reply to the conversation."] = "Merci de visiter %s pour voir la conversation et/ou y répondre."; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notification] %s a posté sur votre mur de profil"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s a publié sur votre mur à %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s a posté sur [url=%2\$s]votre mur[/url]"; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notification] %s vous a étiqueté"; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s vous a étiqueté sur %2\$s"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]vous a étiqueté[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notification] %s partage une nouvelle publication"; +$a->strings["%1\$s shared a new post at %2\$s"] = ""; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]partage une publication[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notify] %1\$s vous a sollicité"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s vous a sollicité via %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s vous a [url=%2\$s]sollicité[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notification] %s a étiqueté votre publication"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s a étiqueté votre publication sur %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s a étiqueté [url=%2\$s]votre publication[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notification] Introduction reçue"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Vous avez reçu une introduction de '%1\$s' sur %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Vous avez reçu [url=%1\$s]une introduction[/url] de %2\$s."; +$a->strings["You may visit their profile at %s"] = "Vous pouvez visiter son profil sur %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Merci de visiter %s pour approuver ou rejeter l'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"] = ""; +$a->strings["You have a new follower at %2\$s : %1\$s"] = ""; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notification] Nouvelle suggestion d'amitié"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Vous avez reçu une suggestion de '%1\$s' sur %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Vous avez reçu [url=%1\$s]une suggestion[/url] de %3\$s pour %2\$s."; +$a->strings["Name:"] = "Nom :"; +$a->strings["Photo:"] = "Photo :"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Merci de visiter %s pour approuver ou rejeter la suggestion."; +$a->strings["[Friendica:Notify] Connection accepted"] = ""; +$a->strings["'%1\$s' has acepted 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\n\twithout 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["[Friendica System:Notify] registration request"] = ""; +$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["An invitation is required."] = "Une invitation est requise."; +$a->strings["Invitation could not be verified."] = "L'invitation fournie n'a pu être validée."; +$a->strings["Invalid OpenID url"] = "Adresse OpenID invalide"; +$a->strings["Please enter the required information."] = "Entrez les informations requises."; +$a->strings["Please use a shorter name."] = "Utilisez un nom plus court."; +$a->strings["Name too short."] = "Nom trop court."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Ceci ne semble pas être votre nom complet (Prénom Nom)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Votre domaine de courriel n'est pas autorisé sur ce site."; +$a->strings["Not a valid email address."] = "Ceci n'est pas une adresse courriel valide."; +$a->strings["Cannot use that email."] = "Impossible d'utiliser ce courriel."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Votre \"pseudo\" peut seulement contenir les caractères \"a-z\", \"0-9\", \"-\", and \"_\", et doit commencer par une lettre."; +$a->strings["Nickname is already registered. Please choose another."] = "Pseudo déjà utilisé. Merci d'en choisir un autre."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Ce surnom a déjà été utilisé ici, et ne peut re-servir. Merci d'en choisir un autre."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERREUR SÉRIEUSE: La génération des clés de sécurité a échoué."; +$a->strings["An error occurred during registration. Please try again."] = "Une erreur est survenue lors de l'inscription. Merci de recommencer."; +$a->strings["An error occurred creating your default profile. Please try again."] = "Une erreur est survenue lors de la création de votre profil par défaut. Merci de recommencer."; +$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["Visible to everybody"] = "Visible par tout le monde"; +$a->strings["Image/photo"] = "Image/photo"; +$a->strings["%2\$s %3\$s"] = ""; +$a->strings["%s wrote the following post"] = ""; +$a->strings["$1 wrote:"] = "$1 a écrit:"; +$a->strings["Encrypted content"] = "Contenu chiffré"; +$a->strings["Embedded content"] = "Contenu incorporé"; +$a->strings["Embedding disabled"] = "Incorporation désactivée"; +$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."] = "Un groupe supprimé a été recréé. Les permissions existantes pourraient s'appliquer à ce groupe et aux futurs membres. Si ce n'est pas le comportement attendu, merci de re-créer un autre groupe sous un autre nom."; +$a->strings["Default privacy group for new contacts"] = "Paramètres de confidentialité par défaut pour les nouveaux contacts"; +$a->strings["Everybody"] = "Tout le monde"; +$a->strings["edit"] = "éditer"; +$a->strings["Edit group"] = "Editer groupe"; +$a->strings["Create a new group"] = "Créer un nouveau groupe"; +$a->strings["Contacts not in any group"] = "Contacts n'appartenant à aucun groupe"; +$a->strings["stopped following"] = "retiré de la liste de suivi"; +$a->strings["Drop Contact"] = "Supprimer le contact"; +$a->strings["Miscellaneous"] = "Divers"; +$a->strings["year"] = "an"; +$a->strings["month"] = "mois"; +$a->strings["day"] = "jour"; +$a->strings["never"] = "jamais"; +$a->strings["less than a second ago"] = "il y a moins d'une seconde"; +$a->strings["years"] = "ans"; +$a->strings["months"] = "mois"; +$a->strings["week"] = "semaine"; +$a->strings["weeks"] = "semaines"; +$a->strings["days"] = "jours"; +$a->strings["hour"] = "heure"; +$a->strings["hours"] = "heures"; +$a->strings["minute"] = "minute"; +$a->strings["minutes"] = "minutes"; +$a->strings["second"] = "seconde"; +$a->strings["seconds"] = "secondes"; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s auparavant"; +$a->strings["view full size"] = "voir en pleine taille"; +$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."] = "Des erreurs ont été signalées lors de la création des tables."; +$a->strings["Errors encountered performing database changes."] = ""; diff --git a/view/ro/messages.po b/view/ro/messages.po index c0ae2a20b6..261d02d6d6 100644 --- a/view/ro/messages.po +++ b/view/ro/messages.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-09-07 14:32+0200\n" -"PO-Revision-Date: 2014-10-09 12:35+0000\n" +"POT-Creation-Date: 2014-10-22 10:05+0200\n" +"PO-Revision-Date: 2014-11-27 14:30+0000\n" "Last-Translator: Doru DEACONU \n" "Language-Team: Romanian (Romania) (http://www.transifex.com/projects/p/friendica/language/ro_RO/)\n" "MIME-Version: 1.0\n" @@ -20,2901 +20,6 @@ msgstr "" "Language: ro_RO\n" "Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" -#: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:52 ../../view/theme/diabook/config.php:148 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 -#: ../../object/Item.php:678 ../../mod/contacts.php:470 -#: ../../mod/manage.php:110 ../../mod/fsuggest.php:107 -#: ../../mod/photos.php:1084 ../../mod/photos.php:1205 -#: ../../mod/photos.php:1512 ../../mod/photos.php:1563 -#: ../../mod/photos.php:1607 ../../mod/photos.php:1695 -#: ../../mod/invite.php:140 ../../mod/events.php:478 ../../mod/mood.php:137 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/profiles.php:645 ../../mod/install.php:248 -#: ../../mod/install.php:286 ../../mod/crepair.php:179 -#: ../../mod/content.php:710 ../../mod/poke.php:199 ../../mod/localtime.php:45 -msgid "Submit" -msgstr "Trimite" - -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:54 ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 ../../view/theme/dispy/config.php:72 -msgid "Theme settings" -msgstr "Configurări Temă" - -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Stabiliți nivelul de redimensionare a imaginilor din postări și comentarii (lăţimea şi înălţimea)" - -#: ../../view/theme/cleanzero/config.php:84 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/dispy/config.php:73 -msgid "Set font-size for posts and comments" -msgstr "Stabilire dimensiune font pentru postări şi comentarii" - -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Stabilire lăţime temă" - -#: ../../view/theme/cleanzero/config.php:86 -#: ../../view/theme/quattro/config.php:68 -msgid "Color scheme" -msgstr "Schemă culoare" - -#: ../../view/theme/vier/config.php:55 -msgid "Set style" -msgstr "Stabilire stil" - -#: ../../view/theme/diabook/config.php:142 -#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:328 -msgid "don't show" -msgstr "nu afișa" - -#: ../../view/theme/diabook/config.php:142 -#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:327 -msgid "show" -msgstr "afișare" - -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Stabilire înălțime linie pentru postări şi comentarii" - -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "Stabilire rezoluţie pentru coloana din mijloc" - -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Stabilire schemă de culori" - -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Stabilire factor de magnificare pentru Straturi Pământ" - -#: ../../view/theme/diabook/config.php:156 -#: ../../view/theme/diabook/theme.php:585 -msgid "Set longitude (X) for Earth Layers" -msgstr "Stabilire longitudine (X) pentru Straturi Pământ" - -#: ../../view/theme/diabook/config.php:157 -#: ../../view/theme/diabook/theme.php:586 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Stabilire latitudine (Y) pentru Straturi Pământ" - -#: ../../view/theme/diabook/config.php:158 -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -msgid "Community Pages" -msgstr "Community Pagini" - -#: ../../view/theme/diabook/config.php:159 -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -msgid "Earth Layers" -msgstr "Straturi Pământ" - -#: ../../view/theme/diabook/config.php:160 -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -msgid "Community Profiles" -msgstr "Profile de Comunitate" - -#: ../../view/theme/diabook/config.php:161 -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -msgid "Help or @NewHere ?" -msgstr "Ajutor sau @NouAici ?" - -#: ../../view/theme/diabook/config.php:162 -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -msgid "Connect Services" -msgstr "Conectare Servicii" - -#: ../../view/theme/diabook/config.php:163 -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -msgid "Find Friends" -msgstr "Găsire Prieteni" - -#: ../../view/theme/diabook/config.php:164 -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -msgid "Last users" -msgstr "Ultimii utilizatori" - -#: ../../view/theme/diabook/config.php:165 -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -msgid "Last photos" -msgstr "Ultimele fotografii" - -#: ../../view/theme/diabook/config.php:166 -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -msgid "Last likes" -msgstr "Ultimele aprecieri" - -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:105 -#: ../../include/nav.php:146 ../../mod/notifications.php:93 -msgid "Home" -msgstr "Home" - -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "Postările şi conversaţiile dvs." - -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2070 -#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 -#: ../../include/nav.php:77 ../../mod/profperm.php:103 -#: ../../mod/newmember.php:32 -msgid "Profile" -msgstr "Profil" - -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "Pagina dvs. de profil" - -#: ../../view/theme/diabook/theme.php:125 ../../include/nav.php:175 -#: ../../mod/contacts.php:694 -msgid "Contacts" -msgstr "Contacte" - -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "Contactele dvs." - -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2077 -#: ../../include/nav.php:78 ../../mod/fbrowser.php:25 -msgid "Photos" -msgstr "Poze" - -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Fotografiile dvs." - -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2094 -#: ../../include/nav.php:80 ../../mod/events.php:370 -msgid "Events" -msgstr "Evenimente" - -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "Evenimentele dvs." - -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" -msgstr "Note Personale" - -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Fotografii dvs. personale" - -#: ../../view/theme/diabook/theme.php:129 ../../include/nav.php:129 -#: ../../mod/community.php:32 -msgid "Community" -msgstr "Comunitate" - -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1964 -msgid "event" -msgstr "eveniment" - -#: ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../mod/tagger.php:62 -msgid "status" -msgstr "status" - -#: ../../view/theme/diabook/theme.php:471 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1966 ../../mod/like.php:149 -#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 -msgid "photo" -msgstr "photo" - -#: ../../view/theme/diabook/theme.php:480 ../../include/diaspora.php:1935 -#: ../../include/conversation.php:137 ../../mod/like.php:166 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s apreciază %3$s lui %2$s" - -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 -#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 -msgid "Contact Photos" -msgstr "Photo Contact" - -#: ../../view/theme/diabook/theme.php:500 ../../include/user.php:335 -#: ../../include/user.php:342 ../../include/user.php:349 -#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 -#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 -msgid "Profile Photos" -msgstr "Poze profil" - -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "Director Local" - -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 -msgid "Global Directory" -msgstr "Director Global" - -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "Interese Similare" - -#: ../../view/theme/diabook/theme.php:527 ../../include/contact_widgets.php:35 -#: ../../mod/suggest.php:66 -msgid "Friend Suggestions" -msgstr "Sugestii de Prietenie" - -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "Invită Prieteni" - -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 -#: ../../mod/settings.php:85 ../../mod/admin.php:1065 ../../mod/admin.php:1286 -#: ../../mod/newmember.php:22 -msgid "Settings" -msgstr "Setări" - -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "Stabilire factor de magnificare pentru Straturi Pământ" - -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "Afişare/ascundere casete din coloana din dreapta:" - -#: ../../view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Aliniere" - -#: ../../view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Stânga" - -#: ../../view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Centrat" - -#: ../../view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "Dimensiune font postări" - -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "Dimensiune font zone text" - -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Stabilire schemă de culori" - -#: ../../index.php:203 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "Tu trebuie să vă autentificați pentru a folosi suplimentele." - -#: ../../index.php:247 ../../mod/help.php:90 -msgid "Not Found" -msgstr "Negăsit" - -#: ../../index.php:250 ../../mod/help.php:93 -msgid "Page not found." -msgstr "Pagină negăsită." - -#: ../../index.php:359 ../../mod/group.php:72 ../../mod/profperm.php:19 -msgid "Permission denied" -msgstr "Permisiune refuzată" - -#: ../../index.php:360 ../../include/items.php:4550 ../../mod/attach.php:33 -#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 -#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 -#: ../../mod/group.php:19 ../../mod/delegate.php:6 -#: ../../mod/notifications.php:66 ../../mod/settings.php:102 -#: ../../mod/settings.php:593 ../../mod/settings.php:598 -#: ../../mod/contacts.php:249 ../../mod/wall_attach.php:55 -#: ../../mod/register.php:42 ../../mod/manage.php:96 ../../mod/editpost.php:10 -#: ../../mod/regmod.php:109 ../../mod/api.php:26 ../../mod/api.php:31 -#: ../../mod/suggest.php:56 ../../mod/nogroup.php:25 ../../mod/fsuggest.php:78 -#: ../../mod/viewcontacts.php:22 ../../mod/wall_upload.php:66 -#: ../../mod/notes.php:20 ../../mod/network.php:4 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/follow.php:9 ../../mod/uimport.php:23 -#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/events.php:140 -#: ../../mod/mood.php:114 ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 -#: ../../mod/install.php:151 ../../mod/crepair.php:117 ../../mod/poke.php:135 -#: ../../mod/display.php:455 ../../mod/dfrn_confirm.php:55 -#: ../../mod/item.php:148 ../../mod/item.php:164 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/allfriends.php:9 -msgid "Permission denied." -msgstr "Permisiune refuzată." - -#: ../../index.php:419 -msgid "toggle mobile" -msgstr "comutare mobil" - -#: ../../boot.php:719 -msgid "Delete this item?" -msgstr "Ștergeți acest element?" - -#: ../../boot.php:720 ../../object/Item.php:361 ../../object/Item.php:677 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 ../../mod/content.php:709 -msgid "Comment" -msgstr "Comentariu" - -#: ../../boot.php:721 ../../include/contact_widgets.php:205 -#: ../../object/Item.php:390 ../../mod/content.php:606 -msgid "show more" -msgstr "mai mult" - -#: ../../boot.php:722 -msgid "show fewer" -msgstr "afișare mai puține" - -#: ../../boot.php:1042 ../../boot.php:1073 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "Actualizarea %s a eșuat. Consultaţi jurnalele de eroare." - -#: ../../boot.php:1194 -msgid "Create a New Account" -msgstr "Creaţi un Cont Nou" - -#: ../../boot.php:1195 ../../include/nav.php:109 ../../mod/register.php:266 -msgid "Register" -msgstr "Înregistrare" - -#: ../../boot.php:1219 ../../include/nav.php:73 -msgid "Logout" -msgstr "Deconectare" - -#: ../../boot.php:1220 ../../include/nav.php:92 -msgid "Login" -msgstr "Login" - -#: ../../boot.php:1222 -msgid "Nickname or Email address: " -msgstr "Pseudonimul sau Adresa de email:" - -#: ../../boot.php:1223 -msgid "Password: " -msgstr "Parola:" - -#: ../../boot.php:1224 -msgid "Remember me" -msgstr "Reține autentificarea" - -#: ../../boot.php:1227 -msgid "Or login using OpenID: " -msgstr "Sau conectaţi-vă utilizând OpenID:" - -#: ../../boot.php:1233 -msgid "Forgot your password?" -msgstr "Ați uitat parola?" - -#: ../../boot.php:1234 ../../mod/lostpass.php:109 -msgid "Password Reset" -msgstr "Resetare Parolă" - -#: ../../boot.php:1236 -msgid "Website Terms of Service" -msgstr "Condiții de Utilizare Site Web" - -#: ../../boot.php:1237 -msgid "terms of service" -msgstr "condiții de utilizare" - -#: ../../boot.php:1239 -msgid "Website Privacy Policy" -msgstr "Politica de Confidențialitate Site Web" - -#: ../../boot.php:1240 -msgid "privacy policy" -msgstr "politica de confidențialitate" - -#: ../../boot.php:1373 -msgid "Requested account is not available." -msgstr "Contul solicitat nu este disponibil." - -#: ../../boot.php:1412 ../../mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "Profilul solicitat nu este disponibil." - -#: ../../boot.php:1455 ../../boot.php:1589 -#: ../../include/profile_advanced.php:84 -msgid "Edit profile" -msgstr "Editare profil" - -#: ../../boot.php:1522 ../../include/contact_widgets.php:10 -#: ../../mod/suggest.php:88 ../../mod/match.php:58 -msgid "Connect" -msgstr "Conectare" - -#: ../../boot.php:1554 -msgid "Message" -msgstr "Mesaj" - -#: ../../boot.php:1560 ../../include/nav.php:173 -msgid "Profiles" -msgstr "Profile" - -#: ../../boot.php:1560 -msgid "Manage/edit profiles" -msgstr "Gestionare/editare profile" - -#: ../../boot.php:1565 ../../boot.php:1591 ../../mod/profiles.php:763 -msgid "Change profile photo" -msgstr "Modificați Fotografia de Profil" - -#: ../../boot.php:1566 ../../mod/profiles.php:764 -msgid "Create New Profile" -msgstr "Creați Profil Nou" - -#: ../../boot.php:1576 ../../mod/profiles.php:775 -msgid "Profile Image" -msgstr "Imagine profil" - -#: ../../boot.php:1579 ../../mod/profiles.php:777 -msgid "visible to everybody" -msgstr "vizibil pentru toata lumea" - -#: ../../boot.php:1580 ../../mod/profiles.php:778 -msgid "Edit visibility" -msgstr "Editare vizibilitate" - -#: ../../boot.php:1602 ../../include/event.php:40 -#: ../../include/bb2diaspora.php:156 ../../mod/events.php:471 -#: ../../mod/directory.php:136 -msgid "Location:" -msgstr "Locaţie:" - -#: ../../boot.php:1604 ../../include/profile_advanced.php:17 -#: ../../mod/directory.php:138 -msgid "Gender:" -msgstr "Sex:" - -#: ../../boot.php:1607 ../../include/profile_advanced.php:37 -#: ../../mod/directory.php:140 -msgid "Status:" -msgstr "Status:" - -#: ../../boot.php:1609 ../../include/profile_advanced.php:48 -#: ../../mod/directory.php:142 -msgid "Homepage:" -msgstr "Homepage:" - -#: ../../boot.php:1657 -msgid "Network:" -msgstr "Reţea:" - -#: ../../boot.php:1687 ../../boot.php:1773 -msgid "g A l F d" -msgstr "g A l F d" - -#: ../../boot.php:1688 ../../boot.php:1774 -msgid "F d" -msgstr "F d" - -#: ../../boot.php:1733 ../../boot.php:1814 -msgid "[today]" -msgstr "[azi]" - -#: ../../boot.php:1745 -msgid "Birthday Reminders" -msgstr "Memento Zile naştere " - -#: ../../boot.php:1746 -msgid "Birthdays this week:" -msgstr "Zi;e Naştere această săptămînă:" - -#: ../../boot.php:1807 -msgid "[No description]" -msgstr "[Fără descriere]" - -#: ../../boot.php:1825 -msgid "Event Reminders" -msgstr "Memento Eveniment" - -#: ../../boot.php:1826 -msgid "Events this week:" -msgstr "Evenimente în această săptămână:" - -#: ../../boot.php:2063 ../../include/nav.php:76 -msgid "Status" -msgstr "Status" - -#: ../../boot.php:2066 -msgid "Status Messages and Posts" -msgstr "Status Mesaje şi Postări" - -#: ../../boot.php:2073 -msgid "Profile Details" -msgstr "Detalii Profil" - -#: ../../boot.php:2080 ../../mod/photos.php:52 -msgid "Photo Albums" -msgstr "Albume Photo " - -#: ../../boot.php:2084 ../../boot.php:2087 ../../include/nav.php:79 -msgid "Videos" -msgstr "Clipuri video" - -#: ../../boot.php:2097 -msgid "Events and Calendar" -msgstr "Evenimente şi Calendar" - -#: ../../boot.php:2101 ../../mod/notes.php:44 -msgid "Personal Notes" -msgstr "Note Personale" - -#: ../../boot.php:2104 -msgid "Only You Can See This" -msgstr "Numai Dvs. Puteţi Vizualiza" - -#: ../../include/features.php:23 -msgid "General Features" -msgstr "Caracteristici Generale" - -#: ../../include/features.php:25 -msgid "Multiple Profiles" -msgstr "Profile Multiple" - -#: ../../include/features.php:25 -msgid "Ability to create multiple profiles" -msgstr "Capacitatea de a crea profile multiple" - -#: ../../include/features.php:30 -msgid "Post Composition Features" -msgstr "Caracteristici Compoziţie Postare" - -#: ../../include/features.php:31 -msgid "Richtext Editor" -msgstr "Editor Text Îmbogățit" - -#: ../../include/features.php:31 -msgid "Enable richtext editor" -msgstr "Activare editor text îmbogățit" - -#: ../../include/features.php:32 -msgid "Post Preview" -msgstr "Previzualizare Postare" - -#: ../../include/features.php:32 -msgid "Allow previewing posts and comments before publishing them" -msgstr "Permiteți previzualizarea postărilor şi comentariilor înaintea publicării lor" - -#: ../../include/features.php:33 -msgid "Auto-mention Forums" -msgstr "Auto-menţionare Forumuri" - -#: ../../include/features.php:33 -msgid "" -"Add/remove mention when a fourm page is selected/deselected in ACL window." -msgstr "Adăugaţi/eliminaţi mențiunea când o pagină de forum este selectată/deselectată în fereastra ACL." - -#: ../../include/features.php:38 -msgid "Network Sidebar Widgets" -msgstr "Aplicaţii widget de Rețea în Bara Laterală" - -#: ../../include/features.php:39 -msgid "Search by Date" -msgstr "Căutare după Dată" - -#: ../../include/features.php:39 -msgid "Ability to select posts by date ranges" -msgstr "Abilitatea de a selecta postări după intervalele de timp" - -#: ../../include/features.php:40 -msgid "Group Filter" -msgstr "Filtru Grup" - -#: ../../include/features.php:40 -msgid "Enable widget to display Network posts only from selected group" -msgstr "Permiteți aplicației widget să afișeze postări din Rețea, numai din grupul selectat" - -#: ../../include/features.php:41 -msgid "Network Filter" -msgstr "Filtru Reţea" - -#: ../../include/features.php:41 -msgid "Enable widget to display Network posts only from selected network" -msgstr "Permiteți aplicației widget să afișeze postări din Rețea, numai din rețeaua selectată" - -#: ../../include/features.php:42 ../../mod/network.php:188 -#: ../../mod/search.php:30 -msgid "Saved Searches" -msgstr "Căutări Salvate" - -#: ../../include/features.php:42 -msgid "Save search terms for re-use" -msgstr "Salvați termenii de căutare pentru reutilizare" - -#: ../../include/features.php:47 -msgid "Network Tabs" -msgstr "File Reţea" - -#: ../../include/features.php:48 -msgid "Network Personal Tab" -msgstr "Filă Personală de Reţea" - -#: ../../include/features.php:48 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Permiteți filei să afişeze numai postările Reţelei cu care ați interacţionat" - -#: ../../include/features.php:49 -msgid "Network New Tab" -msgstr "Filă Nouă de Reţea" - -#: ../../include/features.php:49 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "Permiteți filei să afişeze numai postările noi din Reţea (din ultimele 12 ore)" - -#: ../../include/features.php:50 -msgid "Network Shared Links Tab" -msgstr "Filă Legături Distribuite în Rețea" - -#: ../../include/features.php:50 -msgid "Enable tab to display only Network posts with links in them" -msgstr "Permiteți filei să afişeze numai postările din Reţea ce conțin legături" - -#: ../../include/features.php:55 -msgid "Post/Comment Tools" -msgstr "Instrumente Postare/Comentariu" - -#: ../../include/features.php:56 -msgid "Multiple Deletion" -msgstr "Ştergere Multiplă" - -#: ../../include/features.php:56 -msgid "Select and delete multiple posts/comments at once" -msgstr "Selectaţi şi ştergeţi postări/comentarii multiple simultan" - -#: ../../include/features.php:57 -msgid "Edit Sent Posts" -msgstr "Editare Postări Trimise" - -#: ../../include/features.php:57 -msgid "Edit and correct posts and comments after sending" -msgstr "Editarea şi corectarea postărilor şi comentariilor după postarea lor" - -#: ../../include/features.php:58 -msgid "Tagging" -msgstr "Etichetare" - -#: ../../include/features.php:58 -msgid "Ability to tag existing posts" -msgstr "Capacitatea de a eticheta postările existente" - -#: ../../include/features.php:59 -msgid "Post Categories" -msgstr "Categorii Postări" - -#: ../../include/features.php:59 -msgid "Add categories to your posts" -msgstr "Adăugaţi categorii la postările dvs." - -#: ../../include/features.php:60 ../../include/contact_widgets.php:104 -msgid "Saved Folders" -msgstr "Dosare Salvate" - -#: ../../include/features.php:60 -msgid "Ability to file posts under folders" -msgstr "Capacitatea de a atribui postări în dosare" - -#: ../../include/features.php:61 -msgid "Dislike Posts" -msgstr "Respingere Postări" - -#: ../../include/features.php:61 -msgid "Ability to dislike posts/comments" -msgstr "Capacitatea de a marca postări/comentarii ca fiind neplăcute" - -#: ../../include/features.php:62 -msgid "Star Posts" -msgstr "Postări cu Steluță" - -#: ../../include/features.php:62 -msgid "Ability to mark special posts with a star indicator" -msgstr "Capacitatea de a marca posturile speciale cu o stea ca şi indicator" - -#: ../../include/features.php:63 -msgid "Mute Post Notifications" -msgstr "" - -#: ../../include/features.php:63 -msgid "Ability to mute notifications for a thread" -msgstr "" - -#: ../../include/items.php:2090 ../../include/datetime.php:472 -#, php-format -msgid "%s's birthday" -msgstr "%s's zi de naştere" - -#: ../../include/items.php:2091 ../../include/datetime.php:473 -#, php-format -msgid "Happy Birthday %s" -msgstr "La mulţi ani %s" - -#: ../../include/items.php:3856 ../../mod/dfrn_request.php:721 -#: ../../mod/dfrn_confirm.php:752 -msgid "[Name Withheld]" -msgstr "[Nume Reţinut]" - -#: ../../include/items.php:4354 ../../mod/admin.php:166 -#: ../../mod/admin.php:1013 ../../mod/admin.php:1226 ../../mod/viewsrc.php:15 -#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 -#: ../../mod/display.php:459 -msgid "Item not found." -msgstr "Element negăsit." - -#: ../../include/items.php:4393 -msgid "Do you really want to delete this item?" -msgstr "Sigur doriți să ștergeți acest element?" - -#: ../../include/items.php:4395 ../../mod/settings.php:1007 -#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 -#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 -#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 -#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 -#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/contacts.php:332 ../../mod/register.php:230 -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:105 -#: ../../mod/suggest.php:29 ../../mod/message.php:209 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:623 -msgid "Yes" -msgstr "Da" - -#: ../../include/items.php:4398 ../../include/conversation.php:1129 -#: ../../mod/settings.php:612 ../../mod/settings.php:638 -#: ../../mod/contacts.php:335 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:848 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../mod/suggest.php:32 -#: ../../mod/photos.php:203 ../../mod/photos.php:292 ../../mod/tagrm.php:11 -#: ../../mod/tagrm.php:94 ../../mod/message.php:212 -msgid "Cancel" -msgstr "Anulează" - -#: ../../include/items.php:4616 -msgid "Archives" -msgstr "Arhive" - -#: ../../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 "Un grup şters cu acest nume a fost restabilit. Permisiunile existente ale elementului, potfi aplicate acestui grup şi oricăror viitori membrii. Dacă aceasta nu este ceea ați intenționat să faceți, vă rugăm să creaţi un alt grup cu un un nume diferit." - -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Confidenţialitatea implicită a grupului pentru noi contacte" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Toată lumea" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "editare" - -#: ../../include/group.php:270 ../../mod/newmember.php:66 -msgid "Groups" -msgstr "Groupuri" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Editare grup" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Creați un nou grup" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Contacte ce nu se află în orice grup" - -#: ../../include/group.php:275 ../../mod/network.php:189 -msgid "add" -msgstr "add" - -#: ../../include/Photo_old.php:911 ../../include/Photo_old.php:926 -#: ../../include/Photo_old.php:933 ../../include/Photo_old.php:955 -#: ../../include/Photo.php:911 ../../include/Photo.php:926 -#: ../../include/Photo.php:933 ../../include/Photo.php:955 -#: ../../include/message.php:144 ../../mod/wall_upload.php:169 -#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 -#: ../../mod/item.php:463 -msgid "Wall Photos" -msgstr "Fotografii de Perete" - -#: ../../include/dba.php:51 ../../include/dba_pdo.php:72 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Nu se pot localiza informațiile DNS pentru serverul de bază de date '%s'" - -#: ../../include/contact_widgets.php:6 -msgid "Add New Contact" -msgstr "Add Contact Nou" - -#: ../../include/contact_widgets.php:7 -msgid "Enter address or web location" -msgstr "Introduceţi adresa sau locaţia web" - -#: ../../include/contact_widgets.php:8 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Exemplu: bob@example.com, http://example.com/barbara" - -#: ../../include/contact_widgets.php:24 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d invitație disponibilă" -msgstr[1] "%d invitații disponibile" -msgstr[2] "%d de invitații disponibile" - -#: ../../include/contact_widgets.php:30 -msgid "Find People" -msgstr "Căutați Persoane" - -#: ../../include/contact_widgets.php:31 -msgid "Enter name or interest" -msgstr "Introduceţi numele sau interesul" - -#: ../../include/contact_widgets.php:32 -msgid "Connect/Follow" -msgstr "Conectare/Urmărire" - -#: ../../include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Exemple: Robert Morgenstein, Pescuit" - -#: ../../include/contact_widgets.php:34 ../../mod/contacts.php:700 -#: ../../mod/directory.php:63 -msgid "Find" -msgstr "Căutare" - -#: ../../include/contact_widgets.php:37 -msgid "Random Profile" -msgstr "Profil Aleatoriu" - -#: ../../include/contact_widgets.php:71 -msgid "Networks" -msgstr "Rețele" - -#: ../../include/contact_widgets.php:74 -msgid "All Networks" -msgstr "Toate Reţelele" - -#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 -msgid "Everything" -msgstr "Totul" - -#: ../../include/contact_widgets.php:136 -msgid "Categories" -msgstr "Categorii" - -#: ../../include/contact_widgets.php:200 ../../mod/contacts.php:427 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d contact în comun" -msgstr[1] "%d contacte în comun" -msgstr[2] "%d de contacte în comun" - -#: ../../include/enotify.php:18 -msgid "Friendica Notification" -msgstr "Notificare Friendica" - -#: ../../include/enotify.php:21 -msgid "Thank You," -msgstr "Vă mulțumim," - -#: ../../include/enotify.php:23 -#, php-format -msgid "%s Administrator" -msgstr "%s Administrator" - -#: ../../include/enotify.php:30 ../../include/delivery.php:467 -#: ../../include/notifier.php:784 -msgid "noreply" -msgstr "nu-răspundeţi" - -#: ../../include/enotify.php:55 -#, php-format -msgid "%s " -msgstr "%s " - -#: ../../include/enotify.php:59 -#, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica:Notificare] Mail nou primit la %s" - -#: ../../include/enotify.php:61 -#, php-format -msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s v-a trimis un nou mesaj privat la %2$s." - -#: ../../include/enotify.php:62 -#, php-format -msgid "%1$s sent you %2$s." -msgstr "%1$s v-a trimis %2$s" - -#: ../../include/enotify.php:62 -msgid "a private message" -msgstr "un mesaj privat" - -#: ../../include/enotify.php:63 -#, php-format -msgid "Please visit %s to view and/or reply to your private messages." -msgstr "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la mesaje private." - -#: ../../include/enotify.php:115 -#, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s a comentat la [url=%2$s]a %3$s[/url]" - -#: ../../include/enotify.php:122 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s a comentat la [url=%2$s]%4$s postat de %3$s[/url]" - -#: ../../include/enotify.php:130 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s a comentat la [url=%2$s]%3$s dvs.[/url]" - -#: ../../include/enotify.php:140 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notificare] Comentariu la conversaţia #%1$d postată de %2$s" - -#: ../../include/enotify.php:141 -#, php-format -msgid "%s commented on an item/conversation you have been following." -msgstr "%s a comentat la un element/conversaţie pe care o urmăriți." - -#: ../../include/enotify.php:144 ../../include/enotify.php:159 -#: ../../include/enotify.php:172 ../../include/enotify.php:185 -#: ../../include/enotify.php:203 ../../include/enotify.php:216 -#, php-format -msgid "Please visit %s to view and/or reply to the conversation." -msgstr "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la conversație." - -#: ../../include/enotify.php:151 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Notificare] %s a postat pe peretele dvs. de profil" - -#: ../../include/enotify.php:153 -#, php-format -msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s a postat pe peretele dvs. de profil la %2$s" - -#: ../../include/enotify.php:155 -#, php-format -msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "%1$s a postat pe [url=%2$s]peretele dvs.[/url]" - -#: ../../include/enotify.php:166 -#, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notificare] %s v-a etichetat" - -#: ../../include/enotify.php:167 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s v-a etichetat la %2$s" - -#: ../../include/enotify.php:168 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [url=%2$s]v-a etichetat[/url]." - -#: ../../include/enotify.php:179 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" -msgstr "[Friendica:Notificare] %s a distribuit o nouă postare" - -#: ../../include/enotify.php:180 -#, php-format -msgid "%1$s shared a new post at %2$s" -msgstr "%1$s a distribuit o nouă postare la %2$s" - -#: ../../include/enotify.php:181 -#, php-format -msgid "%1$s [url=%2$s]shared a post[/url]." -msgstr "%1$s [url=%2$s] a distribuit o postare[/url]." - -#: ../../include/enotify.php:193 -#, php-format -msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notificare] %1$s v-a abordat" - -#: ../../include/enotify.php:194 -#, php-format -msgid "%1$s poked you at %2$s" -msgstr "%1$s v-a abordat la %2$s" - -#: ../../include/enotify.php:195 -#, php-format -msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s [url=%2$s]v-a abordat[/url]." - -#: ../../include/enotify.php:210 -#, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notificare] %s v-a etichetat postarea" - -#: ../../include/enotify.php:211 -#, php-format -msgid "%1$s tagged your post at %2$s" -msgstr "%1$sv-a etichetat postarea la %2$s" - -#: ../../include/enotify.php:212 -#, php-format -msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s a etichetat [url=%2$s]postarea dvs.[/url]" - -#: ../../include/enotify.php:223 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Notificare] Prezentare primită" - -#: ../../include/enotify.php:224 -#, php-format -msgid "You've received an introduction from '%1$s' at %2$s" -msgstr "Aţi primit o prezentare de la '%1$s' at %2$s" - -#: ../../include/enotify.php:225 -#, php-format -msgid "You've received [url=%1$s]an introduction[/url] from %2$s." -msgstr "Aţi primit [url=%1$s]o prezentare[/url] de la %2$s." - -#: ../../include/enotify.php:228 ../../include/enotify.php:270 -#, php-format -msgid "You may visit their profile at %s" -msgstr "Le puteți vizita profilurile, online pe %s" - -#: ../../include/enotify.php:230 -#, php-format -msgid "Please visit %s to approve or reject the introduction." -msgstr "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge prezentarea." - -#: ../../include/enotify.php:238 -msgid "[Friendica:Notify] A new person is sharing with you" -msgstr "" - -#: ../../include/enotify.php:239 ../../include/enotify.php:240 -#, php-format -msgid "%1$s is sharing with you at %2$s" -msgstr "" - -#: ../../include/enotify.php:246 -msgid "[Friendica:Notify] You have a new follower" -msgstr "" - -#: ../../include/enotify.php:247 ../../include/enotify.php:248 -#, php-format -msgid "You have a new follower at %2$s : %1$s" -msgstr "" - -#: ../../include/enotify.php:261 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica:Notificare] Ați primit o sugestie de prietenie" - -#: ../../include/enotify.php:262 -#, php-format -msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "Ați primit o sugestie de prietenie de la '%1$s' la %2$s" - -#: ../../include/enotify.php:263 -#, php-format -msgid "" -"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -msgstr "Aţi primit [url=%1$s]o sugestie de prietenie[/url] pentru %2$s de la %3$s." - -#: ../../include/enotify.php:268 -msgid "Name:" -msgstr "Nume:" - -#: ../../include/enotify.php:269 -msgid "Photo:" -msgstr "Foto:" - -#: ../../include/enotify.php:272 -#, php-format -msgid "Please visit %s to approve or reject the suggestion." -msgstr "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge sugestia." - -#: ../../include/enotify.php:280 ../../include/enotify.php:293 -msgid "[Friendica:Notify] Connection accepted" -msgstr "" - -#: ../../include/enotify.php:281 ../../include/enotify.php:294 -#, php-format -msgid "'%1$s' has acepted your connection request at %2$s" -msgstr "" - -#: ../../include/enotify.php:282 ../../include/enotify.php:295 -#, php-format -msgid "%2$s has accepted your [url=%1$s]connection request[/url]." -msgstr "" - -#: ../../include/enotify.php:285 -msgid "" -"You are now mutual friends and may exchange status updates, photos, and email\n" -"\twithout restriction." -msgstr "" - -#: ../../include/enotify.php:288 ../../include/enotify.php:302 -#, php-format -msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "" - -#: ../../include/enotify.php:298 -#, 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:300 -#, 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:313 -msgid "[Friendica System:Notify] registration request" -msgstr "" - -#: ../../include/enotify.php:314 -#, php-format -msgid "You've received a registration request from '%1$s' at %2$s" -msgstr "" - -#: ../../include/enotify.php:315 -#, php-format -msgid "You've received a [url=%1$s]registration request[/url] from %2$s." -msgstr "" - -#: ../../include/enotify.php:318 -#, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -msgstr "" - -#: ../../include/enotify.php:321 -#, php-format -msgid "Please visit %s to approve or reject the request." -msgstr "" - -#: ../../include/api.php:262 ../../include/api.php:273 -#: ../../include/api.php:374 ../../include/api.php:958 -#: ../../include/api.php:960 -msgid "User not found." -msgstr "Utilizatorul nu a fost găsit." - -#: ../../include/api.php:1167 -msgid "There is no status with this id." -msgstr "Nu există nici-un status cu acest id." - -#: ../../include/api.php:1237 -msgid "There is no conversation with this id." -msgstr "Nu există nici-o conversație cu acest id." - -#: ../../include/network.php:892 -msgid "view full size" -msgstr "vezi intreaga mărime" - -#: ../../include/Scrape.php:584 -msgid " on Last.fm" -msgstr "pe Last.fm" - -#: ../../include/profile_advanced.php:15 ../../mod/settings.php:1125 -msgid "Full Name:" -msgstr "Nume complet:" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "j F, Y" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "j F" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "Zile Naştere :" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "Vârsta:" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "pentru %1$d %2$s" - -#: ../../include/profile_advanced.php:46 ../../mod/profiles.php:673 -msgid "Sexual Preference:" -msgstr "Orientare Sexuală:" - -#: ../../include/profile_advanced.php:50 ../../mod/profiles.php:675 -msgid "Hometown:" -msgstr "Domiciliu:" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "Etichete:" - -#: ../../include/profile_advanced.php:54 ../../mod/profiles.php:676 -msgid "Political Views:" -msgstr "Viziuni Politice:" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "Religie:" - -#: ../../include/profile_advanced.php:58 ../../mod/directory.php:144 -msgid "About:" -msgstr "Despre:" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "Hobby/Interese:" - -#: ../../include/profile_advanced.php:62 ../../mod/profiles.php:680 -msgid "Likes:" -msgstr "Îmi place:" - -#: ../../include/profile_advanced.php:64 ../../mod/profiles.php:681 -msgid "Dislikes:" -msgstr "Nu-mi place:" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "Informaţii de Contact şi Reţele Sociale:" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "Preferințe muzicale:" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "Cărti, literatură:" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "Programe TV:" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "Film/dans/cultură/divertisment:" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "Dragoste/Romantism:" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "Loc de Muncă/Slujbă:" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "Școală/educatie:" - -#: ../../include/nav.php:34 ../../mod/navigation.php:20 -msgid "Nothing new here" -msgstr "Nimic nou aici" - -#: ../../include/nav.php:38 ../../mod/navigation.php:24 -msgid "Clear notifications" -msgstr "Ştergeţi notificările" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Finalizați această sesiune" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "Fișierele tale video" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "Notele tale personale" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Autentificare" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Home Pagina" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Creați un cont" - -#: ../../include/nav.php:114 ../../mod/help.php:84 -msgid "Help" -msgstr "Ajutor" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Ajutor şi documentaţie" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Aplicații" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Suplimente la aplicații, utilitare, jocuri" - -#: ../../include/nav.php:119 ../../include/text.php:952 -#: ../../include/text.php:953 ../../mod/search.php:99 -msgid "Search" -msgstr "Căutare" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Căutare în conținut site" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Conversaţii pe acest site" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Director" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Director persoane" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "Informaţii" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "Informaţii despre această instanță friendica" - -#: ../../include/nav.php:143 ../../mod/notifications.php:83 -msgid "Network" -msgstr "Reţea" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Conversaţiile prieteniilor dvs." - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Resetare Reţea" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "Încărcare pagina de Reţea fără filtre" - -#: ../../include/nav.php:152 ../../mod/notifications.php:98 -msgid "Introductions" -msgstr "Introduceri" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Solicitări Prietenie" - -#: ../../include/nav.php:153 ../../mod/notifications.php:220 -msgid "Notifications" -msgstr "Notificări" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Consultaţi toate notificările" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Marcaţi toate notificările de sistem, ca și vizualizate" - -#: ../../include/nav.php:159 ../../mod/notifications.php:103 -#: ../../mod/message.php:182 -msgid "Messages" -msgstr "Mesage" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Mail privat" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "Mesaje primite" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Căsuță de Ieșire" - -#: ../../include/nav.php:162 ../../mod/message.php:9 -msgid "New Message" -msgstr "Mesaj nou" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Gestionare" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Gestionează alte pagini" - -#: ../../include/nav.php:168 ../../mod/settings.php:62 -msgid "Delegations" -msgstr "Delegații" - -#: ../../include/nav.php:168 ../../mod/delegate.php:124 -msgid "Delegate Page Management" -msgstr "Delegare Gestionare Pagină" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Configurări Cont" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Gestionare/Editare Profile" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Gestionare/Editare prieteni şi contacte" - -#: ../../include/nav.php:182 ../../mod/admin.php:128 -msgid "Admin" -msgstr "Admin" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Instalare şi configurare site" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navigare" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Hartă Site" - -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Apăsați aici pentru a actualiza." - -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Această acţiune depăşeşte limitele stabilite de planul abonamentului dvs." - -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Această acţiune nu este disponibilă în planul abonamentului dvs." - -#: ../../include/follow.php:27 ../../mod/dfrn_request.php:507 -msgid "Disallowed profile URL." -msgstr "Profil URL invalid." - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "Lipseşte URL-ul de conectare." - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Acest site nu este configurat pentru a permite comunicarea cu alte reţele." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Nu au fost descoperite protocoale de comunicaţii sau fluxuri compatibile." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "Adresa de profil specificată nu furnizează informații adecvate." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Un autor sau nume nu a fost găsit." - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Nici un URL de browser nu a putut fi corelat cu această adresă." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Nu se poate corela @-stilul pentru Adresa de Identitatea cu un protocol cunoscut sau contact de email." - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Utilizaţi mailto: în faţa adresei pentru a forţa verificarea de email." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "Adresa de profil specificată aparţine unei reţele care a fost dezactivată pe acest site." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Profil limitat. Această persoană nu va putea primi notificări directe/personale, de la dvs." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "Nu se pot localiza informaţiile de contact." - -#: ../../include/follow.php:259 -msgid "following" -msgstr "urmărire" - -#: ../../include/uimport.php:94 -msgid "Error decoding account file" -msgstr "Eroare la decodarea fişierului de cont" - -#: ../../include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Eroare! Nu există data versiunii în fişier! Acesta nu este un fișier de cont Friendica?" - -#: ../../include/uimport.php:116 ../../include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "Eroare! Nu pot verifica pseudonimul" - -#: ../../include/uimport.php:120 ../../include/uimport.php:131 -#, php-format -msgid "User '%s' already exists on this server!" -msgstr "Utilizatorul '%s' există deja pe acest server!" - -#: ../../include/uimport.php:153 -msgid "User creation error" -msgstr "Eroare la crearea utilizatorului" - -#: ../../include/uimport.php:171 -msgid "User profile creation error" -msgstr "Eroare la crearea profilului utilizatorului" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d contact neimportat" -msgstr[1] "%d contacte neimportate" -msgstr[2] "%d de contacte neimportate" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" -msgstr "Realizat. Vă puteţi conecta acum cu parola şi numele dumneavoastră de utilizator" - -#: ../../include/event.php:11 ../../include/bb2diaspora.php:134 -#: ../../mod/localtime.php:12 -msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 -msgid "Starts:" -msgstr "Începe:" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 -msgid "Finishes:" -msgstr "Se finalizează:" - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "urmărire întreruptă" - -#: ../../include/Contact.php:228 ../../include/conversation.php:882 -msgid "Poke" -msgstr "Abordare" - -#: ../../include/Contact.php:229 ../../include/conversation.php:876 -msgid "View Status" -msgstr "Vizualizare Status" - -#: ../../include/Contact.php:230 ../../include/conversation.php:877 -msgid "View Profile" -msgstr "Vizualizare Profil" - -#: ../../include/Contact.php:231 ../../include/conversation.php:878 -msgid "View Photos" -msgstr "Vizualizare Fotografii" - -#: ../../include/Contact.php:232 ../../include/Contact.php:255 -#: ../../include/conversation.php:879 -msgid "Network Posts" -msgstr "Postări din Rețea" - -#: ../../include/Contact.php:233 ../../include/Contact.php:255 -#: ../../include/conversation.php:880 -msgid "Edit Contact" -msgstr "Edit Contact" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "Eliminare Contact" - -#: ../../include/Contact.php:235 ../../include/Contact.php:255 -#: ../../include/conversation.php:881 -msgid "Send PM" -msgstr "Trimiteți mesaj personal" - -#: ../../include/dbstructure.php:23 -#, 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:28 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "" - -#: ../../include/dbstructure.php:181 -msgid "Errors encountered creating database tables." -msgstr "Erori întâlnite la crearea tabelelor bazei de date." - -#: ../../include/dbstructure.php:239 -msgid "Errors encountered performing database changes." -msgstr "Erori întâlnite la operarea de modificări în baza de date." - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Diverse" - -#: ../../include/datetime.php:153 ../../include/datetime.php:285 -msgid "year" -msgstr "an" - -#: ../../include/datetime.php:158 ../../include/datetime.php:286 -msgid "month" -msgstr "lună" - -#: ../../include/datetime.php:163 ../../include/datetime.php:288 -msgid "day" -msgstr "zi" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "niciodată" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "acum mai puțin de o secundă" - -#: ../../include/datetime.php:285 -msgid "years" -msgstr "ani" - -#: ../../include/datetime.php:286 -msgid "months" -msgstr "luni" - -#: ../../include/datetime.php:287 -msgid "week" -msgstr "săptămână" - -#: ../../include/datetime.php:287 -msgid "weeks" -msgstr "săptămâni" - -#: ../../include/datetime.php:288 -msgid "days" -msgstr "zile" - -#: ../../include/datetime.php:289 -msgid "hour" -msgstr "oră" - -#: ../../include/datetime.php:289 -msgid "hours" -msgstr "ore" - -#: ../../include/datetime.php:290 -msgid "minute" -msgstr "minut" - -#: ../../include/datetime.php:290 -msgid "minutes" -msgstr "minute" - -#: ../../include/datetime.php:291 -msgid "second" -msgstr "secundă" - -#: ../../include/datetime.php:291 -msgid "seconds" -msgstr "secunde" - -#: ../../include/datetime.php:300 -#, php-format -msgid "%1$d %2$s ago" -msgstr "acum %1$d %2$s" - -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[fără subiect]" - -#: ../../include/delivery.php:456 ../../include/notifier.php:774 -msgid "(no subject)" -msgstr "(fără subiect)" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Necunoscut | Fără categorie" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Blocare Imediată" - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Dubioșii, spammerii, auto-promoterii" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Cunoscut mie, dar fără o opinie" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "OK, probabil inofensiv" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Cu reputație, are încrederea mea" - -#: ../../include/contact_selectors.php:56 ../../mod/admin.php:542 -msgid "Frequently" -msgstr "Frecvent" - -#: ../../include/contact_selectors.php:57 ../../mod/admin.php:543 -msgid "Hourly" -msgstr "Din oră în oră" - -#: ../../include/contact_selectors.php:58 ../../mod/admin.php:544 -msgid "Twice daily" -msgstr "De două ori pe zi" - -#: ../../include/contact_selectors.php:59 ../../mod/admin.php:545 -msgid "Daily" -msgstr "Zilnic" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Săptămânal" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Lunar" - -#: ../../include/contact_selectors.php:76 ../../mod/dfrn_request.php:840 -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:964 -#: ../../mod/admin.php:976 ../../mod/admin.php:977 ../../mod/admin.php:992 -msgid "Email" -msgstr "Email" - -#: ../../include/contact_selectors.php:80 ../../mod/settings.php:733 -#: ../../mod/dfrn_request.php:842 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/contact_selectors.php:81 ../../mod/newmember.php:49 -#: ../../mod/newmember.php:51 -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 "Conector Diaspora" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "Statusnet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "App.net" - -#: ../../include/diaspora.php:620 ../../include/conversation.php:172 -#: ../../mod/dfrn_confirm.php:486 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s este acum prieten cu %2$s" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "Partajarea notificării din reţeaua Diaspora" - -#: ../../include/diaspora.php:2312 -msgid "Attachments:" -msgstr "Atașări:" - -#: ../../include/conversation.php:140 ../../mod/like.php:168 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s nu apreciază %3$s lui %2$s" - -#: ../../include/conversation.php:207 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s a abordat pe %2$s" - -#: ../../include/conversation.php:211 ../../include/text.php:1004 -msgid "poked" -msgstr "a fost abordat(ă)" - -#: ../../include/conversation.php:227 ../../mod/mood.php:62 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "%1$s este momentan %2$s" - -#: ../../include/conversation.php:266 ../../mod/tagger.php:95 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s a etichetat %3$s de la %2$s cu %4$s" - -#: ../../include/conversation.php:291 -msgid "post/item" -msgstr "post/element" - -#: ../../include/conversation.php:292 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s a marcat %3$s de la %2$s ca favorit" - -#: ../../include/conversation.php:613 ../../object/Item.php:129 -#: ../../mod/photos.php:1651 ../../mod/content.php:437 -#: ../../mod/content.php:740 -msgid "Select" -msgstr "Select" - -#: ../../include/conversation.php:614 ../../object/Item.php:130 -#: ../../mod/group.php:171 ../../mod/settings.php:674 -#: ../../mod/contacts.php:709 ../../mod/admin.php:968 -#: ../../mod/photos.php:1652 ../../mod/content.php:438 -#: ../../mod/content.php:741 -msgid "Delete" -msgstr "Şterge" - -#: ../../include/conversation.php:654 ../../object/Item.php:326 -#: ../../object/Item.php:327 ../../mod/content.php:471 -#: ../../mod/content.php:852 ../../mod/content.php:853 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Vizualizaţi profilul %s @ %s" - -#: ../../include/conversation.php:666 ../../object/Item.php:316 -msgid "Categories:" -msgstr "Categorii:" - -#: ../../include/conversation.php:667 ../../object/Item.php:317 -msgid "Filed under:" -msgstr "Înscris în:" - -#: ../../include/conversation.php:674 ../../object/Item.php:340 -#: ../../mod/content.php:481 ../../mod/content.php:864 -#, php-format -msgid "%s from %s" -msgstr "%s de la %s" - -#: ../../include/conversation.php:690 ../../mod/content.php:497 -msgid "View in context" -msgstr "Vizualizare în context" - -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/photos.php:1543 -#: ../../mod/message.php:334 ../../mod/message.php:565 -#: ../../mod/content.php:499 ../../mod/content.php:883 -msgid "Please wait" -msgstr "Aşteptaţi vă rog" - -#: ../../include/conversation.php:772 -msgid "remove" -msgstr "eliminare" - -#: ../../include/conversation.php:776 -msgid "Delete Selected Items" -msgstr "Ștergeți Elementele Selectate" - -#: ../../include/conversation.php:875 -msgid "Follow Thread" -msgstr "Urmăriți Firul Conversației" - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s likes this." -msgstr "%s apreciază aceasta." - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s doesn't like this." -msgstr "%s nu apreciază aceasta." - -#: ../../include/conversation.php:949 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d persoane apreciază aceasta" - -#: ../../include/conversation.php:952 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d persoanenu apreciază aceasta" - -#: ../../include/conversation.php:966 -msgid "and" -msgstr "şi" - -#: ../../include/conversation.php:972 -#, php-format -msgid ", and %d other people" -msgstr ", şi %d alte persoane" - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s like this." -msgstr "%s apreciază aceasta." - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s don't like this." -msgstr "%s nu apreciază aceasta." - -#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 -msgid "Visible to everybody" -msgstr "Vizibil pentru toți" - -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -msgid "Please enter a link URL:" -msgstr "Introduceţi un link URL:" - -#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 -msgid "Please enter a video link/URL:" -msgstr "Vă rugăm să introduceți un URL/legătură pentru clip video" - -#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 -msgid "Please enter an audio link/URL:" -msgstr "Vă rugăm să introduceți un URL/legătură pentru clip audio" - -#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 -msgid "Tag term:" -msgstr "Termen etichetare:" - -#: ../../include/conversation.php:1006 ../../include/conversation.php:1024 -#: ../../mod/filer.php:30 -msgid "Save to Folder:" -msgstr "Salvare în Dosar:" - -#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 -msgid "Where are you right now?" -msgstr "Unde vă aflați acum?" - -#: ../../include/conversation.php:1008 -msgid "Delete item(s)?" -msgstr "Ștergeți element(e)?" - -#: ../../include/conversation.php:1051 -msgid "Post to Email" -msgstr "Postați prin Email" - -#: ../../include/conversation.php:1056 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Conectorii au fost dezactivați, din moment ce \"%s\" este activat." - -#: ../../include/conversation.php:1057 ../../mod/settings.php:1025 -msgid "Hide your profile details from unknown viewers?" -msgstr "Ascundeţi detaliile profilului dvs. de vizitatorii necunoscuți?" - -#: ../../include/conversation.php:1090 ../../mod/photos.php:1542 -msgid "Share" -msgstr "Partajează" - -#: ../../include/conversation.php:1091 ../../mod/wallmessage.php:154 -#: ../../mod/editpost.php:110 ../../mod/message.php:332 -#: ../../mod/message.php:562 -msgid "Upload photo" -msgstr "Încarcă foto" - -#: ../../include/conversation.php:1092 ../../mod/editpost.php:111 -msgid "upload photo" -msgstr "încărcare fotografie" - -#: ../../include/conversation.php:1093 ../../mod/editpost.php:112 -msgid "Attach file" -msgstr "Ataşează fişier" - -#: ../../include/conversation.php:1094 ../../mod/editpost.php:113 -msgid "attach file" -msgstr "ataşează fişier" - -#: ../../include/conversation.php:1095 ../../mod/wallmessage.php:155 -#: ../../mod/editpost.php:114 ../../mod/message.php:333 -#: ../../mod/message.php:563 -msgid "Insert web link" -msgstr "Inserează link web" - -#: ../../include/conversation.php:1096 ../../mod/editpost.php:115 -msgid "web link" -msgstr "web link" - -#: ../../include/conversation.php:1097 ../../mod/editpost.php:116 -msgid "Insert video link" -msgstr "Inserează video link" - -#: ../../include/conversation.php:1098 ../../mod/editpost.php:117 -msgid "video link" -msgstr "video link" - -#: ../../include/conversation.php:1099 ../../mod/editpost.php:118 -msgid "Insert audio link" -msgstr "Inserare link audio" - -#: ../../include/conversation.php:1100 ../../mod/editpost.php:119 -msgid "audio link" -msgstr "audio link" - -#: ../../include/conversation.php:1101 ../../mod/editpost.php:120 -msgid "Set your location" -msgstr "Setează locaţia dvs" - -#: ../../include/conversation.php:1102 ../../mod/editpost.php:121 -msgid "set location" -msgstr "set locaţie" - -#: ../../include/conversation.php:1103 ../../mod/editpost.php:122 -msgid "Clear browser location" -msgstr "Curățare locație browser" - -#: ../../include/conversation.php:1104 ../../mod/editpost.php:123 -msgid "clear location" -msgstr "şterge locaţia" - -#: ../../include/conversation.php:1106 ../../mod/editpost.php:137 -msgid "Set title" -msgstr "Setează titlu" - -#: ../../include/conversation.php:1108 ../../mod/editpost.php:139 -msgid "Categories (comma-separated list)" -msgstr "Categorii (listă cu separator prin virgulă)" - -#: ../../include/conversation.php:1110 ../../mod/editpost.php:125 -msgid "Permission settings" -msgstr "Setări permisiuni" - -#: ../../include/conversation.php:1111 -msgid "permissions" -msgstr "permisiuni" - -#: ../../include/conversation.php:1119 ../../mod/editpost.php:133 -msgid "CC: email addresses" -msgstr "CC: adresă email" - -#: ../../include/conversation.php:1120 ../../mod/editpost.php:134 -msgid "Public post" -msgstr "Public post" - -#: ../../include/conversation.php:1122 ../../mod/editpost.php:140 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Exemplu: bob@exemplu.com, mary@exemplu.com" - -#: ../../include/conversation.php:1126 ../../object/Item.php:687 -#: ../../mod/editpost.php:145 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -#: ../../mod/content.php:719 -msgid "Preview" -msgstr "Previzualizare" - -#: ../../include/conversation.php:1135 -msgid "Post to Groups" -msgstr "Postați în Grupuri" - -#: ../../include/conversation.php:1136 -msgid "Post to Contacts" -msgstr "Post către Contacte" - -#: ../../include/conversation.php:1137 -msgid "Private post" -msgstr "Articol privat" - -#: ../../include/text.php:296 -msgid "newer" -msgstr "mai noi" - -#: ../../include/text.php:298 -msgid "older" -msgstr "mai vechi" - -#: ../../include/text.php:303 -msgid "prev" -msgstr "preced" - -#: ../../include/text.php:305 -msgid "first" -msgstr "prima" - -#: ../../include/text.php:337 -msgid "last" -msgstr "ultima" - -#: ../../include/text.php:340 -msgid "next" -msgstr "următor" - -#: ../../include/text.php:854 -msgid "No contacts" -msgstr "Nici-un contact" - -#: ../../include/text.php:863 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d Contact" -msgstr[1] "%d Contacte" -msgstr[2] "%d de Contacte" - -#: ../../include/text.php:875 ../../mod/viewcontacts.php:76 -msgid "View Contacts" -msgstr "Vezi Contacte" - -#: ../../include/text.php:955 ../../mod/editpost.php:109 -#: ../../mod/notes.php:63 ../../mod/filer.php:31 -msgid "Save" -msgstr "Salvare" - -#: ../../include/text.php:1004 -msgid "poke" -msgstr "abordare" - -#: ../../include/text.php:1005 -msgid "ping" -msgstr "ping" - -#: ../../include/text.php:1005 -msgid "pinged" -msgstr "i s-a trimis ping" - -#: ../../include/text.php:1006 -msgid "prod" -msgstr "prod" - -#: ../../include/text.php:1006 -msgid "prodded" -msgstr "i s-a atras atenția" - -#: ../../include/text.php:1007 -msgid "slap" -msgstr "plesnire" - -#: ../../include/text.php:1007 -msgid "slapped" -msgstr "a fost plesnit(ă)" - -#: ../../include/text.php:1008 -msgid "finger" -msgstr "indicare" - -#: ../../include/text.php:1008 -msgid "fingered" -msgstr "a fost indicat(ă)" - -#: ../../include/text.php:1009 -msgid "rebuff" -msgstr "respingere" - -#: ../../include/text.php:1009 -msgid "rebuffed" -msgstr "a fost respins(ă)" - -#: ../../include/text.php:1023 -msgid "happy" -msgstr "fericit(ă)" - -#: ../../include/text.php:1024 -msgid "sad" -msgstr "trist(ă)" - -#: ../../include/text.php:1025 -msgid "mellow" -msgstr "trist(ă)" - -#: ../../include/text.php:1026 -msgid "tired" -msgstr "obosit(ă)" - -#: ../../include/text.php:1027 -msgid "perky" -msgstr "arogant(ă)" - -#: ../../include/text.php:1028 -msgid "angry" -msgstr "supărat(ă)" - -#: ../../include/text.php:1029 -msgid "stupified" -msgstr "stupefiat(ă)" - -#: ../../include/text.php:1030 -msgid "puzzled" -msgstr "nedumerit(ă)" - -#: ../../include/text.php:1031 -msgid "interested" -msgstr "interesat(ă)" - -#: ../../include/text.php:1032 -msgid "bitter" -msgstr "amarnic" - -#: ../../include/text.php:1033 -msgid "cheerful" -msgstr "vesel(ă)" - -#: ../../include/text.php:1034 -msgid "alive" -msgstr "plin(ă) de viață" - -#: ../../include/text.php:1035 -msgid "annoyed" -msgstr "enervat(ă)" - -#: ../../include/text.php:1036 -msgid "anxious" -msgstr "neliniştit(ă)" - -#: ../../include/text.php:1037 -msgid "cranky" -msgstr "irascibil(ă)" - -#: ../../include/text.php:1038 -msgid "disturbed" -msgstr "perturbat(ă)" - -#: ../../include/text.php:1039 -msgid "frustrated" -msgstr "frustrat(ă)" - -#: ../../include/text.php:1040 -msgid "motivated" -msgstr "motivat(ă)" - -#: ../../include/text.php:1041 -msgid "relaxed" -msgstr "relaxat(ă)" - -#: ../../include/text.php:1042 -msgid "surprised" -msgstr "surprins(ă)" - -#: ../../include/text.php:1210 -msgid "Monday" -msgstr "Luni" - -#: ../../include/text.php:1210 -msgid "Tuesday" -msgstr "Marţi" - -#: ../../include/text.php:1210 -msgid "Wednesday" -msgstr "Miercuri" - -#: ../../include/text.php:1210 -msgid "Thursday" -msgstr "Joi" - -#: ../../include/text.php:1210 -msgid "Friday" -msgstr "Vineri" - -#: ../../include/text.php:1210 -msgid "Saturday" -msgstr "Sâmbătă" - -#: ../../include/text.php:1210 -msgid "Sunday" -msgstr "Duminică" - -#: ../../include/text.php:1214 -msgid "January" -msgstr "Ianuarie" - -#: ../../include/text.php:1214 -msgid "February" -msgstr "Februarie" - -#: ../../include/text.php:1214 -msgid "March" -msgstr "Martie" - -#: ../../include/text.php:1214 -msgid "April" -msgstr "Aprilie" - -#: ../../include/text.php:1214 -msgid "May" -msgstr "Mai" - -#: ../../include/text.php:1214 -msgid "June" -msgstr "Iunie" - -#: ../../include/text.php:1214 -msgid "July" -msgstr "Iulie" - -#: ../../include/text.php:1214 -msgid "August" -msgstr "August" - -#: ../../include/text.php:1214 -msgid "September" -msgstr "Septembrie" - -#: ../../include/text.php:1214 -msgid "October" -msgstr "Octombrie" - -#: ../../include/text.php:1214 -msgid "November" -msgstr "Noiembrie" - -#: ../../include/text.php:1214 -msgid "December" -msgstr "Decembrie" - -#: ../../include/text.php:1403 ../../mod/videos.php:301 -msgid "View Video" -msgstr "Vizualizați Clipul Video" - -#: ../../include/text.php:1435 -msgid "bytes" -msgstr "octeţi" - -#: ../../include/text.php:1459 ../../include/text.php:1471 -msgid "Click to open/close" -msgstr "Apăsați pentru a deschide/închide" - -#: ../../include/text.php:1645 ../../include/text.php:1655 -#: ../../mod/events.php:335 -msgid "link to source" -msgstr "link către sursă" - -#: ../../include/text.php:1700 ../../include/user.php:247 -msgid "default" -msgstr "implicit" - -#: ../../include/text.php:1712 -msgid "Select an alternate language" -msgstr "Selectați o limbă alternativă" - -#: ../../include/text.php:1968 -msgid "activity" -msgstr "activitate" - -#: ../../include/text.php:1970 ../../object/Item.php:389 -#: ../../object/Item.php:402 ../../mod/content.php:605 -msgid "comment" -msgid_plural "comments" -msgstr[0] "comentariu" -msgstr[1] "comentarii" -msgstr[2] "comentarii" - -#: ../../include/text.php:1971 -msgid "post" -msgstr "postare" - -#: ../../include/text.php:2139 -msgid "Item filed" -msgstr "Element îndosariat" - -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Deconectat." - -#: ../../include/auth.php:112 ../../include/auth.php:175 -#: ../../mod/openid.php:93 -msgid "Login failed." -msgstr "Eşec la conectare" - -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Am întâmpinat o problemă în timpul autentificării cu datele OpenID pe care le-ați furnizat." - -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "The error message was:" -msgstr "Mesajul de eroare a fost:" - -#: ../../include/bbcode.php:449 ../../include/bbcode.php:1050 -#: ../../include/bbcode.php:1051 -msgid "Image/photo" -msgstr "Imagine/fotografie" - -#: ../../include/bbcode.php:545 -#, php-format -msgid "%2$s %3$s" -msgstr "%2$s %3$s" - -#: ../../include/bbcode.php:579 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "%s a scris următoarea postare" - -#: ../../include/bbcode.php:1014 ../../include/bbcode.php:1034 -msgid "$1 wrote:" -msgstr "$1 a scris:" - -#: ../../include/bbcode.php:1059 ../../include/bbcode.php:1060 -msgid "Encrypted content" -msgstr "Conţinut criptat" - -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Bine ați venit" - -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Vă rugăm să încărcaţi o fotografie de profil." - -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Bine ați revenit" - -#: ../../include/security.php:366 -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 "Formarea codului de securitate, nu a fost corectă. Aceasta probabil s-a întâmplat pentru că formularul a fost deschis pentru prea mult timp ( >3 ore) înainte de a-l transmite." - -#: ../../include/oembed.php:205 -msgid "Embedded content" -msgstr "Conţinut încorporat" - -#: ../../include/oembed.php:214 -msgid "Embedding disabled" -msgstr "Încorporarea conținuturilor este dezactivată" - -#: ../../include/profile_selectors.php:6 -msgid "Male" -msgstr "Bărbat" - -#: ../../include/profile_selectors.php:6 -msgid "Female" -msgstr "Femeie" - -#: ../../include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "În prezent Bărbat" - -#: ../../include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "În prezent Femeie" - -#: ../../include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "Mai mult Bărbat" - -#: ../../include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "Mai mult Femeie" - -#: ../../include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Transsexual" - -#: ../../include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Intersexual" - -#: ../../include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Transsexual" - -#: ../../include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Hermafrodit" - -#: ../../include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Neutru" - -#: ../../include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Non-specific" - -#: ../../include/profile_selectors.php:6 -msgid "Other" -msgstr "Alta" - -#: ../../include/profile_selectors.php:6 -msgid "Undecided" -msgstr "Indecisă" - -#: ../../include/profile_selectors.php:23 -msgid "Males" -msgstr "Bărbați" - -#: ../../include/profile_selectors.php:23 -msgid "Females" -msgstr "Femei" - -#: ../../include/profile_selectors.php:23 -msgid "Gay" -msgstr "Gay" - -#: ../../include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Lesbiană" - -#: ../../include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Fără Preferințe" - -#: ../../include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Bisexual" - -#: ../../include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Autosexual" - -#: ../../include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Abstinent(ă)" - -#: ../../include/profile_selectors.php:23 -msgid "Virgin" -msgstr "Virgin(ă)" - -#: ../../include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Deviant" - -#: ../../include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Fetish" - -#: ../../include/profile_selectors.php:23 -msgid "Oodles" -msgstr "La grămadă" - -#: ../../include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Nonsexual" - -#: ../../include/profile_selectors.php:42 -msgid "Single" -msgstr "Necăsătorit(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Singur(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Available" -msgstr "Disponibil(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "Indisponibil(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Has crush" -msgstr "Îndrăgostit(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "Îndrăgostit(ă) nebunește" - -#: ../../include/profile_selectors.php:42 -msgid "Dating" -msgstr "Am întâlniri" - -#: ../../include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Infidel(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Dependent(ă) de Sex" - -#: ../../include/profile_selectors.php:42 ../../include/user.php:289 -#: ../../include/user.php:293 -msgid "Friends" -msgstr "Prieteni" - -#: ../../include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Prietenii/Prestaţii" - -#: ../../include/profile_selectors.php:42 -msgid "Casual" -msgstr "Ocazional" - -#: ../../include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Cuplat" - -#: ../../include/profile_selectors.php:42 -msgid "Married" -msgstr "Căsătorit(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "Căsătorit(ă) imaginar" - -#: ../../include/profile_selectors.php:42 -msgid "Partners" -msgstr "Parteneri" - -#: ../../include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "În conviețuire" - -#: ../../include/profile_selectors.php:42 -msgid "Common law" -msgstr "Drept Comun" - -#: ../../include/profile_selectors.php:42 -msgid "Happy" -msgstr "Fericit(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Not looking" -msgstr "Nu caut" - -#: ../../include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Swinger" - -#: ../../include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Înșelat(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Separated" -msgstr "Separat(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Instabil(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Divorţat(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "Divorţat(ă) imaginar" - -#: ../../include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Văduv(ă)" - -#: ../../include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Incert" - -#: ../../include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "E complicat" - -#: ../../include/profile_selectors.php:42 -msgid "Don't care" -msgstr "Nu-mi pasă" - -#: ../../include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Întreabă-mă" - -#: ../../include/user.php:40 -msgid "An invitation is required." -msgstr "O invitaţie este necesară." - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "Invitația nu s-a putut verifica." - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "URL OpenID invalid" - -#: ../../include/user.php:74 -msgid "Please enter the required information." -msgstr "Vă rugăm să introduceți informațiile solicitate." - -#: ../../include/user.php:88 -msgid "Please use a shorter name." -msgstr "Vă rugăm să utilizaţi un nume mai scurt." - -#: ../../include/user.php:90 -msgid "Name too short." -msgstr "Numele este prea scurt." - -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Acesta nu pare a fi Numele (Prenumele) dvs. complet" - -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." -msgstr "Domeniul dvs. de email nu este printre cele permise pe acest site." - -#: ../../include/user.php:113 -msgid "Not a valid email address." -msgstr "Nu este o adresă vaildă de email." - -#: ../../include/user.php:126 -msgid "Cannot use that email." -msgstr "Nu se poate utiliza acest email." - -#: ../../include/user.php:132 -msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr " \"Pseudonimul\" dvs. poate conţine numai \"a-z\", \"0-9\", \"-\",, şi \"_\", şi trebuie de asemenea să înceapă cu o literă." - -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." -msgstr "Pseudonimul este deja înregistrat. Vă rugăm, alegeți un altul." - -#: ../../include/user.php:148 -msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Pseudonimul a fost înregistrat aici, şi e posibil să nu mai poată fi reutilizat. Vă rugăm, alegeți altul." - -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "EROARE GRAVĂ: Generarea de chei de securitate a eşuat." - -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." -msgstr "A intervenit o eroare în timpul înregistrării. Vă rugăm să reîncercați." - -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." -msgstr "A intervenit o eroare la crearea profilului dvs. implicit. Vă rugăm să reîncercați." - -#: ../../include/user.php:377 -#, 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:381 -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$\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:413 ../../mod/admin.php:799 -#, php-format -msgid "Registration details for %s" -msgstr "Detaliile de înregistrare pentru %s" - -#: ../../include/acl_selectors.php:326 -msgid "Visible to everybody" -msgstr "Vizibil pentru toata lumea" - #: ../../object/Item.php:94 msgid "This entry was edited" msgstr "Această intrare a fost editată" @@ -2929,6 +34,19 @@ msgstr " Mesaj Privat" msgid "Edit" msgstr "Edit" +#: ../../object/Item.php:129 ../../mod/photos.php:1651 +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "Select" + +#: ../../object/Item.php:130 ../../mod/admin.php:970 ../../mod/photos.php:1652 +#: ../../mod/contacts.php:709 ../../mod/settings.php:674 +#: ../../mod/group.php:171 ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../include/conversation.php:614 +msgid "Delete" +msgstr "Şterge" + #: ../../object/Item.php:133 ../../mod/content.php:763 msgid "save to folder" msgstr "salvează în directorul" @@ -2959,7 +77,7 @@ msgstr "" #: ../../object/Item.php:210 msgid "toggle ignore status" -msgstr "" +msgstr "Comutaţi status Ignorare" #: ../../object/Item.php:213 msgid "ignored" @@ -2995,6 +113,21 @@ msgstr "Partajează" msgid "share" msgstr "partajează" +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "Categorii:" + +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "Înscris în:" + +#: ../../object/Item.php:326 ../../object/Item.php:327 +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Vizualizaţi profilul %s @ %s" + #: ../../object/Item.php:328 ../../mod/content.php:854 msgid "to" msgstr "către" @@ -3011,6 +144,26 @@ msgstr "Perete-prin-Perete" msgid "via Wall-To-Wall:" msgstr "via Perete-Prin-Perete" +#: ../../object/Item.php:340 ../../mod/content.php:481 +#: ../../mod/content.php:864 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s de la %s" + +#: ../../object/Item.php:361 ../../object/Item.php:677 +#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 +#: ../../mod/photos.php:1694 ../../mod/content.php:709 ../../boot.php:724 +msgid "Comment" +msgstr "Comentariu" + +#: ../../object/Item.php:364 ../../mod/message.php:334 +#: ../../mod/message.php:565 ../../mod/editpost.php:124 +#: ../../mod/wallmessage.php:156 ../../mod/photos.php:1543 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "Aşteptaţi vă rog" + #: ../../object/Item.php:387 ../../mod/content.php:603 #, php-format msgid "%d comment" @@ -3019,12 +172,44 @@ msgstr[0] "%d comentariu" msgstr[1] "%d comentarii" msgstr[2] "%d comentarii" +#: ../../object/Item.php:389 ../../object/Item.php:402 +#: ../../mod/content.php:605 ../../include/text.php:1969 +msgid "comment" +msgid_plural "comments" +msgstr[0] "comentariu" +msgstr[1] "comentarii" +msgstr[2] "comentarii" + +#: ../../object/Item.php:390 ../../mod/content.php:606 ../../boot.php:725 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "mai mult" + #: ../../object/Item.php:675 ../../mod/photos.php:1560 #: ../../mod/photos.php:1604 ../../mod/photos.php:1692 #: ../../mod/content.php:707 msgid "This is you" msgstr "Acesta eşti tu" +#: ../../object/Item.php:678 ../../mod/fsuggest.php:107 +#: ../../mod/message.php:335 ../../mod/message.php:564 +#: ../../mod/events.php:478 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1205 ../../mod/photos.php:1512 +#: ../../mod/photos.php:1563 ../../mod/photos.php:1607 +#: ../../mod/photos.php:1695 ../../mod/contacts.php:470 +#: ../../mod/invite.php:140 ../../mod/profiles.php:645 +#: ../../mod/manage.php:110 ../../mod/poke.php:199 ../../mod/localtime.php:45 +#: ../../mod/install.php:248 ../../mod/install.php:286 +#: ../../mod/content.php:710 ../../mod/mood.php:137 ../../mod/crepair.php:181 +#: ../../view/theme/diabook/theme.php:633 +#: ../../view/theme/diabook/config.php:148 ../../view/theme/vier/config.php:52 +#: ../../view/theme/dispy/config.php:70 +#: ../../view/theme/duepuntozero/config.php:59 +#: ../../view/theme/quattro/config.php:64 +#: ../../view/theme/cleanzero/config.php:80 +msgid "Submit" +msgstr "Trimite" + #: ../../object/Item.php:679 ../../mod/content.php:711 msgid "Bold" msgstr "Bold" @@ -3057,155 +242,329 @@ msgstr "Link" msgid "Video" msgstr "Video" -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Elementul nu este disponibil." +#: ../../object/Item.php:687 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1564 ../../mod/photos.php:1608 +#: ../../mod/photos.php:1696 ../../mod/content.php:719 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "Previzualizare" -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Element negăsit." +#: ../../index.php:205 ../../mod/apps.php:7 +msgid "You must be logged in to use addons. " +msgstr "Tu trebuie să vă autentificați pentru a folosi suplimentele." -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 +#: ../../index.php:249 ../../mod/help.php:90 +msgid "Not Found" +msgstr "Negăsit" + +#: ../../index.php:252 ../../mod/help.php:93 +msgid "Page not found." +msgstr "Pagină negăsită." + +#: ../../index.php:361 ../../mod/profperm.php:19 ../../mod/group.php:72 +msgid "Permission denied" +msgstr "Permisiune refuzată" + +#: ../../index.php:362 ../../mod/fsuggest.php:78 ../../mod/files.php:170 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/editpost.php:10 +#: ../../mod/dfrn_confirm.php:55 ../../mod/events.php:140 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/nogroup.php:25 ../../mod/wall_upload.php:66 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/photos.php:134 ../../mod/photos.php:1050 +#: ../../mod/register.php:42 ../../mod/attach.php:33 +#: ../../mod/contacts.php:249 ../../mod/follow.php:9 ../../mod/uimport.php:23 +#: ../../mod/allfriends.php:9 ../../mod/invite.php:15 ../../mod/invite.php:101 +#: ../../mod/settings.php:102 ../../mod/settings.php:593 +#: ../../mod/settings.php:598 ../../mod/display.php:455 +#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 +#: ../../mod/wall_attach.php:55 ../../mod/suggest.php:56 +#: ../../mod/manage.php:96 ../../mod/delegate.php:12 +#: ../../mod/viewcontacts.php:22 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 +#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 +#: ../../mod/install.php:151 ../../mod/group.php:19 ../../mod/regmod.php:110 +#: ../../mod/item.php:149 ../../mod/item.php:165 ../../mod/mood.php:114 +#: ../../mod/network.php:4 ../../mod/crepair.php:119 +#: ../../include/items.php:4575 +msgid "Permission denied." +msgstr "Permisiune refuzată." + +#: ../../index.php:421 +msgid "toggle mobile" +msgstr "comutare mobil" + +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 +#: ../../mod/update_display.php:22 +msgid "[Embedded content - reload page to view]" +msgstr "[Conţinut încastrat - reîncărcaţi pagina pentru a vizualiza]" + +#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 +#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "Contact negăsit." + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Sugestia de prietenie a fost trimisă." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Sugeraţi Prieteni" + +#: ../../mod/fsuggest.php:99 #, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Numărul de mesaje, zilnice de perete, pentru %s a fost depăşit. Mesajul a eşuat." +msgid "Suggest a friend for %s" +msgstr "Sugeraţi un prieten pentru %s" -#: ../../mod/wallmessage.php:56 ../../mod/message.php:63 -msgid "No recipient selected." -msgstr "Nici-o adresă selectată." +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Această introducere a fost deja acceptată" -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Imposibil de verificat locaţia dvs. de reşedinţă." +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "Locaţia profilului nu este validă sau nu conţine informaţii de profil." -#: ../../mod/wallmessage.php:62 ../../mod/message.php:70 -msgid "Message could not be sent." -msgstr "Mesajul nu a putut fi trimis." +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Atenţie: locaţia profilului nu are un nume de deţinător identificabil." -#: ../../mod/wallmessage.php:65 ../../mod/message.php:73 -msgid "Message collection failure." -msgstr "Eșec de colectare mesaj." +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Atenţie: locaţia profilului nu are fotografie de profil." -#: ../../mod/wallmessage.php:68 ../../mod/message.php:76 -msgid "Message sent." -msgstr "Mesaj trimis." +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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 parametru necesar nu a fost găsit în locaţia specificată" +msgstr[1] "%d parametrii necesari nu au fost găsiţi în locaţia specificată" +msgstr[2] "%d de parametrii necesari nu au fost găsiţi în locaţia specificată" -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Nici-un destinatar." +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Prezentare completă." -#: ../../mod/wallmessage.php:142 ../../mod/message.php:319 -msgid "Send Private Message" -msgstr "Trimite mesaj privat" +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Eroare de protocol nerecuperabilă." -#: ../../mod/wallmessage.php:143 +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profil nedisponibil." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s a primit, pentru azi, prea multe solicitări de conectare." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Au fost invocate măsuri de protecţie anti-spam." + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Prietenii sunt rugaţi să reîncerce peste 24 de ore." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Invalid locator" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Adresă mail invalidă." + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Acest cont nu a fost configurat pentru email. Cererea a eşuat." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Imposibil să vă soluţionăm numele pentru locaţia sugerată." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Aţi fost deja prezentat aici" + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Se pare că sunteţi deja prieten cu %s." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "Profil URL invalid." + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "Profil URL invalid." + +#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:183 +msgid "Failed to update contact record." +msgstr "Actualizarea datelor de contact a eşuat." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "Prezentarea dumneavoastră a fost trimisă." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Vă rugăm să vă autentificați pentru a confirma prezentarea." + +#: ../../mod/dfrn_request.php:664 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Autentificat curent cu identitate eronată. Vă rugăm să vă autentificați pentru acest profil." + +#: ../../mod/dfrn_request.php:675 +msgid "Hide this contact" +msgstr "Ascunde acest contact" + +#: ../../mod/dfrn_request.php:678 +#, php-format +msgid "Welcome home %s." +msgstr "Bine ai venit %s." + +#: ../../mod/dfrn_request.php:679 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Vă rugăm să vă confirmaţi solicitarea de introducere/conectare la %s." + +#: ../../mod/dfrn_request.php:680 +msgid "Confirm" +msgstr "Confirm" + +#: ../../mod/dfrn_request.php:721 ../../mod/dfrn_confirm.php:752 +#: ../../include/items.php:3881 +msgid "[Name Withheld]" +msgstr "[Nume Reţinut]" + +#: ../../mod/dfrn_request.php:766 ../../mod/photos.php:920 +#: ../../mod/videos.php:115 ../../mod/search.php:89 ../../mod/display.php:180 +#: ../../mod/community.php:18 ../../mod/viewcontacts.php:17 +#: ../../mod/directory.php:33 +msgid "Public access denied." +msgstr "Acces public refuzat." + +#: ../../mod/dfrn_request.php:808 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Vă rugăm să vă introduceţi \"Adresa de Identitate\" din una din următoarele reţele de socializare acceptate:" + +#: ../../mod/dfrn_request.php:828 +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 "Dacă nu sunteţi încă un membru al reţelei online de socializare gratuite, urmați acest link pentru a găsi un site public Friendica şi alăturați-vă nouă, chiar astăzi." + +#: ../../mod/dfrn_request.php:831 +msgid "Friend/Connection Request" +msgstr "Solicitare Prietenie/Conectare" + +#: ../../mod/dfrn_request.php:832 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Exemple: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:833 +msgid "Please answer the following:" +msgstr "Vă rugăm să răspundeţi la următoarele:" + +#: ../../mod/dfrn_request.php:834 +#, php-format +msgid "Does %s know you?" +msgstr "%s vă cunoaşte?" + +#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 +#: ../../mod/register.php:234 ../../mod/settings.php:1007 +#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 +#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 +#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 +#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 +#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 +msgid "No" +msgstr "NU" + +#: ../../mod/dfrn_request.php:834 ../../mod/message.php:209 +#: ../../mod/api.php:105 ../../mod/register.php:233 ../../mod/contacts.php:332 +#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 +#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 +#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 +#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 +#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 +#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 +#: ../../mod/settings.php:1082 ../../mod/profiles.php:620 +#: ../../mod/profiles.php:623 ../../mod/suggest.php:29 +#: ../../include/items.php:4420 +msgid "Yes" +msgstr "Da" + +#: ../../mod/dfrn_request.php:838 +msgid "Add a personal note:" +msgstr "Adaugă o notă personală:" + +#: ../../mod/dfrn_request.php:840 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:841 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/Reţea Socială Web Centralizată" + +#: ../../mod/dfrn_request.php:842 ../../mod/settings.php:733 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../mod/dfrn_request.php:843 #, 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 "Dacă doriţi ca %s să vă răspundă, vă rugăm să verificaţi dacă configurările de confidenţialitate de pe site-ul dumneavoastră, permite mail-uri private de la expeditori necunoscuți." +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr "- vă rugăm să nu folosiţi acest formular. În schimb, introduceţi %s în bara dvs. de căutare Diaspora." -#: ../../mod/wallmessage.php:144 ../../mod/message.php:320 -#: ../../mod/message.php:553 -msgid "To:" -msgstr "Către: " +#: ../../mod/dfrn_request.php:844 +msgid "Your Identity Address:" +msgstr "Adresa dvs. Identitate " -#: ../../mod/wallmessage.php:145 ../../mod/message.php:325 -#: ../../mod/message.php:555 -msgid "Subject:" -msgstr "Subiect:" +#: ../../mod/dfrn_request.php:847 +msgid "Submit Request" +msgstr "Trimiteţi Solicitarea" -#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 -#: ../../mod/message.php:329 ../../mod/message.php:558 -msgid "Your message:" -msgstr "Mesajul dvs :" +#: ../../mod/dfrn_request.php:848 ../../mod/message.php:212 +#: ../../mod/editpost.php:148 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/photos.php:203 +#: ../../mod/photos.php:292 ../../mod/contacts.php:335 ../../mod/tagrm.php:11 +#: ../../mod/tagrm.php:94 ../../mod/settings.php:612 +#: ../../mod/settings.php:638 ../../mod/suggest.php:32 +#: ../../include/items.php:4423 ../../include/conversation.php:1129 +msgid "Cancel" +msgstr "Anulează" -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Grupul a fost creat." +#: ../../mod/files.php:156 ../../mod/videos.php:301 +#: ../../include/text.php:1402 +msgid "View Video" +msgstr "Vizualizați Clipul Video" -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "Grupul nu se poate crea." +#: ../../mod/profile.php:21 ../../boot.php:1432 +msgid "Requested profile is not available." +msgstr "Profilul solicitat nu este disponibil." -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Grupul nu a fost găsit." +#: ../../mod/profile.php:155 ../../mod/display.php:288 +msgid "Access to this profile has been restricted." +msgstr "Accesul la acest profil a fost restricţionat." -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Numele grupului a fost schimbat." - -#: ../../mod/group.php:87 -msgid "Save Group" -msgstr "Salvare Grup" - -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Creaţi un grup de contacte/prieteni." - -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Nume Grup:" - -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Grupul a fost eliminat." - -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Nu se poate elimina grupul." - -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Editor Grup" - -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Membri" - -#: ../../mod/group.php:194 ../../mod/contacts.php:562 -msgid "All Contacts" -msgstr "Toate Contactele" - -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." -msgstr "Apăsați pe un contact pentru a-l adăuga sau elimina." - -#: ../../mod/delegate.php:95 -msgid "No potential page delegates located." -msgstr "Nici-un delegat potenţial de pagină, nu a putut fi localizat." - -#: ../../mod/delegate.php:126 -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 "Delegații sunt capabili să gestioneze toate aspectele acestui cont/pagină, cu excepţia configurărilor de bază ale contului. Vă rugăm să nu vă delegați, contul dvs. personal, cuiva în care nu aveţi încredere deplină." - -#: ../../mod/delegate.php:127 -msgid "Existing Page Managers" -msgstr "Gestionari Existenți Pagină" - -#: ../../mod/delegate.php:129 -msgid "Existing Page Delegates" -msgstr "Delegați Existenți Pagină" - -#: ../../mod/delegate.php:131 -msgid "Potential Delegates" -msgstr "Potenţiali Delegaţi" - -#: ../../mod/delegate.php:133 ../../mod/tagrm.php:93 -msgid "Remove" -msgstr "Eliminare" - -#: ../../mod/delegate.php:134 -msgid "Add" -msgstr "Adăugare" - -#: ../../mod/delegate.php:135 -msgid "No entries." -msgstr "Nu există intrări." +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Sfaturi pentru Membrii Noi" #: ../../mod/notifications.php:26 msgid "Invalid request identifier." @@ -3226,10 +585,23 @@ msgstr "Ignoră" msgid "System" msgstr "System" +#: ../../mod/notifications.php:83 ../../include/nav.php:143 +msgid "Network" +msgstr "Reţea" + #: ../../mod/notifications.php:88 ../../mod/network.php:365 msgid "Personal" msgstr "Personal" +#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:123 +#: ../../include/nav.php:105 ../../include/nav.php:146 +msgid "Home" +msgstr "Home" + +#: ../../mod/notifications.php:98 ../../include/nav.php:152 +msgid "Introductions" +msgstr "Introduceri" + #: ../../mod/notifications.php:122 msgid "Show Ignored Requests" msgstr "Afişare Solicitări Ignorate" @@ -3265,7 +637,7 @@ msgid "if applicable" msgstr "dacă i posibil" #: ../../mod/notifications.php:161 ../../mod/notifications.php:208 -#: ../../mod/admin.php:966 +#: ../../mod/admin.php:968 msgid "Approve" msgstr "Aprobă" @@ -3309,6 +681,10 @@ msgstr "Susţinător Nou" msgid "No introductions." msgstr "Fără prezentări." +#: ../../mod/notifications.php:220 ../../include/nav.php:153 +msgid "Notifications" +msgstr "Notificări" + #: ../../mod/notifications.php:258 ../../mod/notifications.php:387 #: ../../mod/notifications.php:478 #, php-format @@ -3370,17 +746,2797 @@ msgstr "Nu mai există notificări de origine." msgid "Home Notifications" msgstr "Notificări de Origine" +#: ../../mod/like.php:149 ../../mod/tagger.php:62 ../../mod/subthread.php:87 +#: ../../view/theme/diabook/theme.php:471 ../../include/text.php:1965 +#: ../../include/diaspora.php:1919 ../../include/conversation.php:126 +#: ../../include/conversation.php:254 +msgid "photo" +msgstr "photo" + +#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/tagger.php:62 +#: ../../mod/subthread.php:87 ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 +#: ../../include/conversation.php:121 ../../include/conversation.php:130 +#: ../../include/conversation.php:249 ../../include/conversation.php:258 +msgid "status" +msgstr "status" + +#: ../../mod/like.php:166 ../../view/theme/diabook/theme.php:480 +#: ../../include/diaspora.php:1935 ../../include/conversation.php:137 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s apreciază %3$s lui %2$s" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s nu apreciază %3$s lui %2$s" + +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "Eroare de protocol OpenID. Nici-un ID returnat." + +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "Contul nu a fost găsit iar înregistrările OpenID nu sunt permise pe acest site." + +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "Eşec la conectare" + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Text (bbcode) sursă:" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Text (Diaspora) sursă pentru a-l converti în BBcode:" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Intrare Sursă:" + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (raw 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 "Intrare Sursă (Format Diaspora):" + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb: " + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Configurările temei au fost actualizate." + +#: ../../mod/admin.php:104 ../../mod/admin.php:589 +msgid "Site" +msgstr "Site" + +#: ../../mod/admin.php:105 ../../mod/admin.php:961 ../../mod/admin.php:976 +msgid "Users" +msgstr "Utilizatori" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1065 ../../mod/admin.php:1118 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "Pluginuri" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1286 ../../mod/admin.php:1320 +msgid "Themes" +msgstr "Teme" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "Actualizări Bază de Date" + +#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1407 +msgid "Logs" +msgstr "Jurnale" + +#: ../../mod/admin.php:128 ../../include/nav.php:182 +msgid "Admin" +msgstr "Admin" + +#: ../../mod/admin.php:129 +msgid "Plugin Features" +msgstr "Caracteristici Modul" + +#: ../../mod/admin.php:131 +msgid "User registrations waiting for confirmation" +msgstr "Înregistrări de utilizatori, aşteaptă confirmarea" + +#: ../../mod/admin.php:166 ../../mod/admin.php:1015 ../../mod/admin.php:1228 +#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 +#: ../../mod/display.php:459 ../../mod/viewsrc.php:15 +#: ../../include/items.php:4379 +msgid "Item not found." +msgstr "Element negăsit." + +#: ../../mod/admin.php:190 ../../mod/admin.php:915 +msgid "Normal Account" +msgstr "Cont normal" + +#: ../../mod/admin.php:191 ../../mod/admin.php:916 +msgid "Soapbox Account" +msgstr "Cont Soapbox" + +#: ../../mod/admin.php:192 ../../mod/admin.php:917 +msgid "Community/Celebrity Account" +msgstr "Cont Comunitate/Celebritate" + +#: ../../mod/admin.php:193 ../../mod/admin.php:918 +msgid "Automatic Friend Account" +msgstr "Cont Prieten Automat" + +#: ../../mod/admin.php:194 +msgid "Blog Account" +msgstr "Cont Blog" + +#: ../../mod/admin.php:195 +msgid "Private Forum" +msgstr "Forum Privat" + +#: ../../mod/admin.php:214 +msgid "Message queues" +msgstr "Șiruri de mesaje" + +#: ../../mod/admin.php:219 ../../mod/admin.php:588 ../../mod/admin.php:960 +#: ../../mod/admin.php:1064 ../../mod/admin.php:1117 ../../mod/admin.php:1285 +#: ../../mod/admin.php:1319 ../../mod/admin.php:1406 +msgid "Administration" +msgstr "Administrare" + +#: ../../mod/admin.php:220 +msgid "Summary" +msgstr "Sumar" + +#: ../../mod/admin.php:222 +msgid "Registered users" +msgstr "Utilizatori înregistraţi" + +#: ../../mod/admin.php:224 +msgid "Pending registrations" +msgstr "Administrare" + +#: ../../mod/admin.php:225 +msgid "Version" +msgstr "Versiune" + +#: ../../mod/admin.php:229 +msgid "Active plugins" +msgstr "Module active" + +#: ../../mod/admin.php:252 +msgid "Can not parse base url. Must have at least ://" +msgstr "Nu se poate analiza URL-ul de bază. Trebuie să aibă minim ://" + +#: ../../mod/admin.php:496 +msgid "Site settings updated." +msgstr "Configurările site-ului au fost actualizate." + +#: ../../mod/admin.php:525 ../../mod/settings.php:825 +msgid "No special theme for mobile devices" +msgstr "Nici-o temă specială pentru dispozitive mobile" + +#: ../../mod/admin.php:542 ../../mod/contacts.php:414 +msgid "Never" +msgstr "Niciodată" + +#: ../../mod/admin.php:543 +msgid "At post arrival" +msgstr "La sosirea publicaţiei" + +#: ../../mod/admin.php:544 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "Frecvent" + +#: ../../mod/admin.php:545 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "Din oră în oră" + +#: ../../mod/admin.php:546 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "De două ori pe zi" + +#: ../../mod/admin.php:547 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "Zilnic" + +#: ../../mod/admin.php:552 +msgid "Multi user instance" +msgstr "Instanţă utilizatori multipli" + +#: ../../mod/admin.php:575 +msgid "Closed" +msgstr "Inchis" + +#: ../../mod/admin.php:576 +msgid "Requires approval" +msgstr "Necesită aprobarea" + +#: ../../mod/admin.php:577 +msgid "Open" +msgstr "Deschide" + +#: ../../mod/admin.php:581 +msgid "No SSL policy, links will track page SSL state" +msgstr "Nici-o politică SSL, legăturile vor urmări starea paginii SSL" + +#: ../../mod/admin.php:582 +msgid "Force all links to use SSL" +msgstr "Forţează toate legăturile să utilizeze SSL" + +#: ../../mod/admin.php:583 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Certificat auto/semnat, folosește SSL numai pentru legăturile locate (nerecomandat)" + +#: ../../mod/admin.php:590 ../../mod/admin.php:1119 ../../mod/admin.php:1321 +#: ../../mod/admin.php:1408 ../../mod/settings.php:611 +#: ../../mod/settings.php:721 ../../mod/settings.php:795 +#: ../../mod/settings.php:877 ../../mod/settings.php:1110 +msgid "Save Settings" +msgstr "Salvare Configurări" + +#: ../../mod/admin.php:591 ../../mod/register.php:255 +msgid "Registration" +msgstr "Registratură" + +#: ../../mod/admin.php:592 +msgid "File upload" +msgstr "Fişier incărcat" + +#: ../../mod/admin.php:593 +msgid "Policies" +msgstr "Politici" + +#: ../../mod/admin.php:594 +msgid "Advanced" +msgstr "Avansat" + +#: ../../mod/admin.php:595 +msgid "Performance" +msgstr "Performanţă" + +#: ../../mod/admin.php:596 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Reaşezaţi - AVERTIZARE: funcţie avansată. Ar putea face acest server inaccesibil." + +#: ../../mod/admin.php:599 +msgid "Site name" +msgstr "Nume site" + +#: ../../mod/admin.php:600 +msgid "Banner/Logo" +msgstr "Baner/Logo" + +#: ../../mod/admin.php:601 +msgid "Additional Info" +msgstr "Informaţii suplimentare" + +#: ../../mod/admin.php:601 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Pentru serverele publice: puteţi să adăugaţi aici informaţiile suplimentare ce vor fi afişate pe dir.friendica.com/siteinfo." + +#: ../../mod/admin.php:602 +msgid "System language" +msgstr "Limbă System l" + +#: ../../mod/admin.php:603 +msgid "System theme" +msgstr "Temă System " + +#: ../../mod/admin.php:603 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Tema implicită a sistemului - se poate supraregla prin profilele de utilizator - modificați configurările temei" + +#: ../../mod/admin.php:604 +msgid "Mobile system theme" +msgstr "Temă sisteme mobile" + +#: ../../mod/admin.php:604 +msgid "Theme for mobile devices" +msgstr "Temă pentru dispozitivele mobile" + +#: ../../mod/admin.php:605 +msgid "SSL link policy" +msgstr "Politivi link SSL " + +#: ../../mod/admin.php:605 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Determină dacă legăturile generate ar trebui forţate să utilizeze SSL" + +#: ../../mod/admin.php:606 +msgid "Old style 'Share'" +msgstr "Stilul vechi de 'Distribuiţi'" + +#: ../../mod/admin.php:606 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Dezactivează elementul bbcode 'distribuiţi' pentru elementele repetitive." + +#: ../../mod/admin.php:607 +msgid "Hide help entry from navigation menu" +msgstr "Ascunde elementele de ajutor, din meniul de navigare" + +#: ../../mod/admin.php:607 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Ascunde intrările de meniu pentru paginile de Ajutor, din meniul de navigare. Îl puteţi accesa în continuare direct, apelând /ajutor." + +#: ../../mod/admin.php:608 +msgid "Single user instance" +msgstr "Instanţă cu un singur utilizator" + +#: ../../mod/admin.php:608 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Stabiliți această instanţă ca utilizator-multipli sau utilizator/unic, pentru utilizatorul respectiv" + +#: ../../mod/admin.php:609 +msgid "Maximum image size" +msgstr "Maxim mărime imagine" + +#: ../../mod/admin.php:609 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Dimensiunea maximă în octeţi, a imaginii încărcate. Implicit este 0, ceea ce înseamnă fără limite." + +#: ../../mod/admin.php:610 +msgid "Maximum image length" +msgstr "Dimensiunea maximă a imaginii" + +#: ../../mod/admin.php:610 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Dimensiunea maximă în pixeli a celei mai lungi laturi a imaginii încărcate. Implicit este -1, ceea ce înseamnă fără limite." + +#: ../../mod/admin.php:611 +msgid "JPEG image quality" +msgstr "Calitate imagine JPEG " + +#: ../../mod/admin.php:611 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Imaginile JPEG încărcate vor fi salvate cu această calitate stabilită [0-100]. Implicit este 100, ceea ce înseamnă calitate completă." + +#: ../../mod/admin.php:613 +msgid "Register policy" +msgstr "Politici inregistrare " + +#: ../../mod/admin.php:614 +msgid "Maximum Daily Registrations" +msgstr "Înregistrări Zilnice Maxime" + +#: ../../mod/admin.php:614 +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 "Dacă înregistrarea este permisă de mai sus, aceasta stabileşte numărul maxim de utilizatori noi înregistraţi, acceptaţi pe zi. Dacă înregistrarea este stabilită ca închisă, această setare nu are efect." + +#: ../../mod/admin.php:615 +msgid "Register text" +msgstr "Text înregistrare" + +#: ../../mod/admin.php:615 +msgid "Will be displayed prominently on the registration page." +msgstr "Va fi afişat vizibil pe pagina de înregistrare." + +#: ../../mod/admin.php:616 +msgid "Accounts abandoned after x days" +msgstr "Conturi abandonate după x zile" + +#: ../../mod/admin.php:616 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Nu va risipi resurse de sistem interogând site-uri externe pentru conturi abandonate. Introduceţi 0 pentru nici-o limită de timp." + +#: ../../mod/admin.php:617 +msgid "Allowed friend domains" +msgstr "Domenii prietene permise" + +#: ../../mod/admin.php:617 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Lista cu separator prin virgulă a domeniilor ce sunt permise pentru a stabili relaţii de prietenie cu acest site. Metacaracterele sunt acceptate. Lăsaţi necompletat pentru a permite orice domeniu" + +#: ../../mod/admin.php:618 +msgid "Allowed email domains" +msgstr "Domenii de email, permise" + +#: ../../mod/admin.php:618 +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 "Lista cu separator prin virgulă a domeniilor ce sunt permise în adresele de email pentru înregistrările pe acest site. Metacaracterele sunt acceptate. Lăsaţi necompletat pentru a permite orice domeniu" + +#: ../../mod/admin.php:619 +msgid "Block public" +msgstr "Blocare acces public" + +#: ../../mod/admin.php:619 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Bifați pentru a bloca accesul public, pe acest site, către toate paginile publice cu caracter personal, doar dacă nu sunteţi deja autentificat." + +#: ../../mod/admin.php:620 +msgid "Force publish" +msgstr "Forțează publicarea" + +#: ../../mod/admin.php:620 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Bifați pentru a forţa, ca toate profilurile de pe acest site să fie enumerate în directorul site-ului." + +#: ../../mod/admin.php:621 +msgid "Global directory update URL" +msgstr "URL actualizare director global" + +#: ../../mod/admin.php:621 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL pentru a actualiza directorul global. Dacă aceasta nu se stabilește, director global este complet indisponibil pentru aplicație." + +#: ../../mod/admin.php:622 +msgid "Allow threaded items" +msgstr "Permite elemente înșiruite" + +#: ../../mod/admin.php:622 +msgid "Allow infinite level threading for items on this site." +msgstr "Permite pe acest site, un număr infinit de nivele de înșiruire." + +#: ../../mod/admin.php:623 +msgid "Private posts by default for new users" +msgstr "Postările private, ca implicit pentru utilizatori noi" + +#: ../../mod/admin.php:623 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Stabilește permisiunile de postare implicite, pentru toți membrii noi, la grupul de confidențialitate implicit, mai degrabă decât cel public." + +#: ../../mod/admin.php:624 +msgid "Don't include post content in email notifications" +msgstr "Nu include conţinutul postării în notificările prin email" + +#: ../../mod/admin.php:624 +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 "Nu include conținutul unui post/comentariu/mesaj privat/etc. în notificările prin email, ce sunt trimise de pe acest site, ca și masură de confidenţialitate." + +#: ../../mod/admin.php:625 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Nu permiteţi accesul public la suplimentele enumerate în meniul de aplicaţii." + +#: ../../mod/admin.php:625 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Bifând această casetă va restricționa, suplimentele enumerate în meniul de aplicaţii, exclusiv la accesul membrilor." + +#: ../../mod/admin.php:626 +msgid "Don't embed private images in posts" +msgstr "Nu încorpora imagini private în postări" + +#: ../../mod/admin.php:626 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Nu înlocui fotografiile private, locale, din postări cu o copie încorporată imaginii. Aceasta înseamnă că, contactele care primesc postări ce conțin fotografii private vor trebui să se autentifice şi să încarce fiecare imagine, ceea ce poate dura ceva timp." + +#: ../../mod/admin.php:627 +msgid "Allow Users to set remote_self" +msgstr "Permite utilizatorilor să-și stabilească remote_self" + +#: ../../mod/admin.php:627 +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 "Bifând aceasta, fiecărui utilizator îi este permis să marcheze fiecare contact, ca și propriu_la-distanță în dialogul de remediere contact. Stabilind acest marcaj unui un contact, va determina oglindirea fiecărei postări a respectivului contact, în fluxul utilizatorilor." + +#: ../../mod/admin.php:628 +msgid "Block multiple registrations" +msgstr "Blocare înregistrări multiple" + +#: ../../mod/admin.php:628 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Interzice utilizatorilor să-și înregistreze conturi adiționale pentru a le folosi ca pagini." + +#: ../../mod/admin.php:629 +msgid "OpenID support" +msgstr "OpenID support" + +#: ../../mod/admin.php:629 +msgid "OpenID support for registration and logins." +msgstr "Suport OpenID pentru înregistrare şi autentificări." + +#: ../../mod/admin.php:630 +msgid "Fullname check" +msgstr "Verificare Nume complet" + +#: ../../mod/admin.php:630 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Forțează utilizatorii să se înregistreze cu un spaţiu între prenume şi nume, în câmpul pentru Nume complet, ca și măsură antispam" + +#: ../../mod/admin.php:631 +msgid "UTF-8 Regular expressions" +msgstr "UTF-8 Regular expresii" + +#: ../../mod/admin.php:631 +msgid "Use PHP UTF8 regular expressions" +msgstr "Utilizaţi PHP UTF-8 Regular expresii" + +#: ../../mod/admin.php:632 +msgid "Show Community Page" +msgstr "Arată Pagina Communitz" + +#: ../../mod/admin.php:632 +msgid "" +"Display a Community page showing all recent public postings on this site." +msgstr "Afişează o Pagina de Comunitate, arătând toate postările publice recente pe acest site." + +#: ../../mod/admin.php:633 +msgid "Enable OStatus support" +msgstr "Activează Suport OStatus" + +#: ../../mod/admin.php:633 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Oferă compatibilitate de integrare OStatus (StatusNet, GNU Sociale etc.). Toate comunicațiile din OStatus sunt publice, astfel încât avertismentele de confidenţialitate vor fi ocazional afişate." + +#: ../../mod/admin.php:634 +msgid "OStatus conversation completion interval" +msgstr "Intervalul OStatus de finalizare a conversaţiei" + +#: ../../mod/admin.php:634 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "Cât de des ar trebui, operatorul de sondaje, să verifice existența intrărilor noi din conversațiile OStatus? Aceasta poate fi o resursă de sarcini utile." + +#: ../../mod/admin.php:635 +msgid "Enable Diaspora support" +msgstr "Activează Suport Diaspora" + +#: ../../mod/admin.php:635 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Oferă o compatibilitate de reţea Diaspora, întegrată." + +#: ../../mod/admin.php:636 +msgid "Only allow Friendica contacts" +msgstr "Se permit doar contactele Friendica" + +#: ../../mod/admin.php:636 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Toate contactele trebuie să utilizeze protocoalele Friendica. Toate celelalte protocoale, integrate, de comunicaţii sunt dezactivate." + +#: ../../mod/admin.php:637 +msgid "Verify SSL" +msgstr "Verifică SSL" + +#: ../../mod/admin.php:637 +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 "Dacă doriţi, puteţi porni verificarea cu strictețe a certificatului. Aceasta va însemna că nu vă puteţi conecta (deloc) la site-uri SSL auto-semnate." + +#: ../../mod/admin.php:638 +msgid "Proxy user" +msgstr "Proxy user" + +#: ../../mod/admin.php:639 +msgid "Proxy URL" +msgstr "Proxy URL" + +#: ../../mod/admin.php:640 +msgid "Network timeout" +msgstr "Timp de expirare rețea" + +#: ../../mod/admin.php:640 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Valoare exprimată în secunde. Stabiliți la 0 pentru nelimitat (nu este recomandat)." + +#: ../../mod/admin.php:641 +msgid "Delivery interval" +msgstr "Interval de livrare" + +#: ../../mod/admin.php:641 +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 "Întârzierea proceselor de livrare în fundal, exprimată prin atâtea secunde, pentru a reduce încărcarea sistemului. Recomandat: 4-5 pentru gazde comune, 2-3 pentru servere virtuale private, 0-1 pentru servere dedicate mari." + +#: ../../mod/admin.php:642 +msgid "Poll interval" +msgstr "Interval de Sondare" + +#: ../../mod/admin.php:642 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Întârzierea proceselor de sondare în fundal, exprimată prin atâtea secunde, pentru a reduce încărcarea sistemului. dacă este 0, utilizează intervalul de livrare." + +#: ../../mod/admin.php:643 +msgid "Maximum Load Average" +msgstr "Media Maximă de Încărcare" + +#: ../../mod/admin.php:643 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Încărcarea maximă a sistemului înainte ca livrarea şi procesele de sondare să fie amânate - implicit 50." + +#: ../../mod/admin.php:645 +msgid "Use MySQL full text engine" +msgstr "Utilizare motor text-complet MySQL" + +#: ../../mod/admin.php:645 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Activează motorul pentru text complet. Grăbeşte căutare - dar poate căuta, numai pentru minim 4 caractere." + +#: ../../mod/admin.php:646 +msgid "Suppress Language" +msgstr "Suprimă Limba" + +#: ../../mod/admin.php:646 +msgid "Suppress language information in meta information about a posting." +msgstr "Suprimă informaţiile despre limba din informaţiile meta ale unei postări." + +#: ../../mod/admin.php:647 +msgid "Path to item cache" +msgstr "Calea pentru elementul cache" + +#: ../../mod/admin.php:648 +msgid "Cache duration in seconds" +msgstr "Durata Cache în secunde" + +#: ../../mod/admin.php:648 +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 "Cât de mult ar trebui păstrate fișierele cache? Valoarea implicită este de 86400 de secunde (O zi). Pentru a dezactiva elementul cache, stabilește valoarea la -1." + +#: ../../mod/admin.php:649 +msgid "Maximum numbers of comments per post" +msgstr "Numărul maxim de comentarii per post" + +#: ../../mod/admin.php:649 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Câte comentarii ar trebui afișate pentru fiecare postare? Valoarea implicită este 100." + +#: ../../mod/admin.php:650 +msgid "Path for lock file" +msgstr "Cale pentru blocare fișiere" + +#: ../../mod/admin.php:651 +msgid "Temp path" +msgstr "Calea Temp" + +#: ../../mod/admin.php:652 +msgid "Base path to installation" +msgstr "Calea de bază pentru instalare" + +#: ../../mod/admin.php:653 +msgid "Disable picture proxy" +msgstr "" + +#: ../../mod/admin.php:653 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "" + +#: ../../mod/admin.php:655 +msgid "New base url" +msgstr "URL de bază nou" + +#: ../../mod/admin.php:657 +msgid "Disable noscrape" +msgstr "Dezactivare fără-colectare" + +#: ../../mod/admin.php:657 +msgid "" +"The noscrape feature speeds up directory submissions by using JSON data " +"instead of HTML scraping. Disabling it will cause higher load on your server" +" and the directory server." +msgstr "" + +#: ../../mod/admin.php:674 +msgid "Update has been marked successful" +msgstr "Actualizarea a fost marcată cu succes" + +#: ../../mod/admin.php:682 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "Actualizarea structurii bazei de date %s a fost aplicată cu succes." + +#: ../../mod/admin.php:685 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:697 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "Executarea %s a eșuat cu eroarea : %s" + +#: ../../mod/admin.php:700 +#, php-format +msgid "Update %s was successfully applied." +msgstr "Actualizarea %s a fost aplicată cu succes." + +#: ../../mod/admin.php:704 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "Actualizare %s nu a returnat nici-un status. Nu se știe dacă a reuşit." + +#: ../../mod/admin.php:706 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "" + +#: ../../mod/admin.php:725 +msgid "No failed updates." +msgstr "Nici-o actualizare eșuată." + +#: ../../mod/admin.php:726 +msgid "Check database structure" +msgstr "Verifică structura bazei de date" + +#: ../../mod/admin.php:731 +msgid "Failed Updates" +msgstr "Actualizări Eșuate" + +#: ../../mod/admin.php:732 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Aceasta nu include actualizările dinainte de 1139, care nu a returnat nici-un status." + +#: ../../mod/admin.php:733 +msgid "Mark success (if update was manually applied)" +msgstr "Marcaţi ca și realizat (dacă actualizarea a fost aplicată manual)" + +#: ../../mod/admin.php:734 +msgid "Attempt to execute this update step automatically" +msgstr "Se încearcă executarea automată a acestei etape de actualizare" + +#: ../../mod/admin.php:766 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "" + +#: ../../mod/admin.php:769 +#, php-format +msgid "" +"\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." +msgstr "" + +#: ../../mod/admin.php:801 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "Detaliile de înregistrare pentru %s" + +#: ../../mod/admin.php:813 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s utilizator blocat/deblocat" +msgstr[1] "%s utilizatori blocați/deblocați" +msgstr[2] "%s de utilizatori blocați/deblocați" + +#: ../../mod/admin.php:820 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s utilizator şters" +msgstr[1] "%s utilizatori şterşi" +msgstr[2] "%s utilizatori şterşi" + +#: ../../mod/admin.php:859 +#, php-format +msgid "User '%s' deleted" +msgstr "Utilizator %s şters" + +#: ../../mod/admin.php:867 +#, php-format +msgid "User '%s' unblocked" +msgstr "Utilizator %s deblocat" + +#: ../../mod/admin.php:867 +#, php-format +msgid "User '%s' blocked" +msgstr "Utilizator %s blocat" + +#: ../../mod/admin.php:962 +msgid "Add User" +msgstr "Adăugaţi Utilizator" + +#: ../../mod/admin.php:963 +msgid "select all" +msgstr "selectează tot" + +#: ../../mod/admin.php:964 +msgid "User registrations waiting for confirm" +msgstr "Înregistrarea utilizatorului, aşteaptă confirmarea" + +#: ../../mod/admin.php:965 +msgid "User waiting for permanent deletion" +msgstr "Utilizatorul așteaptă să fie șters definitiv" + +#: ../../mod/admin.php:966 +msgid "Request date" +msgstr "Data cererii" + +#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 +#: ../../mod/admin.php:992 ../../mod/settings.php:613 +#: ../../mod/settings.php:639 ../../mod/crepair.php:160 +msgid "Name" +msgstr "Nume" + +#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 +#: ../../mod/admin.php:994 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "Email" + +#: ../../mod/admin.php:967 +msgid "No registrations." +msgstr "Nici-o înregistrare." + +#: ../../mod/admin.php:969 +msgid "Deny" +msgstr "Respinge" + +#: ../../mod/admin.php:971 ../../mod/contacts.php:437 +#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 +msgid "Block" +msgstr "Blochează" + +#: ../../mod/admin.php:972 ../../mod/contacts.php:437 +#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 +msgid "Unblock" +msgstr "Deblochează" + +#: ../../mod/admin.php:973 +msgid "Site admin" +msgstr "Site admin" + +#: ../../mod/admin.php:974 +msgid "Account expired" +msgstr "Cont expirat" + +#: ../../mod/admin.php:977 +msgid "New User" +msgstr "Utilizator Nou" + +#: ../../mod/admin.php:978 ../../mod/admin.php:979 +msgid "Register date" +msgstr "Data înregistrare" + +#: ../../mod/admin.php:978 ../../mod/admin.php:979 +msgid "Last login" +msgstr "Ultimul login" + +#: ../../mod/admin.php:978 ../../mod/admin.php:979 +msgid "Last item" +msgstr "Ultimul element" + +#: ../../mod/admin.php:978 +msgid "Deleted since" +msgstr "Șters din" + +#: ../../mod/admin.php:979 ../../mod/settings.php:36 +msgid "Account" +msgstr "Cont" + +#: ../../mod/admin.php:981 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Utilizatorii selectați vor fi ştersi!\\n\\nTot ce au postat acești utilizatori pe acest site, va fi şters permanent!\\n\\nConfirmați?" + +#: ../../mod/admin.php:982 +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 "Utilizatorul {0} va fi şters!\\n\\nTot ce a postat acest utilizator pe acest site, va fi şters permanent!\\n\\nConfirmați?" + +#: ../../mod/admin.php:992 +msgid "Name of the new user." +msgstr "Numele noului utilizator." + +#: ../../mod/admin.php:993 +msgid "Nickname" +msgstr "Pseudonim" + +#: ../../mod/admin.php:993 +msgid "Nickname of the new user." +msgstr "Pseudonimul noului utilizator." + +#: ../../mod/admin.php:994 +msgid "Email address of the new user." +msgstr "Adresa de e-mail a utilizatorului nou." + +#: ../../mod/admin.php:1027 +#, php-format +msgid "Plugin %s disabled." +msgstr "Modulul %s a fost dezactivat." + +#: ../../mod/admin.php:1031 +#, php-format +msgid "Plugin %s enabled." +msgstr "Modulul %s a fost activat." + +#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 +msgid "Disable" +msgstr "Dezactivează" + +#: ../../mod/admin.php:1043 ../../mod/admin.php:1259 +msgid "Enable" +msgstr "Activează" + +#: ../../mod/admin.php:1066 ../../mod/admin.php:1287 +msgid "Toggle" +msgstr "Comutare" + +#: ../../mod/admin.php:1067 ../../mod/admin.php:1288 +#: ../../mod/newmember.php:22 ../../mod/settings.php:85 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 +msgid "Settings" +msgstr "Setări" + +#: ../../mod/admin.php:1074 ../../mod/admin.php:1297 +msgid "Author: " +msgstr "Autor: " + +#: ../../mod/admin.php:1075 ../../mod/admin.php:1298 +msgid "Maintainer: " +msgstr "Responsabil:" + +#: ../../mod/admin.php:1217 +msgid "No themes found." +msgstr "Nici-o temă găsită." + +#: ../../mod/admin.php:1279 +msgid "Screenshot" +msgstr "Screenshot" + +#: ../../mod/admin.php:1325 +msgid "[Experimental]" +msgstr "[Experimental]" + +#: ../../mod/admin.php:1326 +msgid "[Unsupported]" +msgstr "[Unsupported]" + +#: ../../mod/admin.php:1353 +msgid "Log settings updated." +msgstr "Jurnalul de configurări fost actualizat." + +#: ../../mod/admin.php:1409 +msgid "Clear" +msgstr "Curăţă" + +#: ../../mod/admin.php:1415 +msgid "Enable Debugging" +msgstr "Activează Depanarea" + +#: ../../mod/admin.php:1416 +msgid "Log file" +msgstr "Fişier Log " + +#: ../../mod/admin.php:1416 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Trebuie să fie inscriptibil pentru serverul web. Relativ la directoul dvs. superior Friendica." + +#: ../../mod/admin.php:1417 +msgid "Log level" +msgstr "Nivel log" + +#: ../../mod/admin.php:1466 ../../mod/contacts.php:493 +msgid "Update now" +msgstr "Actualizează acum" + +#: ../../mod/admin.php:1467 +msgid "Close" +msgstr "Închide" + +#: ../../mod/admin.php:1473 +msgid "FTP Host" +msgstr "FTP Host" + +#: ../../mod/admin.php:1474 +msgid "FTP Path" +msgstr "FTP Path" + +#: ../../mod/admin.php:1475 +msgid "FTP User" +msgstr "FTP User" + +#: ../../mod/admin.php:1476 +msgid "FTP Password" +msgstr "FTP Parolă" + +#: ../../mod/message.php:9 ../../include/nav.php:162 +msgid "New Message" +msgstr "Mesaj nou" + +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "Nici-o adresă selectată." + +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Nu se pot localiza informaţiile de contact." + +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "Mesajul nu a putut fi trimis." + +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "Eșec de colectare mesaj." + +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "Mesaj trimis." + +#: ../../mod/message.php:182 ../../include/nav.php:159 +msgid "Messages" +msgstr "Mesage" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Chiar doriţi să ştergeţi acest mesaj ?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Mesaj şters" + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Conversaşie inlăturată." + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "Introduceţi un link URL:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Trimite mesaj privat" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "Către: " + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Subiect:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "Mesajul dvs :" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/editpost.php:110 ../../mod/wallmessage.php:154 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "Încarcă foto" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/editpost.php:114 ../../mod/wallmessage.php:155 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "Inserează link web" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Nici-un mesaj." + +#: ../../mod/message.php:378 +#, php-format +msgid "Unknown sender - %s" +msgstr "Expeditor necunoscut - %s" + +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Tu şi %s" + +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s şi dvs" + +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Ștergeți conversaţia" + +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D, d M Y - g:i A" + +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d mesaj" +msgstr[1] "%d mesaje" +msgstr[2] "%d mesaje" + +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Mesaj nedisponibil" + +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Şterge mesaj" + +#: ../../mod/message.php:548 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Nici-o comunicaţie securizată disponibilă. Veți putea răspunde din pagina de profil a expeditorului." + +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Răspunde" + +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Element negăsit" + +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Editează post" + +#: ../../mod/editpost.php:109 ../../mod/filer.php:31 ../../mod/notes.php:63 +#: ../../include/text.php:955 +msgid "Save" +msgstr "Salvare" + +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "încărcare fotografie" + +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "Ataşează fişier" + +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "ataşează fişier" + +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "web link" + +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "Inserează video link" + +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "video link" + +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "Inserare link audio" + +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "audio link" + +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "Setează locaţia dvs" + +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "set locaţie" + +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "Curățare locație browser" + +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "şterge locaţia" + +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "Setări permisiuni" + +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "CC: adresă email" + +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "Public post" + +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "Setează titlu" + +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "Categorii (listă cu separator prin virgulă)" + +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Exemplu: bob@exemplu.com, mary@exemplu.com" + +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:162 +#: ../../mod/profiles.php:589 +msgid "Profile not found." +msgstr "Profil negăsit." + +#: ../../mod/dfrn_confirm.php:121 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Aceasta se poate întâmpla ocazional dacă contactul a fost solicitat de către ambele persoane şi acesta a fost deja aprobat." + +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Răspunsul de la adresa de la distanţă, nu a fost înțeles." + +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "Răspuns neaşteptat de la site-ul de la distanţă:" + +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Confirmare încheiată cu succes." + +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Site-ul de la distanţă a raportat:" + +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Eroare Temporară. Vă rugăm să aşteptaţi şi încercaţi din nou." + +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "Introducerea a eşuat sau a fost revocată." + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Imposibil de stabilit fotografia de contact." + +#: ../../mod/dfrn_confirm.php:486 ../../include/diaspora.php:620 +#: ../../include/conversation.php:172 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s este acum prieten cu %2$s" + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Nici-o înregistrare de utilizator găsită pentru '%s'" + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "Se pare că, cheia de criptare a site-ului nostru s-a încurcat." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "A fost furnizată o adresă URL goală, sau adresa URL nu poate fi decriptată de noi." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Registrul contactului nu a fost găsit pe site-ul nostru." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "Cheia publică a site-ului nu este disponibilă în registrul contactului pentru URL-ul %s." + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "ID-ul furnizat de către sistemul dumneavoastră este un duplicat pe sistemul nostru. Ar trebui să funcţioneze dacă încercaţi din nou." + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Imposibil de configurat datele dvs. de autentificare, pe sistemul nostru." + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Imposibil de actualizat detaliile de profil ale contactului dvs., pe sistemul nostru." + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s s-a alăturat lui %2$s" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Titlul evenimentului şi timpul de pornire sunt necesare." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l, F j" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Editează eveniment" + +#: ../../mod/events.php:335 ../../include/text.php:1644 +#: ../../include/text.php:1654 +msgid "link to source" +msgstr "link către sursă" + +#: ../../mod/events.php:370 ../../view/theme/diabook/theme.php:127 +#: ../../boot.php:2114 ../../include/nav.php:80 +msgid "Events" +msgstr "Evenimente" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Crează eveniment nou" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Precedent" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Next" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "ore:minute" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Detalii eveniment" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Formatul este %s %s.Data de începere și Titlul sunt necesare." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "Evenimentul Începe:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Cerut" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "Data/ora de finalizare nu este cunoscută sau nu este relevantă" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "Evenimentul se Finalizează:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "Reglați pentru fusul orar al vizitatorului" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Descriere:" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1622 +#: ../../include/event.php:40 ../../include/bb2diaspora.php:156 +msgid "Location:" +msgstr "Locaţie:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Titlu:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Partajează acest eveniment" + +#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:126 +#: ../../boot.php:2097 ../../include/nav.php:78 +msgid "Photos" +msgstr "Poze" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "Fişiere" + +#: ../../mod/home.php:35 +#, php-format +msgid "Welcome to %s" +msgstr "Bine aţi venit la %s" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Informaţiile la distanţă despre confidenţialitate, nu sunt disponibile." + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Visibil către:" + +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Numărul de mesaje, zilnice de perete, pentru %s a fost depăşit. Mesajul a eşuat." + +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "Imposibil de verificat locaţia dvs. de reşedinţă." + +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Nici-un destinatar." + +#: ../../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 "Dacă doriţi ca %s să vă răspundă, vă rugăm să verificaţi dacă configurările de confidenţialitate de pe site-ul dumneavoastră, permite mail-uri private de la expeditori necunoscuți." + +#: ../../mod/nogroup.php:40 ../../mod/contacts.php:479 +#: ../../mod/contacts.php:671 ../../mod/viewcontacts.php:62 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Vizitați profilul %s [%s]" + +#: ../../mod/nogroup.php:41 ../../mod/contacts.php:672 +msgid "Edit contact" +msgstr "Editează contact" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Contactele care nu sunt membre ale unui grup" + +#: ../../mod/friendica.php:62 +msgid "This is Friendica, version" +msgstr "Friendica, versiunea" + +#: ../../mod/friendica.php:63 +msgid "running at web location" +msgstr "rulează la locaţia web" + +#: ../../mod/friendica.php:65 +msgid "" +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Vă rugăm să vizitaţi Friendica.com pentru a afla mai multe despre proiectul Friendica." + +#: ../../mod/friendica.php:67 +msgid "Bug reports and issues: please visit" +msgstr "Rapoarte de erori şi probleme: vă rugăm să vizitaţi" + +#: ../../mod/friendica.php:68 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Sugestii, laude, donatii, etc. - vă rugăm să trimiteți un email pe \"Info\" at Friendica - dot com" + +#: ../../mod/friendica.php:82 +msgid "Installed plugins/addons/apps:" +msgstr "Module/suplimente/aplicații instalate:" + +#: ../../mod/friendica.php:95 +msgid "No installed plugins/addons/apps" +msgstr "Module/suplimente/aplicații neinstalate" + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Șterge Contul Meu" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Aceasta va elimina complet contul dvs. Odată ce a fostă, această acțiune este nerecuperabilă." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Vă rugăm să introduceţi parola dvs. pentru verificare:" + +#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "Dimensiunea imaginii depăşeşte limita de %d" + +#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 +#: ../../mod/profile_photo.php:153 +msgid "Unable to process image." +msgstr "Nu s-a putut procesa imaginea." + +#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 +#: ../../mod/wall_upload.php:185 ../../mod/item.php:465 +#: ../../include/message.php:144 ../../include/Photo.php:911 +#: ../../include/Photo.php:926 ../../include/Photo.php:933 +#: ../../include/Photo.php:955 +msgid "Wall Photos" +msgstr "Fotografii de Perete" + +#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 +#: ../../mod/profile_photo.php:301 +msgid "Image upload failed." +msgstr "Încărcarea imaginii a eşuat." + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Autorizare conectare aplicaţie" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Reveniți la aplicația dvs. şi introduceţi acest Cod de Securitate:" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Vă rugăm să vă autentificați pentru a continua." + +#: ../../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 "Doriţi să autorizați această aplicaţie pentru a vă accesa postările şi contactele, şi/sau crea noi postări pentru dvs.?" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s a etichetat %3$s de la %2$s cu %4$s" + +#: ../../mod/photos.php:52 ../../boot.php:2100 +msgid "Photo Albums" +msgstr "Albume Photo " + +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 +#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" +msgstr "Photo Contact" + +#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 +msgid "Upload New Photos" +msgstr "Încărcaţi Fotografii Noi" + +#: ../../mod/photos.php:80 ../../mod/settings.php:29 +msgid "everybody" +msgstr "oricine" + +#: ../../mod/photos.php:144 +msgid "Contact information unavailable" +msgstr "Informaţii contact nedisponibile" + +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 +#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 +#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 +#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 +#: ../../mod/profile_photo.php:305 ../../view/theme/diabook/theme.php:500 +#: ../../include/user.php:335 ../../include/user.php:342 +#: ../../include/user.php:349 +msgid "Profile Photos" +msgstr "Poze profil" + +#: ../../mod/photos.php:165 +msgid "Album not found." +msgstr "Album negăsit" + +#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 +msgid "Delete Album" +msgstr "Şterge Album" + +#: ../../mod/photos.php:198 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Doriţi într-adevăr să ştergeţi acest album foto și toate fotografiile sale?" + +#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 +msgid "Delete Photo" +msgstr "Şterge Poza" + +#: ../../mod/photos.php:287 +msgid "Do you really want to delete this photo?" +msgstr "Sigur doriți să ștergeți această fotografie?" + +#: ../../mod/photos.php:662 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s a fost etichetat în %2$s de către %3$s" + +#: ../../mod/photos.php:662 +msgid "a photo" +msgstr "o poză" + +#: ../../mod/photos.php:767 +msgid "Image exceeds size limit of " +msgstr "Dimensiunea imaginii depăşeşte limita de" + +#: ../../mod/photos.php:775 +msgid "Image file is empty." +msgstr "Fișierul imagine este gol." + +#: ../../mod/photos.php:930 +msgid "No photos selected" +msgstr "Nici-o fotografie selectată" + +#: ../../mod/photos.php:1031 ../../mod/videos.php:226 +msgid "Access to this item is restricted." +msgstr "Accesul la acest element este restricționat." + +#: ../../mod/photos.php:1094 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "Aţi folosit %1$.2f Mb din %2$.2f Mb de stocare foto." + +#: ../../mod/photos.php:1129 +msgid "Upload Photos" +msgstr "Încărcare Fotografii" + +#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 +msgid "New album name: " +msgstr "Nume album nou:" + +#: ../../mod/photos.php:1134 +msgid "or existing album name: " +msgstr "sau numele unui album existent:" + +#: ../../mod/photos.php:1135 +msgid "Do not show a status post for this upload" +msgstr "Nu afișa un status pentru această încărcare" + +#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 +msgid "Permissions" +msgstr "Permisiuni" + +#: ../../mod/photos.php:1146 ../../mod/photos.php:1517 +#: ../../mod/settings.php:1145 +msgid "Show to Groups" +msgstr "Afișare pentru Grupuri" + +#: ../../mod/photos.php:1147 ../../mod/photos.php:1518 +#: ../../mod/settings.php:1146 +msgid "Show to Contacts" +msgstr "Afişează la Contacte" + +#: ../../mod/photos.php:1148 +msgid "Private Photo" +msgstr "Poze private" + +#: ../../mod/photos.php:1149 +msgid "Public Photo" +msgstr "Poze Publice" + +#: ../../mod/photos.php:1216 +msgid "Edit Album" +msgstr "Editează Album" + +#: ../../mod/photos.php:1222 +msgid "Show Newest First" +msgstr "Afișează Întâi cele Noi" + +#: ../../mod/photos.php:1224 +msgid "Show Oldest First" +msgstr "Afișează Întâi cele Vechi" + +#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 +msgid "View Photo" +msgstr "Vizualizare Fotografie" + +#: ../../mod/photos.php:1292 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permisiune refuzată. Accesul la acest element poate fi restricționat." + +#: ../../mod/photos.php:1294 +msgid "Photo not available" +msgstr "Fotografia nu este disponibilă" + +#: ../../mod/photos.php:1350 +msgid "View photo" +msgstr "Vezi foto" + +#: ../../mod/photos.php:1350 +msgid "Edit photo" +msgstr "Editează poza" + +#: ../../mod/photos.php:1351 +msgid "Use as profile photo" +msgstr "Utilizați ca și fotografie de profil" + +#: ../../mod/photos.php:1376 +msgid "View Full Size" +msgstr "Vizualizați la Dimensiunea Completă" + +#: ../../mod/photos.php:1455 +msgid "Tags: " +msgstr "Etichete:" + +#: ../../mod/photos.php:1458 +msgid "[Remove any tag]" +msgstr "[Elimină orice etichetă]" + +#: ../../mod/photos.php:1498 +msgid "Rotate CW (right)" +msgstr "Rotire spre dreapta" + +#: ../../mod/photos.php:1499 +msgid "Rotate CCW (left)" +msgstr "Rotire spre stânga" + +#: ../../mod/photos.php:1501 +msgid "New album name" +msgstr "Nume Nou Album" + +#: ../../mod/photos.php:1504 +msgid "Caption" +msgstr "Titlu" + +#: ../../mod/photos.php:1506 +msgid "Add a Tag" +msgstr "Adaugă un Tag" + +#: ../../mod/photos.php:1510 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Exemplu: @Bob, @Barbara_Jensen, @jim@exemplu.com , #California, #camping" + +#: ../../mod/photos.php:1519 +msgid "Private photo" +msgstr "Poze private" + +#: ../../mod/photos.php:1520 +msgid "Public photo" +msgstr "Poze Publice" + +#: ../../mod/photos.php:1542 ../../include/conversation.php:1090 +msgid "Share" +msgstr "Partajează" + +#: ../../mod/photos.php:1806 ../../mod/videos.php:308 +msgid "View Album" +msgstr "Vezi Album" + +#: ../../mod/photos.php:1815 +msgid "Recent Photos" +msgstr "Poze Recente" + #: ../../mod/hcard.php:10 msgid "No profile" msgstr "Niciun profil" -#: ../../mod/settings.php:29 ../../mod/photos.php:80 -msgid "everybody" -msgstr "oricine" +#: ../../mod/register.php:90 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Înregistrarea s-a efectuat cu succes. Vă rugăm să vă verificaţi e-mailul pentru instrucţiuni suplimentare." -#: ../../mod/settings.php:36 ../../mod/admin.php:977 -msgid "Account" -msgstr "Cont" +#: ../../mod/register.php:96 +#, 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 +msgid "Your registration can not be processed." +msgstr "Înregistrarea dvs. nu poate fi procesată." + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "Înregistrarea dvs. este în aşteptarea aprobării de către deținătorul site-ului." + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Acest site a depăşit numărul zilnic permis al înregistrărilor de conturi. Vă rugăm să reîncercați mâine." + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Puteți (opțional) să completaţi acest formular prin intermediul OpenID, introducând contul dvs. OpenID și apăsând pe 'Înregistrare'." + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Dacă nu sunteţi familiarizați cu OpenID, vă rugăm să lăsaţi acest câmp gol iar apoi să completaţi restul elementelor." + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "Contul dvs. OpenID (opţional):" + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "Includeți profilul dvs în directorul de membru?" + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "Aderare pe acest site, este posibilă doar pe bază de invitație." + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "ID invitaţiei dvs:" + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Numele Complet (de ex. Joe Smith):" + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "Adresa dvs de mail:" + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Alegeţi un pseudonim de profil. Aceasta trebuie să înceapă cu un caracter text. Adresa profilului dvs. de pe acest site va fi de forma 'pseudonim@$sitename'." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "Alegeţi un pseudonim:" + +#: ../../mod/register.php:269 ../../boot.php:1215 ../../include/nav.php:109 +msgid "Register" +msgstr "Înregistrare" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Import" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "Importați profilul dvs. în această instanță friendica" + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Nici-un cont valid găsit." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "Solicitarea de Resetare Parolă a fost emisă. Verificați-vă emailul." + +#: ../../mod/lostpass.php:42 +#, 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:53 +#, 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:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Solicitarea de resetare a parolei a fost făcută la %s" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Solicitarea nu se poate verifica. (Este posibil să fi solicitat-o anterior.) Resetarea parolei a eșuat." + +#: ../../mod/lostpass.php:109 ../../boot.php:1254 +msgid "Password Reset" +msgstr "Resetare Parolă" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "Parola a fost resetată conform solicitării." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "Noua dvs. parolă este" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Salvați sau copiați noua dvs. parolă - şi apoi" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "click aici pentru logare" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Parola poate fi schimbată din pagina de Configurări după autentificarea cu succes." + +#: ../../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 "Parola dumneavoastră a fost schimbată la %s" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Ați uitat Parola?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Introduceţi adresa dumneavoastră de email şi trimiteți-o pentru a vă reseta parola. Apoi verificaţi-vă emailul pentru instrucţiuni suplimentare." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Pseudonim sau Email:" + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Reset" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "Sistemul este suspendat pentru întreținere" + +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Elementul nu este disponibil." + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Element negăsit." + +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Aplicații" + +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Nu există aplicații instalate." + +#: ../../mod/help.php:79 +msgid "Help:" +msgstr "Ajutor:" + +#: ../../mod/help.php:84 ../../include/nav.php:114 +msgid "Help" +msgstr "Ajutor" + +#: ../../mod/contacts.php:107 +#, php-format +msgid "%d contact edited." +msgid_plural "%d contacts edited" +msgstr[0] "%d contact editat." +msgstr[1] "%d contacte editate." +msgstr[2] "%d de contacte editate." + +#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 +msgid "Could not access contact record." +msgstr "Nu se poate accesa registrul contactului." + +#: ../../mod/contacts.php:152 +msgid "Could not locate selected profile." +msgstr "Nu se poate localiza profilul selectat." + +#: ../../mod/contacts.php:181 +msgid "Contact updated." +msgstr "Contact actualizat." + +#: ../../mod/contacts.php:282 +msgid "Contact has been blocked" +msgstr "Contactul a fost blocat" + +#: ../../mod/contacts.php:282 +msgid "Contact has been unblocked" +msgstr "Contactul a fost deblocat" + +#: ../../mod/contacts.php:293 +msgid "Contact has been ignored" +msgstr "Contactul a fost ignorat" + +#: ../../mod/contacts.php:293 +msgid "Contact has been unignored" +msgstr "Contactul a fost neignorat" + +#: ../../mod/contacts.php:305 +msgid "Contact has been archived" +msgstr "Contactul a fost arhivat" + +#: ../../mod/contacts.php:305 +msgid "Contact has been unarchived" +msgstr "Contactul a fost dezarhivat" + +#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 +msgid "Do you really want to delete this contact?" +msgstr "Sigur doriți să ștergeți acest contact?" + +#: ../../mod/contacts.php:347 +msgid "Contact has been removed." +msgstr "Contactul a fost înlăturat." + +#: ../../mod/contacts.php:385 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Sunteţi prieten comun cu %s" + +#: ../../mod/contacts.php:389 +#, php-format +msgid "You are sharing with %s" +msgstr "Împărtășiți cu %s" + +#: ../../mod/contacts.php:394 +#, php-format +msgid "%s is sharing with you" +msgstr "%s împărtăşeşte cu dvs." + +#: ../../mod/contacts.php:411 +msgid "Private communications are not available for this contact." +msgstr "Comunicaţiile private nu sunt disponibile pentru acest contact." + +#: ../../mod/contacts.php:418 +msgid "(Update was successful)" +msgstr "(Actualizare a reuşit)" + +#: ../../mod/contacts.php:418 +msgid "(Update was not successful)" +msgstr "(Actualizare nu a reuşit)" + +#: ../../mod/contacts.php:420 +msgid "Suggest friends" +msgstr "Sugeraţi prieteni" + +#: ../../mod/contacts.php:424 +#, php-format +msgid "Network type: %s" +msgstr "Tipul rețelei: %s" + +#: ../../mod/contacts.php:427 ../../include/contact_widgets.php:200 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d contact în comun" +msgstr[1] "%d contacte în comun" +msgstr[2] "%d de contacte în comun" + +#: ../../mod/contacts.php:432 +msgid "View all contacts" +msgstr "Vezi toate contactele" + +#: ../../mod/contacts.php:440 +msgid "Toggle Blocked status" +msgstr "Comutare status Blocat" + +#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 +#: ../../mod/contacts.php:707 +msgid "Unignore" +msgstr "Anulare ignorare" + +#: ../../mod/contacts.php:446 +msgid "Toggle Ignored status" +msgstr "Comutaţi status Ignorat" + +#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +msgid "Unarchive" +msgstr "Dezarhivează" + +#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +msgid "Archive" +msgstr "Arhivează" + +#: ../../mod/contacts.php:453 +msgid "Toggle Archive status" +msgstr "Comutaţi status Arhivat" + +#: ../../mod/contacts.php:456 +msgid "Repair" +msgstr "Repară" + +#: ../../mod/contacts.php:459 +msgid "Advanced Contact Settings" +msgstr "Configurări Avansate Contacte" + +#: ../../mod/contacts.php:465 +msgid "Communications lost with this contact!" +msgstr "S-a pierdut conexiunea cu acest contact!" + +#: ../../mod/contacts.php:468 +msgid "Contact Editor" +msgstr "Editor Contact" + +#: ../../mod/contacts.php:471 +msgid "Profile Visibility" +msgstr "Vizibilitate Profil" + +#: ../../mod/contacts.php:472 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Vă rugăm să alegeţi profilul pe care doriţi să îl afişaţi pentru %s când acesta vă vizitează profuilul în mod securizat." + +#: ../../mod/contacts.php:473 +msgid "Contact Information / Notes" +msgstr "Informaţii de Contact / Note" + +#: ../../mod/contacts.php:474 +msgid "Edit contact notes" +msgstr "Editare note de contact" + +#: ../../mod/contacts.php:480 +msgid "Block/Unblock contact" +msgstr "Blocare/Deblocare contact" + +#: ../../mod/contacts.php:481 +msgid "Ignore contact" +msgstr "Ignorare contact" + +#: ../../mod/contacts.php:482 +msgid "Repair URL settings" +msgstr "Remediere configurări URL" + +#: ../../mod/contacts.php:483 +msgid "View conversations" +msgstr "Vizualizaţi conversaţii" + +#: ../../mod/contacts.php:485 +msgid "Delete contact" +msgstr "Şterge contact" + +#: ../../mod/contacts.php:489 +msgid "Last update:" +msgstr "Ultima actualizare:" + +#: ../../mod/contacts.php:491 +msgid "Update public posts" +msgstr "Actualizare postări publice" + +#: ../../mod/contacts.php:500 +msgid "Currently blocked" +msgstr "Blocat în prezent" + +#: ../../mod/contacts.php:501 +msgid "Currently ignored" +msgstr "Ignorat în prezent" + +#: ../../mod/contacts.php:502 +msgid "Currently archived" +msgstr "Arhivat în prezent" + +#: ../../mod/contacts.php:503 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Răspunsurile/aprecierile pentru postările dvs. publice ar putea fi încă vizibile" + +#: ../../mod/contacts.php:504 +msgid "Notification for new posts" +msgstr "Notificare de postări noi" + +#: ../../mod/contacts.php:504 +msgid "Send a notification of every new post of this contact" +msgstr "Trimiteți o notificare despre fiecare postare nouă a acestui contact" + +#: ../../mod/contacts.php:505 +msgid "Fetch further information for feeds" +msgstr "Preluare informaţii suplimentare pentru fluxuri" + +#: ../../mod/contacts.php:556 +msgid "Suggestions" +msgstr "Sugestii" + +#: ../../mod/contacts.php:559 +msgid "Suggest potential friends" +msgstr "Sugeraţi prieteni potențiali" + +#: ../../mod/contacts.php:562 ../../mod/group.php:194 +msgid "All Contacts" +msgstr "Toate Contactele" + +#: ../../mod/contacts.php:565 +msgid "Show all contacts" +msgstr "Afişează toate contactele" + +#: ../../mod/contacts.php:568 +msgid "Unblocked" +msgstr "Deblocat" + +#: ../../mod/contacts.php:571 +msgid "Only show unblocked contacts" +msgstr "Se afişează numai contactele deblocate" + +#: ../../mod/contacts.php:575 +msgid "Blocked" +msgstr "Blocat" + +#: ../../mod/contacts.php:578 +msgid "Only show blocked contacts" +msgstr "Se afişează numai contactele blocate" + +#: ../../mod/contacts.php:582 +msgid "Ignored" +msgstr "Ignorat" + +#: ../../mod/contacts.php:585 +msgid "Only show ignored contacts" +msgstr "Se afişează numai contactele ignorate" + +#: ../../mod/contacts.php:589 +msgid "Archived" +msgstr "Arhivat" + +#: ../../mod/contacts.php:592 +msgid "Only show archived contacts" +msgstr "Se afişează numai contactele arhivate" + +#: ../../mod/contacts.php:596 +msgid "Hidden" +msgstr "Ascuns" + +#: ../../mod/contacts.php:599 +msgid "Only show hidden contacts" +msgstr "Se afişează numai contactele ascunse" + +#: ../../mod/contacts.php:647 +msgid "Mutual Friendship" +msgstr "Prietenie Reciprocă" + +#: ../../mod/contacts.php:651 +msgid "is a fan of yours" +msgstr "este fanul dvs." + +#: ../../mod/contacts.php:655 +msgid "you are a fan of" +msgstr "sunteţi un fan al" + +#: ../../mod/contacts.php:694 ../../view/theme/diabook/theme.php:125 +#: ../../include/nav.php:175 +msgid "Contacts" +msgstr "Contacte" + +#: ../../mod/contacts.php:698 +msgid "Search your contacts" +msgstr "Căutare contacte" + +#: ../../mod/contacts.php:699 ../../mod/directory.php:61 +msgid "Finding: " +msgstr "Găsire:" + +#: ../../mod/contacts.php:700 ../../mod/directory.php:63 +#: ../../include/contact_widgets.php:34 +msgid "Find" +msgstr "Căutare" + +#: ../../mod/contacts.php:705 ../../mod/settings.php:132 +#: ../../mod/settings.php:637 +msgid "Update" +msgstr "Actualizare" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Nici-un clip video selectat" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Clipuri video recente" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Încărcaţi Clipuri Video Noi" + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Prieteni Comuni" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Nici-un contact în comun" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Contact addăugat" + +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Mutaţi contul" + +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Puteţi importa un cont dintr-un alt server Friendica." + +#: ../../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 "Trebuie să vă exportați contul din vechiul server şi să-l încărcaţi aici. Vă vom recrea vechiul cont, aici cu toate contactele sale. Vom încerca de altfel să vă informăm prietenii că v-ați mutat aici." + +#: ../../mod/uimport.php:69 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Această caracteristică este experimentală. Nu putem importa contactele din reţeaua OStatus (statusnet/identi.ca) sau din Diaspora" + +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "Fişier Cont" + +#: ../../mod/uimport.php:70 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "Pentru a vă exporta contul, deplasaţi-vă la \"Configurări- >Export date personale \" şi selectaţi \"Exportare cont \"" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s urmărește %3$s postată %2$s" + +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Prieteni cu %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Nici-un prieten de afișat." + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Etichetă eliminată" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Eliminați Eticheta Elementului" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Selectați o etichetă de eliminat:" + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "Eliminare" + +#: ../../mod/newmember.php:6 +msgid "Welcome to Friendica" +msgstr "Bun Venit la Friendica" + +#: ../../mod/newmember.php:8 +msgid "New Member Checklist" +msgstr "Lista de Verificare Membrii Noi" + +#: ../../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 "Dorim să vă oferim câteva sfaturi şi legături pentru a vă ajuta să aveți o experienţă cât mai plăcută. Apăsați pe orice element pentru a vizita pagina relevantă. O legătură către această pagină va fi vizibilă de pe pagina principală, pentru două săptămâni după înregistrarea dvs. iniţială, iar apoi va dispare în tăcere." + +#: ../../mod/newmember.php:14 +msgid "Getting Started" +msgstr "Noțiuni de Bază" + +#: ../../mod/newmember.php:18 +msgid "Friendica Walk-Through" +msgstr "Ghidul de Prezentare Friendica" + +#: ../../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 "Pe pagina dvs. de Pornire Rapidă - veți găsi o scurtă introducere pentru profilul dvs. şi pentru filele de reţea, veți face câteva conexiuni noi, şi veți găsi câteva grupuri la care să vă alăturați." + +#: ../../mod/newmember.php:26 +msgid "Go to Your Settings" +msgstr "Mergeți la Configurări" + +#: ../../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 "Din pagina dvs. de Configurări - schimbaţi-vă parola iniţială. De asemenea creați o notă pentru Adresa dvs. de Identificare. Aceasta arată exact ca o adresă de email - şi va fi utilă la stabilirea de prietenii pe rețeaua socială web gratuită." + +#: ../../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 "Revizuiți celelalte configurări, în special configurările de confidenţialitate. O listă de directoare nepublicate este ca și cum ați avea un număr de telefon necatalogat. În general, ar trebui probabil să vă publicați lista - cu excepţia cazului în care toți prietenii şi potenţialii prieteni, știu exact cum să vă găsească." + +#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 +#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2090 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 +msgid "Profile" +msgstr "Profil" + +#: ../../mod/newmember.php:36 ../../mod/profiles.php:658 +#: ../../mod/profile_photo.php:244 +msgid "Upload Profile Photo" +msgstr "Încărcare Fotografie Profil" + +#: ../../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 "Încărcaţi o fotografie de profil, dacă nu aţi făcut-o deja.Studiile au arătat că, pentru persoanele cu fotografiile lor reale, există de zece ori mai multe şanse să-și facă prieteni, decât cei care nu folosesc fotografii reale." + +#: ../../mod/newmember.php:38 +msgid "Edit Your Profile" +msgstr "Editare Profil" + +#: ../../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 "Editaţi-vă profilul Implicit după bunul plac. Revizuiți configurările pentru a ascunde lista dvs. de prieteni și pentru ascunderea profilului dvs., de vizitatorii necunoscuți." + +#: ../../mod/newmember.php:40 +msgid "Profile Keywords" +msgstr "Cuvinte-Cheie Profil" + +#: ../../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 "Stabiliți câteva cuvinte-cheie publice pentru profilul dvs. implicit, cuvinte ce descriu cel mai bine interesele dvs. Vom putea astfel găsi alte persoane cu interese similare și vă vom sugera prietenia lor." + +#: ../../mod/newmember.php:44 +msgid "Connecting" +msgstr "Conectare" + +#: ../../mod/newmember.php:49 ../../mod/newmember.php:51 +#: ../../include/contact_selectors.php:81 +msgid "Facebook" +msgstr "Facebook" + +#: ../../mod/newmember.php:49 +msgid "" +"Authorise the Facebook Connector if you currently have a Facebook account " +"and we will (optionally) import all your Facebook friends and conversations." +msgstr "Autorizați Conectorul Facebook dacă dețineți în prezent un cont pe Facebook, şi vom importa (opțional) toți prietenii și toate conversațiile de pe Facebook." + +#: ../../mod/newmember.php:51 +msgid "" +"If this is your own personal server, installing the Facebook addon " +"may ease your transition to the free social web." +msgstr "Dacă aceasta este propriul dvs. server, instalarea suplimentului Facebook, vă poate uşura tranziţia la reţeaua socială web gratuită." + +#: ../../mod/newmember.php:56 +msgid "Importing Emails" +msgstr "Importare Email-uri" + +#: ../../mod/newmember.php:56 +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 "Introduceţi informațiile dvs. de acces la email adresa de email, în pagina dvs. de Configurări Conector, dacă doriți să importați și să interacționați cu prietenii sau cu listele de email din Căsuța dvs. de Mesaje Primite." + +#: ../../mod/newmember.php:58 +msgid "Go to Your Contacts Page" +msgstr "Dute la pagina ta Contacte " + +#: ../../mod/newmember.php:58 +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 "Pagina dvs. de Contact este poarta dvs. de acces către administrarea prieteniilor şi pentru conectarea cu prietenii din alte rețele. În general, introduceți adresa lor sau URL-ul către site, folosind dialogul Adăugare Contact Nou." + +#: ../../mod/newmember.php:60 +msgid "Go to Your Site's Directory" +msgstr "Mergeţi la Directorul Site-ului" + +#: ../../mod/newmember.php:60 +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 "Pagina Directorului vă permite să găsiţi alte persoane în această reţea sau în alte site-uri asociate. Căutaţi o legătură de Conectare sau Urmărire pe pagina lor de profil. Oferiți propria dvs. Adresă de Identitate dacă se solicită." + +#: ../../mod/newmember.php:62 +msgid "Finding New People" +msgstr "Găsire Persoane Noi" + +#: ../../mod/newmember.php:62 +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 "Pe panoul lateral al paginii Contacte sunt câteva unelte utile pentru a găsi noi prieteni. Putem asocia persoanele după interese, căuta persoane după nume sau interes, şi vă putem oferi sugestii bazate pe relaţiile din reţea. Pe un site nou-nouț, sugestiile de prietenie vor începe în mod normal să fie populate în termen de 24 de ore." + +#: ../../mod/newmember.php:66 ../../include/group.php:270 +msgid "Groups" +msgstr "Groupuri" + +#: ../../mod/newmember.php:70 +msgid "Group Your Contacts" +msgstr "Grupați-vă Contactele" + +#: ../../mod/newmember.php:70 +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 "Odată ce v-aţi făcut unele prietenii, organizaţi-le în grupuri de conversaţii private din bara laterală a paginii dvs. de Contact şi apoi puteţi interacționa, privat cu fiecare grup pe pagina dumneavoastră de Reţea." + +#: ../../mod/newmember.php:73 +msgid "Why Aren't My Posts Public?" +msgstr "De ce nu sunt Postările Mele Publice?" + +#: ../../mod/newmember.php:73 +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 vă respectă confidenţialitatea. Implicit, postările dvs. vor fi afişate numai persoanelor pe care le-ați adăugat ca și prieteni. Pentru mai multe informaţii, consultaţi secţiunea de asistenţă din legătura de mai sus." + +#: ../../mod/newmember.php:78 +msgid "Getting Help" +msgstr "Obţinerea de Ajutor" + +#: ../../mod/newmember.php:82 +msgid "Go to the Help Section" +msgstr "Navigați la Secțiunea Ajutor" + +#: ../../mod/newmember.php:82 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "Paginile noastre de ajutor pot fi consultate pentru detalii, prin alte funcții şi resurse de program." + +#: ../../mod/search.php:21 ../../mod/network.php:179 +msgid "Remove term" +msgstr "Eliminare termen" + +#: ../../mod/search.php:30 ../../mod/network.php:188 +#: ../../include/features.php:42 +msgid "Saved Searches" +msgstr "Căutări Salvate" + +#: ../../mod/search.php:99 ../../include/text.php:952 +#: ../../include/text.php:953 ../../include/nav.php:119 +msgid "Search" +msgstr "Căutare" + +#: ../../mod/search.php:170 ../../mod/search.php:196 +#: ../../mod/community.php:62 ../../mod/community.php:71 +msgid "No results." +msgstr "Nici-un rezultat." + +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "Limita totală a invitațiilor a fost depăşită." + +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : Nu este o adresă vaildă de email." + +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Vă rugăm să veniți alături de noi pe Friendica" + +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limita invitațiilor a fost depăşită. Vă rugăm să vă contactați administratorul de sistem." + +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : Livrarea mesajului a eşuat." + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d mesaj trimis." +msgstr[1] "%d mesaje trimise." +msgstr[2] "%d de mesaje trimise." + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Nu mai aveți invitaţii disponibile" + +#: ../../mod/invite.php:120 +#, 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 "Vizitaţi %s pentru o lista de site-uri publice la care puteţi alătura. Membrii Friendica de pe alte site-uri se pot conecta cu toții între ei, precum şi cu membri ai multor alte reţele sociale." + +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Pentru a accepta această invitaţie, vă rugăm să vizitaţi şi să vă înregistraţi pe %s sau orice alt site public Friendica." + +#: ../../mod/invite.php:123 +#, 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 "Toate site-urile Friendica sunt interconectate pentru a crea o imensă rețea socială cu o confidențialitate sporită, ce este deținută și controlată de către membrii săi. Aceștia se pot conecta, de asemenea, cu multe rețele sociale tradiționale. Vizitaţi %s pentru o lista de site-uri alternative Friendica în care vă puteţi alătura." + +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Ne cerem scuze. Acest sistem nu este configurat în prezent pentru conectarea cu alte site-uri publice sau pentru a invita membrii." + +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Trimiteți invitaţii" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "Introduceţi adresele de email, una pe linie:" + +#: ../../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 "Vă invit cordial să vă alăturați mie, si altor prieteni apropiați, pe Friendica - şi să ne ajutați să creăm o rețea socială mai bună." + +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Va fi nevoie să furnizați acest cod de invitaţie: $invite_code" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Odată ce v-aţi înregistrat, vă rog să vă conectaţi cu mine prin pagina mea de profil de la:" + +#: ../../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 "Pentru mai multe informaţii despre proiectul Friendica, şi de ce credem că este important, vă rugăm să vizitaţi http://friendica.com" #: ../../mod/settings.php:41 msgid "Additional features" @@ -3394,10 +3550,9 @@ msgstr "Afișare" msgid "Social Networks" msgstr "Rețele Sociale" -#: ../../mod/settings.php:57 ../../mod/admin.php:106 ../../mod/admin.php:1063 -#: ../../mod/admin.php:1116 -msgid "Plugins" -msgstr "Pluginuri" +#: ../../mod/settings.php:62 ../../include/nav.php:168 +msgid "Delegations" +msgstr "Delegații" #: ../../mod/settings.php:67 msgid "Connected apps" @@ -3415,11 +3570,6 @@ msgstr "Ștergere cont" msgid "Missing some important data!" msgstr "Lipsesc unele date importante!" -#: ../../mod/settings.php:132 ../../mod/settings.php:637 -#: ../../mod/contacts.php:705 -msgid "Update" -msgstr "Actualizare" - #: ../../mod/settings.php:238 msgid "Failed to connect with email account using the settings provided." msgstr "A eşuat conectarea cu, contul de email, folosind configurările furnizate." @@ -3493,19 +3643,6 @@ msgstr "Configurări actualizate." msgid "Add application" msgstr "Adăugare aplicaţie" -#: ../../mod/settings.php:611 ../../mod/settings.php:721 -#: ../../mod/settings.php:795 ../../mod/settings.php:877 -#: ../../mod/settings.php:1110 ../../mod/admin.php:588 -#: ../../mod/admin.php:1117 ../../mod/admin.php:1319 ../../mod/admin.php:1406 -msgid "Save Settings" -msgstr "Salvare Configurări" - -#: ../../mod/settings.php:613 ../../mod/settings.php:639 -#: ../../mod/admin.php:964 ../../mod/admin.php:976 ../../mod/admin.php:977 -#: ../../mod/admin.php:990 ../../mod/crepair.php:158 -msgid "Name" -msgstr "Nume" - #: ../../mod/settings.php:614 ../../mod/settings.php:640 msgid "Consumer Key" msgstr "Cheia Utilizatorului" @@ -3645,10 +3782,6 @@ msgstr "Mutare în dosar" msgid "Move to folder:" msgstr "Mutare în dosarul:" -#: ../../mod/settings.php:825 ../../mod/admin.php:523 -msgid "No special theme for mobile devices" -msgstr "Nici-o temă specială pentru dispozitive mobile" - #: ../../mod/settings.php:875 msgid "Display Settings" msgstr "Preferințe Ecran" @@ -3758,18 +3891,6 @@ msgstr "(Opţional) Permite acest OpenID să se conecteze la acest cont." msgid "Publish your default profile in your local site directory?" msgstr "Publicați profilul dvs. implicit în directorul site-ului dvs. local?" -#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 -#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 -#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 -#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 -#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 -#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/register.php:231 -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 -msgid "No" -msgstr "NU" - #: ../../mod/settings.php:1013 msgid "Publish your default profile in the global social directory?" msgstr "Publicați profilul dvs. implicit în directorul social global?" @@ -3778,6 +3899,10 @@ msgstr "Publicați profilul dvs. implicit în directorul social global?" msgid "Hide your contact/friend list from viewers of your default profile?" msgstr "Ascundeţi lista dvs. de contacte/prieteni de vizitatorii profilului dvs. implicit?" +#: ../../mod/settings.php:1025 ../../include/conversation.php:1057 +msgid "Hide your profile details from unknown viewers?" +msgstr "Ascundeţi detaliile profilului dvs. de vizitatorii necunoscuți?" + #: ../../mod/settings.php:1030 msgid "Allow friends to post to your profile page?" msgstr "Permiteți prietenilor să posteze pe pagina dvs. de profil ?" @@ -3878,6 +4003,10 @@ msgstr "Parola:" msgid "Basic Settings" msgstr "Configurări de Bază" +#: ../../mod/settings.php:1125 ../../include/profile_advanced.php:15 +msgid "Full Name:" +msgstr "Nume complet:" + #: ../../mod/settings.php:1126 msgid "Email Address:" msgstr "Adresa de email:" @@ -3914,16 +4043,6 @@ msgstr "Permisiuni Implicite Postări" msgid "(click to open/close)" msgstr "(apăsați pentru a deschide/închide)" -#: ../../mod/settings.php:1145 ../../mod/photos.php:1146 -#: ../../mod/photos.php:1517 -msgid "Show to Groups" -msgstr "Afișare pentru Grupuri" - -#: ../../mod/settings.php:1146 ../../mod/photos.php:1147 -#: ../../mod/photos.php:1518 -msgid "Show to Contacts" -msgstr "Afişează la Contacte" - #: ../../mod/settings.php:1147 msgid "Default Private Post" msgstr "Postare Privată Implicită" @@ -4018,525 +4137,9 @@ msgstr "Dacă aţi mutat acest profil dintr-un alt server, şi unele dintre cont msgid "Resend relocate message to contacts" msgstr "Retrimiteți contactelor, mesajul despre mutare" -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Prieteni Comuni" - -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Nici-un contact în comun" - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Informaţiile la distanţă despre confidenţialitate, nu sunt disponibile." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Visibil către:" - -#: ../../mod/contacts.php:107 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "%d contact editat." -msgstr[1] "%d contacte editate." -msgstr[2] "%d de contacte editate." - -#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 -msgid "Could not access contact record." -msgstr "Nu se poate accesa registrul contactului." - -#: ../../mod/contacts.php:152 -msgid "Could not locate selected profile." -msgstr "Nu se poate localiza profilul selectat." - -#: ../../mod/contacts.php:181 -msgid "Contact updated." -msgstr "Contact actualizat." - -#: ../../mod/contacts.php:183 ../../mod/dfrn_request.php:576 -msgid "Failed to update contact record." -msgstr "Actualizarea datelor de contact a eşuat." - -#: ../../mod/contacts.php:282 -msgid "Contact has been blocked" -msgstr "Contactul a fost blocat" - -#: ../../mod/contacts.php:282 -msgid "Contact has been unblocked" -msgstr "Contactul a fost deblocat" - -#: ../../mod/contacts.php:293 -msgid "Contact has been ignored" -msgstr "Contactul a fost ignorat" - -#: ../../mod/contacts.php:293 -msgid "Contact has been unignored" -msgstr "Contactul a fost neignorat" - -#: ../../mod/contacts.php:305 -msgid "Contact has been archived" -msgstr "Contactul a fost arhivat" - -#: ../../mod/contacts.php:305 -msgid "Contact has been unarchived" -msgstr "Contactul a fost dezarhivat" - -#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 -msgid "Do you really want to delete this contact?" -msgstr "Sigur doriți să ștergeți acest contact?" - -#: ../../mod/contacts.php:347 -msgid "Contact has been removed." -msgstr "Contactul a fost înlăturat." - -#: ../../mod/contacts.php:385 -#, php-format -msgid "You are mutual friends with %s" -msgstr "Sunteţi prieten comun cu %s" - -#: ../../mod/contacts.php:389 -#, php-format -msgid "You are sharing with %s" -msgstr "Împărtășiți cu %s" - -#: ../../mod/contacts.php:394 -#, php-format -msgid "%s is sharing with you" -msgstr "%s împărtăşeşte cu dvs." - -#: ../../mod/contacts.php:411 -msgid "Private communications are not available for this contact." -msgstr "Comunicaţiile private nu sunt disponibile pentru acest contact." - -#: ../../mod/contacts.php:414 ../../mod/admin.php:540 -msgid "Never" -msgstr "Niciodată" - -#: ../../mod/contacts.php:418 -msgid "(Update was successful)" -msgstr "(Actualizare a reuşit)" - -#: ../../mod/contacts.php:418 -msgid "(Update was not successful)" -msgstr "(Actualizare nu a reuşit)" - -#: ../../mod/contacts.php:420 -msgid "Suggest friends" -msgstr "Sugeraţi prieteni" - -#: ../../mod/contacts.php:424 -#, php-format -msgid "Network type: %s" -msgstr "Tipul rețelei: %s" - -#: ../../mod/contacts.php:432 -msgid "View all contacts" -msgstr "Vezi toate contactele" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 -#: ../../mod/contacts.php:706 ../../mod/admin.php:970 -msgid "Unblock" -msgstr "Deblochează" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 -#: ../../mod/contacts.php:706 ../../mod/admin.php:969 -msgid "Block" -msgstr "Blochează" - -#: ../../mod/contacts.php:440 -msgid "Toggle Blocked status" -msgstr "Comutare status Blocat" - -#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 -#: ../../mod/contacts.php:707 -msgid "Unignore" -msgstr "Anulare ignorare" - -#: ../../mod/contacts.php:446 -msgid "Toggle Ignored status" -msgstr "Comutaţi status Ignorat" - -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 -msgid "Unarchive" -msgstr "Dezarhivează" - -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 -msgid "Archive" -msgstr "Arhivează" - -#: ../../mod/contacts.php:453 -msgid "Toggle Archive status" -msgstr "Comutaţi status Arhivat" - -#: ../../mod/contacts.php:456 -msgid "Repair" -msgstr "Repară" - -#: ../../mod/contacts.php:459 -msgid "Advanced Contact Settings" -msgstr "Configurări Avansate Contacte" - -#: ../../mod/contacts.php:465 -msgid "Communications lost with this contact!" -msgstr "S-a pierdut conexiunea cu acest contact!" - -#: ../../mod/contacts.php:468 -msgid "Contact Editor" -msgstr "Editor Contact" - -#: ../../mod/contacts.php:471 -msgid "Profile Visibility" -msgstr "Vizibilitate Profil" - -#: ../../mod/contacts.php:472 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Vă rugăm să alegeţi profilul pe care doriţi să îl afişaţi pentru %s când acesta vă vizitează profuilul în mod securizat." - -#: ../../mod/contacts.php:473 -msgid "Contact Information / Notes" -msgstr "Informaţii de Contact / Note" - -#: ../../mod/contacts.php:474 -msgid "Edit contact notes" -msgstr "Editare note de contact" - -#: ../../mod/contacts.php:479 ../../mod/contacts.php:671 -#: ../../mod/nogroup.php:40 ../../mod/viewcontacts.php:62 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Vizitați profilul %s [%s]" - -#: ../../mod/contacts.php:480 -msgid "Block/Unblock contact" -msgstr "Blocare/Deblocare contact" - -#: ../../mod/contacts.php:481 -msgid "Ignore contact" -msgstr "Ignorare contact" - -#: ../../mod/contacts.php:482 -msgid "Repair URL settings" -msgstr "Remediere configurări URL" - -#: ../../mod/contacts.php:483 -msgid "View conversations" -msgstr "Vizualizaţi conversaţii" - -#: ../../mod/contacts.php:485 -msgid "Delete contact" -msgstr "Şterge contact" - -#: ../../mod/contacts.php:489 -msgid "Last update:" -msgstr "Ultima actualizare:" - -#: ../../mod/contacts.php:491 -msgid "Update public posts" -msgstr "Actualizare postări publice" - -#: ../../mod/contacts.php:493 ../../mod/admin.php:1464 -msgid "Update now" -msgstr "Actualizează acum" - -#: ../../mod/contacts.php:500 -msgid "Currently blocked" -msgstr "Blocat în prezent" - -#: ../../mod/contacts.php:501 -msgid "Currently ignored" -msgstr "Ignorat în prezent" - -#: ../../mod/contacts.php:502 -msgid "Currently archived" -msgstr "Arhivat în prezent" - -#: ../../mod/contacts.php:503 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Răspunsurile/aprecierile pentru postările dvs. publice ar putea fi încă vizibile" - -#: ../../mod/contacts.php:504 -msgid "Notification for new posts" -msgstr "Notificare de postări noi" - -#: ../../mod/contacts.php:504 -msgid "Send a notification of every new post of this contact" -msgstr "Trimiteți o notificare despre fiecare postare nouă a acestui contact" - -#: ../../mod/contacts.php:505 -msgid "Fetch further information for feeds" -msgstr "Preluare informaţii suplimentare pentru fluxuri" - -#: ../../mod/contacts.php:556 -msgid "Suggestions" -msgstr "Sugestii" - -#: ../../mod/contacts.php:559 -msgid "Suggest potential friends" -msgstr "Sugeraţi prieteni potențiali" - -#: ../../mod/contacts.php:565 -msgid "Show all contacts" -msgstr "Afişează toate contactele" - -#: ../../mod/contacts.php:568 -msgid "Unblocked" -msgstr "Deblocat" - -#: ../../mod/contacts.php:571 -msgid "Only show unblocked contacts" -msgstr "Se afişează numai contactele deblocate" - -#: ../../mod/contacts.php:575 -msgid "Blocked" -msgstr "Blocat" - -#: ../../mod/contacts.php:578 -msgid "Only show blocked contacts" -msgstr "Se afişează numai contactele blocate" - -#: ../../mod/contacts.php:582 -msgid "Ignored" -msgstr "Ignorat" - -#: ../../mod/contacts.php:585 -msgid "Only show ignored contacts" -msgstr "Se afişează numai contactele ignorate" - -#: ../../mod/contacts.php:589 -msgid "Archived" -msgstr "Arhivat" - -#: ../../mod/contacts.php:592 -msgid "Only show archived contacts" -msgstr "Se afişează numai contactele arhivate" - -#: ../../mod/contacts.php:596 -msgid "Hidden" -msgstr "Ascuns" - -#: ../../mod/contacts.php:599 -msgid "Only show hidden contacts" -msgstr "Se afişează numai contactele ascunse" - -#: ../../mod/contacts.php:647 -msgid "Mutual Friendship" -msgstr "Prietenie Reciprocă" - -#: ../../mod/contacts.php:651 -msgid "is a fan of yours" -msgstr "este fanul dvs." - -#: ../../mod/contacts.php:655 -msgid "you are a fan of" -msgstr "sunteţi un fan al" - -#: ../../mod/contacts.php:672 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "Editează contact" - -#: ../../mod/contacts.php:698 -msgid "Search your contacts" -msgstr "Căutare contacte" - -#: ../../mod/contacts.php:699 ../../mod/directory.php:61 -msgid "Finding: " -msgstr "Găsire:" - -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Ne pare rău, este posibil ca fișierul pe care doriți să-l încărcați, este mai mare decât permite configuraţia PHP" - -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "Sau - ați încercat să încărcaţi un fişier gol?" - -#: ../../mod/wall_attach.php:81 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "Fişierul depăşeşte dimensiunea limită de %d" - -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "Încărcarea fișierului a eşuat." - -#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 -#: ../../mod/update_notes.php:37 ../../mod/update_display.php:22 -#: ../../mod/update_profile.php:41 -msgid "[Embedded content - reload page to view]" -msgstr "[Conţinut încastrat - reîncărcaţi pagina pentru a vizualiza]" - -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Exportare cont" - -#: ../../mod/uexport.php:77 -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 "Exportați-vă informațiile contului şi contactele. Utilizaţi aceasta pentru a face o copie de siguranţă a contului dumneavoastră şi/sau pentru a-l muta pe un alt server." - -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Exportare tot" - -#: ../../mod/uexport.php:78 -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 "Exportați informațiile dvs. de cont, contactele şi toate elementele dvs., ca json. Ar putea fi un fișier foarte mare, şi ar putea lua mult timp. Utilizaţi aceasta pentru a face un backup complet al contului (fotografiile nu sunt exportate)" - -#: ../../mod/register.php:93 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Înregistrarea s-a efectuat cu succes. Vă rugăm să vă verificaţi e-mailul pentru instrucţiuni suplimentare." - -#: ../../mod/register.php:97 -msgid "Failed to send email message. Here is the message that failed." -msgstr "Eșec la trimiterea mesajului de email. Acesta este mesajul care a eşuat." - -#: ../../mod/register.php:102 -msgid "Your registration can not be processed." -msgstr "Înregistrarea dvs. nu poate fi procesată." - -#: ../../mod/register.php:145 -msgid "Your registration is pending approval by the site owner." -msgstr "Înregistrarea dvs. este în aşteptarea aprobării de către deținătorul site-ului." - -#: ../../mod/register.php:183 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Acest site a depăşit numărul zilnic permis al înregistrărilor de conturi. Vă rugăm să reîncercați mâine." - -#: ../../mod/register.php:211 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Puteți (opțional) să completaţi acest formular prin intermediul OpenID, introducând contul dvs. OpenID și apăsând pe 'Înregistrare'." - -#: ../../mod/register.php:212 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Dacă nu sunteţi familiarizați cu OpenID, vă rugăm să lăsaţi acest câmp gol iar apoi să completaţi restul elementelor." - -#: ../../mod/register.php:213 -msgid "Your OpenID (optional): " -msgstr "Contul dvs. OpenID (opţional):" - -#: ../../mod/register.php:227 -msgid "Include your profile in member directory?" -msgstr "Includeți profilul dvs în directorul de membru?" - -#: ../../mod/register.php:248 -msgid "Membership on this site is by invitation only." -msgstr "Aderare pe acest site, este posibilă doar pe bază de invitație." - -#: ../../mod/register.php:249 -msgid "Your invitation ID: " -msgstr "ID invitaţiei dvs:" - -#: ../../mod/register.php:252 ../../mod/admin.php:589 -msgid "Registration" -msgstr "Registratură" - -#: ../../mod/register.php:260 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "Numele Complet (de ex. Joe Smith):" - -#: ../../mod/register.php:261 -msgid "Your Email Address: " -msgstr "Adresa dvs de mail:" - -#: ../../mod/register.php:262 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Alegeţi un pseudonim de profil. Aceasta trebuie să înceapă cu un caracter text. Adresa profilului dvs. de pe acest site va fi de forma 'pseudonim@$sitename'." - -#: ../../mod/register.php:263 -msgid "Choose a nickname: " -msgstr "Alegeţi un pseudonim:" - -#: ../../mod/register.php:272 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Import" - -#: ../../mod/register.php:273 -msgid "Import your profile to this friendica instance" -msgstr "Importați profilul dvs. în această instanță friendica" - -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Postat cu succes." - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "Sistemul este suspendat pentru întreținere" - -#: ../../mod/profile.php:155 ../../mod/display.php:288 -msgid "Access to this profile has been restricted." -msgstr "Accesul la acest profil a fost restricţionat." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Sfaturi pentru Membrii Noi" - -#: ../../mod/videos.php:115 ../../mod/dfrn_request.php:766 -#: ../../mod/viewcontacts.php:17 ../../mod/photos.php:920 -#: ../../mod/search.php:89 ../../mod/community.php:18 -#: ../../mod/display.php:180 ../../mod/directory.php:33 -msgid "Public access denied." -msgstr "Acces public refuzat." - -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "Nici-un clip video selectat" - -#: ../../mod/videos.php:226 ../../mod/photos.php:1031 -msgid "Access to this item is restricted." -msgstr "Accesul la acest element este restricționat." - -#: ../../mod/videos.php:308 ../../mod/photos.php:1806 -msgid "View Album" -msgstr "Vezi Album" - -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Clipuri video recente" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Încărcaţi Clipuri Video Noi" - -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Administrare Identităţii şi/sau Pagini" - -#: ../../mod/manage.php:107 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Comutați între diferitele identităţi sau pagini de comunitate/grup, care împărtășesc detaliile contului dvs. sau pentru care v-au fost acordate drepturi de \"gestionare \"" - -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Selectaţi o identitate de gestionat:" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Element negăsit" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Editează post" +#: ../../mod/display.php:452 +msgid "Item has been removed." +msgstr "Elementul a fost eliminat." #: ../../mod/dirfind.php:26 msgid "People Search" @@ -4546,2055 +4149,6 @@ msgstr "Căutare Persoane" msgid "No matches" msgstr "Nici-o potrivire" -#: ../../mod/regmod.php:54 -msgid "Account approved." -msgstr "Cont aprobat." - -#: ../../mod/regmod.php:91 -#, php-format -msgid "Registration revoked for %s" -msgstr "Înregistrare revocată pentru %s" - -#: ../../mod/regmod.php:103 -msgid "Please login." -msgstr "Vă rugăm să vă autentificați." - -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "Această introducere a fost deja acceptată" - -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "Locaţia profilului nu este validă sau nu conţine informaţii de profil." - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Atenţie: locaţia profilului nu are un nume de deţinător identificabil." - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "Atenţie: locaţia profilului nu are fotografie de profil." - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 -#, 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 parametru necesar nu a fost găsit în locaţia specificată" -msgstr[1] "%d parametrii necesari nu au fost găsiţi în locaţia specificată" -msgstr[2] "%d de parametrii necesari nu au fost găsiţi în locaţia specificată" - -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "Prezentare completă." - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "Eroare de protocol nerecuperabilă." - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "Profil nedisponibil." - -#: ../../mod/dfrn_request.php:267 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s a primit, pentru azi, prea multe solicitări de conectare." - -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "Au fost invocate măsuri de protecţie anti-spam." - -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Prietenii sunt rugaţi să reîncerce peste 24 de ore." - -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "Invalid locator" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "Adresă mail invalidă." - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "Acest cont nu a fost configurat pentru email. Cererea a eşuat." - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "Imposibil să vă soluţionăm numele pentru locaţia sugerată." - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "Aţi fost deja prezentat aici" - -#: ../../mod/dfrn_request.php:480 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Se pare că sunteţi deja prieten cu %s." - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "Profil URL invalid." - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "Prezentarea dumneavoastră a fost trimisă." - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "Vă rugăm să vă autentificați pentru a confirma prezentarea." - -#: ../../mod/dfrn_request.php:664 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Autentificat curent cu identitate eronată. Vă rugăm să vă autentificați pentru acest profil." - -#: ../../mod/dfrn_request.php:675 -msgid "Hide this contact" -msgstr "Ascunde acest contact" - -#: ../../mod/dfrn_request.php:678 -#, php-format -msgid "Welcome home %s." -msgstr "Bine ai venit %s." - -#: ../../mod/dfrn_request.php:679 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Vă rugăm să vă confirmaţi solicitarea de introducere/conectare la %s." - -#: ../../mod/dfrn_request.php:680 -msgid "Confirm" -msgstr "Confirm" - -#: ../../mod/dfrn_request.php:808 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Vă rugăm să vă introduceţi \"Adresa de Identitate\" din una din următoarele reţele de socializare acceptate:" - -#: ../../mod/dfrn_request.php:828 -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 "Dacă nu sunteţi încă un membru al reţelei online de socializare gratuite, urmați acest link pentru a găsi un site public Friendica şi alăturați-vă nouă, chiar astăzi." - -#: ../../mod/dfrn_request.php:831 -msgid "Friend/Connection Request" -msgstr "Solicitare Prietenie/Conectare" - -#: ../../mod/dfrn_request.php:832 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Exemple: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" - -#: ../../mod/dfrn_request.php:833 -msgid "Please answer the following:" -msgstr "Vă rugăm să răspundeţi la următoarele:" - -#: ../../mod/dfrn_request.php:834 -#, php-format -msgid "Does %s know you?" -msgstr "%s vă cunoaşte?" - -#: ../../mod/dfrn_request.php:838 -msgid "Add a personal note:" -msgstr "Adaugă o notă personală:" - -#: ../../mod/dfrn_request.php:841 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/Reţea Socială Web Centralizată" - -#: ../../mod/dfrn_request.php:843 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr "- vă rugăm să nu folosiţi acest formular. În schimb, introduceţi %s în bara dvs. de căutare Diaspora." - -#: ../../mod/dfrn_request.php:844 -msgid "Your Identity Address:" -msgstr "Adresa dvs. Identitate " - -#: ../../mod/dfrn_request.php:847 -msgid "Submit Request" -msgstr "Trimiteţi Solicitarea" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "Fişiere" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Autorizare conectare aplicaţie" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Reveniți la aplicația dvs. şi introduceţi acest Cod de Securitate:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Vă rugăm să vă autentificați pentru a continua." - -#: ../../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 "Doriţi să autorizați această aplicaţie pentru a vă accesa postările şi contactele, şi/sau crea noi postări pentru dvs.?" - -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Sigur doriți să ștergeți acesta sugestie?" - -#: ../../mod/suggest.php:72 -msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Nici-o sugestie disponibilă. Dacă aceasta este un site nou, vă rugăm să încercaţi din nou în 24 de ore." - -#: ../../mod/suggest.php:90 -msgid "Ignore/Hide" -msgstr "Ignorare/Ascundere" - -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Contactele care nu sunt membre ale unui grup" - -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -#: ../../mod/crepair.php:131 ../../mod/dfrn_confirm.php:120 -msgid "Contact not found." -msgstr "Contact negăsit." - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Sugestia de prietenie a fost trimisă." - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Sugeraţi Prieteni" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Sugeraţi un prieten pentru %s" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "link" - -#: ../../mod/viewcontacts.php:39 -msgid "No contacts." -msgstr "Nici-un contact." - -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "Configurările temei au fost actualizate." - -#: ../../mod/admin.php:104 ../../mod/admin.php:587 -msgid "Site" -msgstr "Site" - -#: ../../mod/admin.php:105 ../../mod/admin.php:959 ../../mod/admin.php:974 -msgid "Users" -msgstr "Utilizatori" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1284 ../../mod/admin.php:1318 -msgid "Themes" -msgstr "Teme" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "Actualizări Bază de Date" - -#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1405 -msgid "Logs" -msgstr "Jurnale" - -#: ../../mod/admin.php:129 -msgid "Plugin Features" -msgstr "Caracteristici Modul" - -#: ../../mod/admin.php:131 -msgid "User registrations waiting for confirmation" -msgstr "Înregistrări de utilizatori, aşteaptă confirmarea" - -#: ../../mod/admin.php:190 ../../mod/admin.php:913 -msgid "Normal Account" -msgstr "Cont normal" - -#: ../../mod/admin.php:191 ../../mod/admin.php:914 -msgid "Soapbox Account" -msgstr "Cont Soapbox" - -#: ../../mod/admin.php:192 ../../mod/admin.php:915 -msgid "Community/Celebrity Account" -msgstr "Cont Comunitate/Celebritate" - -#: ../../mod/admin.php:193 ../../mod/admin.php:916 -msgid "Automatic Friend Account" -msgstr "Cont Prieten Automat" - -#: ../../mod/admin.php:194 -msgid "Blog Account" -msgstr "Cont Blog" - -#: ../../mod/admin.php:195 -msgid "Private Forum" -msgstr "Forum Privat" - -#: ../../mod/admin.php:214 -msgid "Message queues" -msgstr "Șiruri de mesaje" - -#: ../../mod/admin.php:219 ../../mod/admin.php:586 ../../mod/admin.php:958 -#: ../../mod/admin.php:1062 ../../mod/admin.php:1115 ../../mod/admin.php:1283 -#: ../../mod/admin.php:1317 ../../mod/admin.php:1404 -msgid "Administration" -msgstr "Administrare" - -#: ../../mod/admin.php:220 -msgid "Summary" -msgstr "Sumar" - -#: ../../mod/admin.php:222 -msgid "Registered users" -msgstr "Utilizatori înregistraţi" - -#: ../../mod/admin.php:224 -msgid "Pending registrations" -msgstr "Administrare" - -#: ../../mod/admin.php:225 -msgid "Version" -msgstr "Versiune" - -#: ../../mod/admin.php:227 -msgid "Active plugins" -msgstr "Module active" - -#: ../../mod/admin.php:250 -msgid "Can not parse base url. Must have at least ://" -msgstr "Nu se poate analiza URL-ul de bază. Trebuie să aibă minim ://" - -#: ../../mod/admin.php:494 -msgid "Site settings updated." -msgstr "Configurările site-ului au fost actualizate." - -#: ../../mod/admin.php:541 -msgid "At post arrival" -msgstr "La sosirea publicaţiei" - -#: ../../mod/admin.php:550 -msgid "Multi user instance" -msgstr "Instanţă utilizatori multipli" - -#: ../../mod/admin.php:573 -msgid "Closed" -msgstr "Inchis" - -#: ../../mod/admin.php:574 -msgid "Requires approval" -msgstr "Necesită aprobarea" - -#: ../../mod/admin.php:575 -msgid "Open" -msgstr "Deschide" - -#: ../../mod/admin.php:579 -msgid "No SSL policy, links will track page SSL state" -msgstr "Nici-o politică SSL, legăturile vor urmări starea paginii SSL" - -#: ../../mod/admin.php:580 -msgid "Force all links to use SSL" -msgstr "Forţează toate legăturile să utilizeze SSL" - -#: ../../mod/admin.php:581 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Certificat auto/semnat, folosește SSL numai pentru legăturile locate (nerecomandat)" - -#: ../../mod/admin.php:590 -msgid "File upload" -msgstr "Fişier incărcat" - -#: ../../mod/admin.php:591 -msgid "Policies" -msgstr "Politici" - -#: ../../mod/admin.php:592 -msgid "Advanced" -msgstr "Avansat" - -#: ../../mod/admin.php:593 -msgid "Performance" -msgstr "Performanţă" - -#: ../../mod/admin.php:594 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "Reaşezaţi - AVERTIZARE: funcţie avansată. Ar putea face acest server inaccesibil." - -#: ../../mod/admin.php:597 -msgid "Site name" -msgstr "Nume site" - -#: ../../mod/admin.php:598 -msgid "Banner/Logo" -msgstr "Baner/Logo" - -#: ../../mod/admin.php:599 -msgid "Additional Info" -msgstr "Informaţii suplimentare" - -#: ../../mod/admin.php:599 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "Pentru serverele publice: puteţi să adăugaţi aici informaţiile suplimentare ce vor fi afişate pe dir.friendica.com/siteinfo." - -#: ../../mod/admin.php:600 -msgid "System language" -msgstr "Limbă System l" - -#: ../../mod/admin.php:601 -msgid "System theme" -msgstr "Temă System " - -#: ../../mod/admin.php:601 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Tema implicită a sistemului - se poate supraregla prin profilele de utilizator - modificați configurările temei" - -#: ../../mod/admin.php:602 -msgid "Mobile system theme" -msgstr "Temă sisteme mobile" - -#: ../../mod/admin.php:602 -msgid "Theme for mobile devices" -msgstr "Temă pentru dispozitivele mobile" - -#: ../../mod/admin.php:603 -msgid "SSL link policy" -msgstr "Politivi link SSL " - -#: ../../mod/admin.php:603 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Determină dacă legăturile generate ar trebui forţate să utilizeze SSL" - -#: ../../mod/admin.php:604 -msgid "Old style 'Share'" -msgstr "Stilul vechi de 'Distribuiţi'" - -#: ../../mod/admin.php:604 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "Dezactivează elementul bbcode 'distribuiţi' pentru elementele repetitive." - -#: ../../mod/admin.php:605 -msgid "Hide help entry from navigation menu" -msgstr "Ascunde elementele de ajutor, din meniul de navigare" - -#: ../../mod/admin.php:605 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Ascunde intrările de meniu pentru paginile de Ajutor, din meniul de navigare. Îl puteţi accesa în continuare direct, apelând /ajutor." - -#: ../../mod/admin.php:606 -msgid "Single user instance" -msgstr "Instanţă cu un singur utilizator" - -#: ../../mod/admin.php:606 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Stabiliți această instanţă ca utilizator-multipli sau utilizator/unic, pentru utilizatorul respectiv" - -#: ../../mod/admin.php:607 -msgid "Maximum image size" -msgstr "Maxim mărime imagine" - -#: ../../mod/admin.php:607 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Dimensiunea maximă în octeţi, a imaginii încărcate. Implicit este 0, ceea ce înseamnă fără limite." - -#: ../../mod/admin.php:608 -msgid "Maximum image length" -msgstr "Dimensiunea maximă a imaginii" - -#: ../../mod/admin.php:608 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Dimensiunea maximă în pixeli a celei mai lungi laturi a imaginii încărcate. Implicit este -1, ceea ce înseamnă fără limite." - -#: ../../mod/admin.php:609 -msgid "JPEG image quality" -msgstr "Calitate imagine JPEG " - -#: ../../mod/admin.php:609 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Imaginile JPEG încărcate vor fi salvate cu această calitate stabilită [0-100]. Implicit este 100, ceea ce înseamnă calitate completă." - -#: ../../mod/admin.php:611 -msgid "Register policy" -msgstr "Politici inregistrare " - -#: ../../mod/admin.php:612 -msgid "Maximum Daily Registrations" -msgstr "Înregistrări Zilnice Maxime" - -#: ../../mod/admin.php:612 -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 "Dacă înregistrarea este permisă de mai sus, aceasta stabileşte numărul maxim de utilizatori noi înregistraţi, acceptaţi pe zi. Dacă înregistrarea este stabilită ca închisă, această setare nu are efect." - -#: ../../mod/admin.php:613 -msgid "Register text" -msgstr "Text înregistrare" - -#: ../../mod/admin.php:613 -msgid "Will be displayed prominently on the registration page." -msgstr "Va fi afişat vizibil pe pagina de înregistrare." - -#: ../../mod/admin.php:614 -msgid "Accounts abandoned after x days" -msgstr "Conturi abandonate după x zile" - -#: ../../mod/admin.php:614 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Nu va risipi resurse de sistem interogând site-uri externe pentru conturi abandonate. Introduceţi 0 pentru nici-o limită de timp." - -#: ../../mod/admin.php:615 -msgid "Allowed friend domains" -msgstr "Domenii prietene permise" - -#: ../../mod/admin.php:615 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Lista cu separator prin virgulă a domeniilor ce sunt permise pentru a stabili relaţii de prietenie cu acest site. Metacaracterele sunt acceptate. Lăsaţi necompletat pentru a permite orice domeniu" - -#: ../../mod/admin.php:616 -msgid "Allowed email domains" -msgstr "Domenii de email, permise" - -#: ../../mod/admin.php:616 -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 "Lista cu separator prin virgulă a domeniilor ce sunt permise în adresele de email pentru înregistrările pe acest site. Metacaracterele sunt acceptate. Lăsaţi necompletat pentru a permite orice domeniu" - -#: ../../mod/admin.php:617 -msgid "Block public" -msgstr "Blocare acces public" - -#: ../../mod/admin.php:617 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Bifați pentru a bloca accesul public, pe acest site, către toate paginile publice cu caracter personal, doar dacă nu sunteţi deja autentificat." - -#: ../../mod/admin.php:618 -msgid "Force publish" -msgstr "Forțează publicarea" - -#: ../../mod/admin.php:618 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Bifați pentru a forţa, ca toate profilurile de pe acest site să fie enumerate în directorul site-ului." - -#: ../../mod/admin.php:619 -msgid "Global directory update URL" -msgstr "URL actualizare director global" - -#: ../../mod/admin.php:619 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL pentru a actualiza directorul global. Dacă aceasta nu se stabilește, director global este complet indisponibil pentru aplicație." - -#: ../../mod/admin.php:620 -msgid "Allow threaded items" -msgstr "Permite elemente înșiruite" - -#: ../../mod/admin.php:620 -msgid "Allow infinite level threading for items on this site." -msgstr "Permite pe acest site, un număr infinit de nivele de înșiruire." - -#: ../../mod/admin.php:621 -msgid "Private posts by default for new users" -msgstr "Postările private, ca implicit pentru utilizatori noi" - -#: ../../mod/admin.php:621 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Stabilește permisiunile de postare implicite, pentru toți membrii noi, la grupul de confidențialitate implicit, mai degrabă decât cel public." - -#: ../../mod/admin.php:622 -msgid "Don't include post content in email notifications" -msgstr "Nu include conţinutul postării în notificările prin email" - -#: ../../mod/admin.php:622 -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 "Nu include conținutul unui post/comentariu/mesaj privat/etc. în notificările prin email, ce sunt trimise de pe acest site, ca și masură de confidenţialitate." - -#: ../../mod/admin.php:623 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Nu permiteţi accesul public la suplimentele enumerate în meniul de aplicaţii." - -#: ../../mod/admin.php:623 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Bifând această casetă va restricționa, suplimentele enumerate în meniul de aplicaţii, exclusiv la accesul membrilor." - -#: ../../mod/admin.php:624 -msgid "Don't embed private images in posts" -msgstr "Nu încorpora imagini private în postări" - -#: ../../mod/admin.php:624 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "Nu înlocui fotografiile private, locale, din postări cu o copie încorporată imaginii. Aceasta înseamnă că, contactele care primesc postări ce conțin fotografii private vor trebui să se autentifice şi să încarce fiecare imagine, ceea ce poate dura ceva timp." - -#: ../../mod/admin.php:625 -msgid "Allow Users to set remote_self" -msgstr "Permite utilizatorilor să-și stabilească remote_self" - -#: ../../mod/admin.php:625 -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 "Bifând aceasta, fiecărui utilizator îi este permis să marcheze fiecare contact, ca și propriu_la-distanță în dialogul de remediere contact. Stabilind acest marcaj unui un contact, va determina oglindirea fiecărei postări a respectivului contact, în fluxul utilizatorilor." - -#: ../../mod/admin.php:626 -msgid "Block multiple registrations" -msgstr "Blocare înregistrări multiple" - -#: ../../mod/admin.php:626 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Interzice utilizatorilor să-și înregistreze conturi adiționale pentru a le folosi ca pagini." - -#: ../../mod/admin.php:627 -msgid "OpenID support" -msgstr "OpenID support" - -#: ../../mod/admin.php:627 -msgid "OpenID support for registration and logins." -msgstr "Suport OpenID pentru înregistrare şi autentificări." - -#: ../../mod/admin.php:628 -msgid "Fullname check" -msgstr "Verificare Nume complet" - -#: ../../mod/admin.php:628 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Forțează utilizatorii să se înregistreze cu un spaţiu între prenume şi nume, în câmpul pentru Nume complet, ca și măsură antispam" - -#: ../../mod/admin.php:629 -msgid "UTF-8 Regular expressions" -msgstr "UTF-8 Regular expresii" - -#: ../../mod/admin.php:629 -msgid "Use PHP UTF8 regular expressions" -msgstr "Utilizaţi PHP UTF-8 Regular expresii" - -#: ../../mod/admin.php:630 -msgid "Show Community Page" -msgstr "Arată Pagina Communitz" - -#: ../../mod/admin.php:630 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Afişează o Pagina de Comunitate, arătând toate postările publice recente pe acest site." - -#: ../../mod/admin.php:631 -msgid "Enable OStatus support" -msgstr "Activează Suport OStatus" - -#: ../../mod/admin.php:631 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "Oferă compatibilitate de integrare OStatus (StatusNet, GNU Sociale etc.). Toate comunicațiile din OStatus sunt publice, astfel încât avertismentele de confidenţialitate vor fi ocazional afişate." - -#: ../../mod/admin.php:632 -msgid "OStatus conversation completion interval" -msgstr "Intervalul OStatus de finalizare a conversaţiei" - -#: ../../mod/admin.php:632 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "Cât de des ar trebui, operatorul de sondaje, să verifice existența intrărilor noi din conversațiile OStatus? Aceasta poate fi o resursă de sarcini utile." - -#: ../../mod/admin.php:633 -msgid "Enable Diaspora support" -msgstr "Activează Suport Diaspora" - -#: ../../mod/admin.php:633 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Oferă o compatibilitate de reţea Diaspora, întegrată." - -#: ../../mod/admin.php:634 -msgid "Only allow Friendica contacts" -msgstr "Se permit doar contactele Friendica" - -#: ../../mod/admin.php:634 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Toate contactele trebuie să utilizeze protocoalele Friendica. Toate celelalte protocoale, integrate, de comunicaţii sunt dezactivate." - -#: ../../mod/admin.php:635 -msgid "Verify SSL" -msgstr "Verifică SSL" - -#: ../../mod/admin.php:635 -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 "Dacă doriţi, puteţi porni verificarea cu strictețe a certificatului. Aceasta va însemna că nu vă puteţi conecta (deloc) la site-uri SSL auto-semnate." - -#: ../../mod/admin.php:636 -msgid "Proxy user" -msgstr "Proxy user" - -#: ../../mod/admin.php:637 -msgid "Proxy URL" -msgstr "Proxy URL" - -#: ../../mod/admin.php:638 -msgid "Network timeout" -msgstr "Timp de expirare rețea" - -#: ../../mod/admin.php:638 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Valoare exprimată în secunde. Stabiliți la 0 pentru nelimitat (nu este recomandat)." - -#: ../../mod/admin.php:639 -msgid "Delivery interval" -msgstr "Interval de livrare" - -#: ../../mod/admin.php:639 -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 "Întârzierea proceselor de livrare în fundal, exprimată prin atâtea secunde, pentru a reduce încărcarea sistemului. Recomandat: 4-5 pentru gazde comune, 2-3 pentru servere virtuale private, 0-1 pentru servere dedicate mari." - -#: ../../mod/admin.php:640 -msgid "Poll interval" -msgstr "Interval de Sondare" - -#: ../../mod/admin.php:640 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Întârzierea proceselor de sondare în fundal, exprimată prin atâtea secunde, pentru a reduce încărcarea sistemului. dacă este 0, utilizează intervalul de livrare." - -#: ../../mod/admin.php:641 -msgid "Maximum Load Average" -msgstr "Media Maximă de Încărcare" - -#: ../../mod/admin.php:641 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Încărcarea maximă a sistemului înainte ca livrarea şi procesele de sondare să fie amânate - implicit 50." - -#: ../../mod/admin.php:643 -msgid "Use MySQL full text engine" -msgstr "Utilizare motor text-complet MySQL" - -#: ../../mod/admin.php:643 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Activează motorul pentru text complet. Grăbeşte căutare - dar poate căuta, numai pentru minim 4 caractere." - -#: ../../mod/admin.php:644 -msgid "Suppress Language" -msgstr "Suprimă Limba" - -#: ../../mod/admin.php:644 -msgid "Suppress language information in meta information about a posting." -msgstr "Suprimă informaţiile despre limba din informaţiile meta ale unei postări." - -#: ../../mod/admin.php:645 -msgid "Path to item cache" -msgstr "Calea pentru elementul cache" - -#: ../../mod/admin.php:646 -msgid "Cache duration in seconds" -msgstr "Durata Cache în secunde" - -#: ../../mod/admin.php:646 -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 "Cât de mult ar trebui păstrate fișierele cache? Valoarea implicită este de 86400 de secunde (O zi). Pentru a dezactiva elementul cache, stabilește valoarea la -1." - -#: ../../mod/admin.php:647 -msgid "Maximum numbers of comments per post" -msgstr "Numărul maxim de comentarii per post" - -#: ../../mod/admin.php:647 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "Câte comentarii ar trebui afișate pentru fiecare postare? Valoarea implicită este 100." - -#: ../../mod/admin.php:648 -msgid "Path for lock file" -msgstr "Cale pentru blocare fișiere" - -#: ../../mod/admin.php:649 -msgid "Temp path" -msgstr "Calea Temp" - -#: ../../mod/admin.php:650 -msgid "Base path to installation" -msgstr "Calea de bază pentru instalare" - -#: ../../mod/admin.php:651 -msgid "Disable picture proxy" -msgstr "" - -#: ../../mod/admin.php:651 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "" - -#: ../../mod/admin.php:653 -msgid "New base url" -msgstr "URL de bază nou" - -#: ../../mod/admin.php:655 -msgid "Enable noscrape" -msgstr "Activare fără-colectare" - -#: ../../mod/admin.php:655 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping." -msgstr "Caracteristica fără-colectare accelerează trimiterea directoarelor folosind datele JSON în locul colectării HTML." - -#: ../../mod/admin.php:672 -msgid "Update has been marked successful" -msgstr "Actualizarea a fost marcată cu succes" - -#: ../../mod/admin.php:680 -#, php-format -msgid "Database structure update %s was successfully applied." -msgstr "" - -#: ../../mod/admin.php:683 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "" - -#: ../../mod/admin.php:695 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "" - -#: ../../mod/admin.php:698 -#, php-format -msgid "Update %s was successfully applied." -msgstr "Actualizarea %s a fost aplicată cu succes." - -#: ../../mod/admin.php:702 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "Actualizare %s nu a returnat nici-un status. Nu se știe dacă a reuşit." - -#: ../../mod/admin.php:704 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "" - -#: ../../mod/admin.php:723 -msgid "No failed updates." -msgstr "Nici-o actualizare eșuată." - -#: ../../mod/admin.php:724 -msgid "Check database structure" -msgstr "" - -#: ../../mod/admin.php:729 -msgid "Failed Updates" -msgstr "Actualizări Eșuate" - -#: ../../mod/admin.php:730 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Aceasta nu include actualizările dinainte de 1139, care nu a returnat nici-un status." - -#: ../../mod/admin.php:731 -msgid "Mark success (if update was manually applied)" -msgstr "Marcaţi ca și realizat (dacă actualizarea a fost aplicată manual)" - -#: ../../mod/admin.php:732 -msgid "Attempt to execute this update step automatically" -msgstr "Se încearcă executarea automată a acestei etape de actualizare" - -#: ../../mod/admin.php:764 -#, php-format -msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "" - -#: ../../mod/admin.php:767 -#, php-format -msgid "" -"\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." -msgstr "" - -#: ../../mod/admin.php:811 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s utilizator blocat/deblocat" -msgstr[1] "%s utilizatori blocați/deblocați" -msgstr[2] "%s de utilizatori blocați/deblocați" - -#: ../../mod/admin.php:818 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s utilizator şters" -msgstr[1] "%s utilizatori şterşi" -msgstr[2] "%s utilizatori şterşi" - -#: ../../mod/admin.php:857 -#, php-format -msgid "User '%s' deleted" -msgstr "Utilizator %s şters" - -#: ../../mod/admin.php:865 -#, php-format -msgid "User '%s' unblocked" -msgstr "Utilizator %s deblocat" - -#: ../../mod/admin.php:865 -#, php-format -msgid "User '%s' blocked" -msgstr "Utilizator %s blocat" - -#: ../../mod/admin.php:960 -msgid "Add User" -msgstr "Adăugaţi Utilizator" - -#: ../../mod/admin.php:961 -msgid "select all" -msgstr "selectează tot" - -#: ../../mod/admin.php:962 -msgid "User registrations waiting for confirm" -msgstr "Înregistrarea utilizatorului, aşteaptă confirmarea" - -#: ../../mod/admin.php:963 -msgid "User waiting for permanent deletion" -msgstr "Utilizatorul așteaptă să fie șters definitiv" - -#: ../../mod/admin.php:964 -msgid "Request date" -msgstr "Data cererii" - -#: ../../mod/admin.php:965 -msgid "No registrations." -msgstr "Nici-o înregistrare." - -#: ../../mod/admin.php:967 -msgid "Deny" -msgstr "Respinge" - -#: ../../mod/admin.php:971 -msgid "Site admin" -msgstr "Site admin" - -#: ../../mod/admin.php:972 -msgid "Account expired" -msgstr "Cont expirat" - -#: ../../mod/admin.php:975 -msgid "New User" -msgstr "Utilizator Nou" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Register date" -msgstr "Data înregistrare" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Last login" -msgstr "Ultimul login" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Last item" -msgstr "Ultimul element" - -#: ../../mod/admin.php:976 -msgid "Deleted since" -msgstr "Șters din" - -#: ../../mod/admin.php:979 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Utilizatorii selectați vor fi ştersi!\\n\\nTot ce au postat acești utilizatori pe acest site, va fi şters permanent!\\n\\nConfirmați?" - -#: ../../mod/admin.php:980 -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 "Utilizatorul {0} va fi şters!\\n\\nTot ce a postat acest utilizator pe acest site, va fi şters permanent!\\n\\nConfirmați?" - -#: ../../mod/admin.php:990 -msgid "Name of the new user." -msgstr "Numele noului utilizator." - -#: ../../mod/admin.php:991 -msgid "Nickname" -msgstr "Pseudonim" - -#: ../../mod/admin.php:991 -msgid "Nickname of the new user." -msgstr "Pseudonimul noului utilizator." - -#: ../../mod/admin.php:992 -msgid "Email address of the new user." -msgstr "Adresa de e-mail a utilizatorului nou." - -#: ../../mod/admin.php:1025 -#, php-format -msgid "Plugin %s disabled." -msgstr "Modulul %s a fost dezactivat." - -#: ../../mod/admin.php:1029 -#, php-format -msgid "Plugin %s enabled." -msgstr "Modulul %s a fost activat." - -#: ../../mod/admin.php:1039 ../../mod/admin.php:1255 -msgid "Disable" -msgstr "Dezactivează" - -#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 -msgid "Enable" -msgstr "Activează" - -#: ../../mod/admin.php:1064 ../../mod/admin.php:1285 -msgid "Toggle" -msgstr "Comutare" - -#: ../../mod/admin.php:1072 ../../mod/admin.php:1295 -msgid "Author: " -msgstr "Autor: " - -#: ../../mod/admin.php:1073 ../../mod/admin.php:1296 -msgid "Maintainer: " -msgstr "Responsabil:" - -#: ../../mod/admin.php:1215 -msgid "No themes found." -msgstr "Nici-o temă găsită." - -#: ../../mod/admin.php:1277 -msgid "Screenshot" -msgstr "Screenshot" - -#: ../../mod/admin.php:1323 -msgid "[Experimental]" -msgstr "[Experimental]" - -#: ../../mod/admin.php:1324 -msgid "[Unsupported]" -msgstr "[Unsupported]" - -#: ../../mod/admin.php:1351 -msgid "Log settings updated." -msgstr "Jurnalul de configurări fost actualizat." - -#: ../../mod/admin.php:1407 -msgid "Clear" -msgstr "Curăţă" - -#: ../../mod/admin.php:1413 -msgid "Enable Debugging" -msgstr "Activează Depanarea" - -#: ../../mod/admin.php:1414 -msgid "Log file" -msgstr "Fişier Log " - -#: ../../mod/admin.php:1414 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Trebuie să fie inscriptibil pentru serverul web. Relativ la directoul dvs. superior Friendica." - -#: ../../mod/admin.php:1415 -msgid "Log level" -msgstr "Nivel log" - -#: ../../mod/admin.php:1465 -msgid "Close" -msgstr "Închide" - -#: ../../mod/admin.php:1471 -msgid "FTP Host" -msgstr "FTP Host" - -#: ../../mod/admin.php:1472 -msgid "FTP Path" -msgstr "FTP Path" - -#: ../../mod/admin.php:1473 -msgid "FTP User" -msgstr "FTP User" - -#: ../../mod/admin.php:1474 -msgid "FTP Password" -msgstr "FTP Parolă" - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "Dimensiunea imaginii depăşeşte limita de %d" - -#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Nu s-a putut procesa imaginea." - -#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Încărcarea imaginii a eşuat." - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Bine aţi venit la %s" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Eroare de protocol OpenID. Nici-un ID returnat." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "Contul nu a fost găsit iar înregistrările OpenID nu sunt permise pe acest site." - -#: ../../mod/network.php:136 -msgid "Search Results For:" -msgstr "Rezultatele Căutării Pentru:" - -#: ../../mod/network.php:179 ../../mod/search.php:21 -msgid "Remove term" -msgstr "Eliminare termen" - -#: ../../mod/network.php:350 -msgid "Commented Order" -msgstr "Ordonare Comentarii" - -#: ../../mod/network.php:353 -msgid "Sort by Comment Date" -msgstr "Sortare după Data Comentariului" - -#: ../../mod/network.php:356 -msgid "Posted Order" -msgstr "Ordonare Postări" - -#: ../../mod/network.php:359 -msgid "Sort by Post Date" -msgstr "Sortare după Data Postării" - -#: ../../mod/network.php:368 -msgid "Posts that mention or involve you" -msgstr "Postări ce vă menționează sau vă implică" - -#: ../../mod/network.php:374 -msgid "New" -msgstr "Nou" - -#: ../../mod/network.php:377 -msgid "Activity Stream - by date" -msgstr "Flux Activități - după dată" - -#: ../../mod/network.php:383 -msgid "Shared Links" -msgstr "Linkuri partajate" - -#: ../../mod/network.php:386 -msgid "Interesting Links" -msgstr "Legături Interesante" - -#: ../../mod/network.php:392 -msgid "Starred" -msgstr "Cu steluță" - -#: ../../mod/network.php:395 -msgid "Favourite Posts" -msgstr "Postări Favorite" - -#: ../../mod/network.php:457 -#, php-format -msgid "Warning: This group contains %s member from an insecure network." -msgid_plural "" -"Warning: This group contains %s members from an insecure network." -msgstr[0] "Atenție: Acest grup conţine %s membru dintr-o reţea nesigură." -msgstr[1] "Atenție: Acest grup conţine %s membrii dintr-o reţea nesigură." -msgstr[2] "Atenție: Acest grup conţine %s de membrii dintr-o reţea nesigură." - -#: ../../mod/network.php:460 -msgid "Private messages to this group are at risk of public disclosure." -msgstr "Mesajele private către acest grup sunt supuse riscului de divulgare publică." - -#: ../../mod/network.php:514 ../../mod/content.php:119 -msgid "No such group" -msgstr "Membrii" - -#: ../../mod/network.php:531 ../../mod/content.php:130 -msgid "Group is empty" -msgstr "Grupul este gol" - -#: ../../mod/network.php:538 ../../mod/content.php:134 -msgid "Group: " -msgstr "Grup:" - -#: ../../mod/network.php:548 -msgid "Contact: " -msgstr "Contact: " - -#: ../../mod/network.php:550 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "Mesajele private către această persoană sunt supuse riscului de divulgare publică." - -#: ../../mod/network.php:555 -msgid "Invalid contact." -msgstr "Invalid contact." - -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- selectare -" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Friendica, versiunea" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "rulează la locaţia web" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Vă rugăm să vizitaţi Friendica.com pentru a afla mai multe despre proiectul Friendica." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Rapoarte de erori şi probleme: vă rugăm să vizitaţi" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Sugestii, laude, donatii, etc. - vă rugăm să trimiteți un email pe \"Info\" at Friendica - dot com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "Module/suplimente/aplicații instalate:" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "Module/suplimente/aplicații neinstalate" - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Aplicații" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Nu există aplicații instalate." - -#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 -msgid "Upload New Photos" -msgstr "Încărcaţi Fotografii Noi" - -#: ../../mod/photos.php:144 -msgid "Contact information unavailable" -msgstr "Informaţii contact nedisponibile" - -#: ../../mod/photos.php:165 -msgid "Album not found." -msgstr "Album negăsit" - -#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 -msgid "Delete Album" -msgstr "Şterge Album" - -#: ../../mod/photos.php:198 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Doriţi într-adevăr să ştergeţi acest album foto și toate fotografiile sale?" - -#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 -msgid "Delete Photo" -msgstr "Şterge Poza" - -#: ../../mod/photos.php:287 -msgid "Do you really want to delete this photo?" -msgstr "Sigur doriți să ștergeți această fotografie?" - -#: ../../mod/photos.php:662 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s a fost etichetat în %2$s de către %3$s" - -#: ../../mod/photos.php:662 -msgid "a photo" -msgstr "o poză" - -#: ../../mod/photos.php:767 -msgid "Image exceeds size limit of " -msgstr "Dimensiunea imaginii depăşeşte limita de" - -#: ../../mod/photos.php:775 -msgid "Image file is empty." -msgstr "Fișierul imagine este gol." - -#: ../../mod/photos.php:930 -msgid "No photos selected" -msgstr "Nici-o fotografie selectată" - -#: ../../mod/photos.php:1094 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "Aţi folosit %1$.2f Mb din %2$.2f Mb de stocare foto." - -#: ../../mod/photos.php:1129 -msgid "Upload Photos" -msgstr "Încărcare Fotografii" - -#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 -msgid "New album name: " -msgstr "Nume album nou:" - -#: ../../mod/photos.php:1134 -msgid "or existing album name: " -msgstr "sau numele unui album existent:" - -#: ../../mod/photos.php:1135 -msgid "Do not show a status post for this upload" -msgstr "Nu afișa un status pentru această încărcare" - -#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 -msgid "Permissions" -msgstr "Permisiuni" - -#: ../../mod/photos.php:1148 -msgid "Private Photo" -msgstr "Poze private" - -#: ../../mod/photos.php:1149 -msgid "Public Photo" -msgstr "Poze Publice" - -#: ../../mod/photos.php:1216 -msgid "Edit Album" -msgstr "Editează Album" - -#: ../../mod/photos.php:1222 -msgid "Show Newest First" -msgstr "Afișează Întâi cele Noi" - -#: ../../mod/photos.php:1224 -msgid "Show Oldest First" -msgstr "Afișează Întâi cele Vechi" - -#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 -msgid "View Photo" -msgstr "Vizualizare Fotografie" - -#: ../../mod/photos.php:1292 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permisiune refuzată. Accesul la acest element poate fi restricționat." - -#: ../../mod/photos.php:1294 -msgid "Photo not available" -msgstr "Fotografia nu este disponibilă" - -#: ../../mod/photos.php:1350 -msgid "View photo" -msgstr "Vezi foto" - -#: ../../mod/photos.php:1350 -msgid "Edit photo" -msgstr "Editează poza" - -#: ../../mod/photos.php:1351 -msgid "Use as profile photo" -msgstr "Utilizați ca și fotografie de profil" - -#: ../../mod/photos.php:1376 -msgid "View Full Size" -msgstr "Vizualizați la Dimensiunea Completă" - -#: ../../mod/photos.php:1455 -msgid "Tags: " -msgstr "Etichete:" - -#: ../../mod/photos.php:1458 -msgid "[Remove any tag]" -msgstr "[Elimină orice etichetă]" - -#: ../../mod/photos.php:1498 -msgid "Rotate CW (right)" -msgstr "Rotire spre dreapta" - -#: ../../mod/photos.php:1499 -msgid "Rotate CCW (left)" -msgstr "Rotire spre stânga" - -#: ../../mod/photos.php:1501 -msgid "New album name" -msgstr "Nume Nou Album" - -#: ../../mod/photos.php:1504 -msgid "Caption" -msgstr "Titlu" - -#: ../../mod/photos.php:1506 -msgid "Add a Tag" -msgstr "Adaugă un Tag" - -#: ../../mod/photos.php:1510 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Exemplu: @Bob, @Barbara_Jensen, @jim@exemplu.com , #California, #camping" - -#: ../../mod/photos.php:1519 -msgid "Private photo" -msgstr "Poze private" - -#: ../../mod/photos.php:1520 -msgid "Public photo" -msgstr "Poze Publice" - -#: ../../mod/photos.php:1815 -msgid "Recent Photos" -msgstr "Poze Recente" - -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Contact addăugat" - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Mutaţi contul" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Puteţi importa un cont dintr-un alt server Friendica." - -#: ../../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 "Trebuie să vă exportați contul din vechiul server şi să-l încărcaţi aici. Vă vom recrea vechiul cont, aici cu toate contactele sale. Vom încerca de altfel să vă informăm prietenii că v-ați mutat aici." - -#: ../../mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Această caracteristică este experimentală. Nu putem importa contactele din reţeaua OStatus (statusnet/identi.ca) sau din Diaspora" - -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "Fişier Cont" - -#: ../../mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "Pentru a vă exporta contul, deplasaţi-vă la \"Configurări- >Export date personale \" şi selectaţi \"Exportare cont \"" - -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Limita totală a invitațiilor a fost depăşită." - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s : Nu este o adresă vaildă de email." - -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Vă rugăm să veniți alături de noi pe Friendica" - -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limita invitațiilor a fost depăşită. Vă rugăm să vă contactați administratorul de sistem." - -#: ../../mod/invite.php:89 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s : Livrarea mesajului a eşuat." - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d mesaj trimis." -msgstr[1] "%d mesaje trimise." -msgstr[2] "%d de mesaje trimise." - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Nu mai aveți invitaţii disponibile" - -#: ../../mod/invite.php:120 -#, 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 "Vizitaţi %s pentru o lista de site-uri publice la care puteţi alătura. Membrii Friendica de pe alte site-uri se pot conecta cu toții între ei, precum şi cu membri ai multor alte reţele sociale." - -#: ../../mod/invite.php:122 -#, php-format -msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Pentru a accepta această invitaţie, vă rugăm să vizitaţi şi să vă înregistraţi pe %s sau orice alt site public Friendica." - -#: ../../mod/invite.php:123 -#, 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 "Toate site-urile Friendica sunt interconectate pentru a crea o imensă rețea socială cu o confidențialitate sporită, ce este deținută și controlată de către membrii săi. Aceștia se pot conecta, de asemenea, cu multe rețele sociale tradiționale. Vizitaţi %s pentru o lista de site-uri alternative Friendica în care vă puteţi alătura." - -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Ne cerem scuze. Acest sistem nu este configurat în prezent pentru conectarea cu alte site-uri publice sau pentru a invita membrii." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Trimiteți invitaţii" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Introduceţi adresele de email, una pe linie:" - -#: ../../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 "Vă invit cordial să vă alăturați mie, si altor prieteni apropiați, pe Friendica - şi să ne ajutați să creăm o rețea socială mai bună." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Va fi nevoie să furnizați acest cod de invitaţie: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Odată ce v-aţi înregistrat, vă rog să vă conectaţi cu mine prin pagina mea de profil de la:" - -#: ../../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 "Pentru mai multe informaţii despre proiectul Friendica, şi de ce credem că este important, vă rugăm să vizitaţi http://friendica.com" - -#: ../../mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Accesul interzis." - -#: ../../mod/lostpass.php:19 -msgid "No valid account found." -msgstr "Nici-un cont valid găsit." - -#: ../../mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "Solicitarea de Resetare Parolă a fost emisă. Verificați-vă emailul." - -#: ../../mod/lostpass.php:42 -#, 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:53 -#, 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:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "Solicitarea de resetare a parolei a fost făcută la %s" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "Solicitarea nu se poate verifica. (Este posibil să fi solicitat-o anterior.) Resetarea parolei a eșuat." - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "Parola a fost resetată conform solicitării." - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "Noua dvs. parolă este" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Salvați sau copiați noua dvs. parolă - şi apoi" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "click aici pentru logare" - -#: ../../mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Parola poate fi schimbată din pagina de Configurări după autentificarea cu succes." - -#: ../../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 "Parola dumneavoastră a fost schimbată la %s" - -#: ../../mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Ați uitat Parola?" - -#: ../../mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Introduceţi adresa dumneavoastră de email şi trimiteți-o pentru a vă reseta parola. Apoi verificaţi-vă emailul pentru instrucţiuni suplimentare." - -#: ../../mod/lostpass.php:161 -msgid "Nickname or Email: " -msgstr "Pseudonim sau Email:" - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "Reset" - -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Text (bbcode) sursă:" - -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Text (Diaspora) sursă pentru a-l converti în BBcode:" - -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Intrare Sursă:" - -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (raw 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 "Intrare Sursă (Format Diaspora):" - -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Etichetă eliminată" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Eliminați Eticheta Elementului" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Selectați o etichetă de eliminat:" - -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Șterge Contul Meu" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Aceasta va elimina complet contul dvs. Odată ce a fostă, această acțiune este nerecuperabilă." - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Vă rugăm să introduceţi parola dvs. pentru verificare:" - -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Identificator profil, invalid." - -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Editor Vizibilitate Profil" - -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Vizibil Pentru" - -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Toate Contactele (cu acces profil securizat)" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "Potrivire Profil" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Nu există cuvinte cheie pentru a le potrivi. Vă rugăm să adăugaţi cuvinte cheie la profilul dvs implicit." - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "are interese pentru:" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Titlul evenimentului şi timpul de pornire sunt necesare." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l, F j" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Editează eveniment" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Crează eveniment nou" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Precedent" - -#: ../../mod/events.php:373 ../../mod/install.php:207 -msgid "Next" -msgstr "Next" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "ore:minute" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Detalii eveniment" - -#: ../../mod/events.php:457 -#, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "Formatul este %s %s.Data de începere și Titlul sunt necesare." - -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "Evenimentul Începe:" - -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Cerut" - -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "Data/ora de finalizare nu este cunoscută sau nu este relevantă" - -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "Evenimentul se Finalizează:" - -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "Reglați pentru fusul orar al vizitatorului" - -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Descriere:" - -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Titlu:" - -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Partajează acest eveniment" - -#: ../../mod/ping.php:240 -msgid "{0} wants to be your friend" -msgstr "{0} doreşte să vă fie prieten" - -#: ../../mod/ping.php:245 -msgid "{0} sent you a message" -msgstr "{0} v-a trimis un mesaj" - -#: ../../mod/ping.php:250 -msgid "{0} requested registration" -msgstr "{0} a solicitat înregistrarea" - -#: ../../mod/ping.php:256 -#, php-format -msgid "{0} commented %s's post" -msgstr "{0} a comentat la articolul postat de %s" - -#: ../../mod/ping.php:261 -#, php-format -msgid "{0} liked %s's post" -msgstr "{0} a apreciat articolul postat de %s" - -#: ../../mod/ping.php:266 -#, php-format -msgid "{0} disliked %s's post" -msgstr "{0} nu a apreciat articolul postat de %s" - -#: ../../mod/ping.php:271 -#, php-format -msgid "{0} is now friends with %s" -msgstr "{0} este acum prieten cu %s" - -#: ../../mod/ping.php:276 -msgid "{0} posted" -msgstr "{0} a postat" - -#: ../../mod/ping.php:281 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "{0} a etichetat articolul postat de %s cu #%s" - -#: ../../mod/ping.php:287 -msgid "{0} mentioned you in a post" -msgstr "{0} v-a menţionat într-o postare" - -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "Stare de spirit" - -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "Stabiliți-vă starea de spirit curentă, şi comunicați-o prietenilor" - -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Nici-un rezultat." - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "Nu se pot localiza informaţiile de contact." - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Chiar doriţi să ştergeţi acest mesaj ?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Mesaj şters" - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Conversaşie inlăturată." - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Nici-un mesaj." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "Expeditor necunoscut - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Tu şi %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s şi dvs" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Ștergeți conversaţia" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D, d M Y - g:i A" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d mesaj" -msgstr[1] "%d mesaje" -msgstr[2] "%d mesaje" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Mesaj nedisponibil" - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Şterge mesaj" - -#: ../../mod/message.php:548 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Nici-o comunicaţie securizată disponibilă. Veți putea răspunde din pagina de profil a expeditorului." - -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Răspunde" - -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "Indisponibil." - -#: ../../mod/profiles.php:18 ../../mod/profiles.php:133 -#: ../../mod/profiles.php:162 ../../mod/profiles.php:589 -#: ../../mod/dfrn_confirm.php:64 -msgid "Profile not found." -msgstr "Profil negăsit." - #: ../../mod/profiles.php:37 msgid "Profile deleted." msgstr "Profilul a fost şters." @@ -6728,28 +4282,23 @@ msgstr "Ştergeţi acest profil" #: ../../mod/profiles.php:651 msgid "Basic information" -msgstr "" +msgstr "Informaţii de bază" #: ../../mod/profiles.php:652 msgid "Profile picture" -msgstr "" +msgstr "Imagine profil" #: ../../mod/profiles.php:654 msgid "Preferences" -msgstr "" +msgstr "Preferinţe " #: ../../mod/profiles.php:655 msgid "Status information" -msgstr "" +msgstr "Informaţii Status" #: ../../mod/profiles.php:656 msgid "Additional information" -msgstr "" - -#: ../../mod/profiles.php:658 ../../mod/newmember.php:36 -#: ../../mod/profile_photo.php:244 -msgid "Upload Profile Photo" -msgstr "Încărcare Fotografie Profil" +msgstr "Informaţii suplimentare" #: ../../mod/profiles.php:659 msgid "Profile Name:" @@ -6808,10 +4357,22 @@ msgstr "Exemple: cathy123, Cathy Williams, cathy@example.com" msgid "Since [date]:" msgstr "Din [data]:" +#: ../../mod/profiles.php:673 ../../include/profile_advanced.php:46 +msgid "Sexual Preference:" +msgstr "Orientare Sexuală:" + #: ../../mod/profiles.php:674 msgid "Homepage URL:" msgstr "Homepage URL:" +#: ../../mod/profiles.php:675 ../../include/profile_advanced.php:50 +msgid "Hometown:" +msgstr "Domiciliu:" + +#: ../../mod/profiles.php:676 ../../include/profile_advanced.php:54 +msgid "Political Views:" +msgstr "Viziuni Politice:" + #: ../../mod/profiles.php:677 msgid "Religious Views:" msgstr "Viziuni Religioase:" @@ -6824,6 +4385,14 @@ msgstr "Cuvinte cheie Publice:" msgid "Private Keywords:" msgstr "Cuvinte cheie Private:" +#: ../../mod/profiles.php:680 ../../include/profile_advanced.php:62 +msgid "Likes:" +msgstr "Îmi place:" + +#: ../../mod/profiles.php:681 ../../include/profile_advanced.php:64 +msgid "Dislikes:" +msgstr "Nu-mi place:" + #: ../../mod/profiles.php:682 msgid "Example: fishing photography software" msgstr "Exemplu: pescuit fotografii software" @@ -6890,6 +4459,406 @@ msgstr "Vârsta:" msgid "Edit/Manage Profiles" msgstr "Editare/Gestionare Profile" +#: ../../mod/profiles.php:763 ../../boot.php:1585 ../../boot.php:1611 +msgid "Change profile photo" +msgstr "Modificați Fotografia de Profil" + +#: ../../mod/profiles.php:764 ../../boot.php:1586 +msgid "Create New Profile" +msgstr "Creați Profil Nou" + +#: ../../mod/profiles.php:775 ../../boot.php:1596 +msgid "Profile Image" +msgstr "Imagine profil" + +#: ../../mod/profiles.php:777 ../../boot.php:1599 +msgid "visible to everybody" +msgstr "vizibil pentru toata lumea" + +#: ../../mod/profiles.php:778 ../../boot.php:1600 +msgid "Edit visibility" +msgstr "Editare vizibilitate" + +#: ../../mod/share.php:44 +msgid "link" +msgstr "link" + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Exportare cont" + +#: ../../mod/uexport.php:77 +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 "Exportați-vă informațiile contului şi contactele. Utilizaţi aceasta pentru a face o copie de siguranţă a contului dumneavoastră şi/sau pentru a-l muta pe un alt server." + +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Exportare tot" + +#: ../../mod/uexport.php:78 +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 "Exportați informațiile dvs. de cont, contactele şi toate elementele dvs., ca json. Ar putea fi un fișier foarte mare, şi ar putea lua mult timp. Utilizaţi aceasta pentru a face un backup complet al contului (fotografiile nu sunt exportate)" + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "{0} doreşte să vă fie prieten" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "{0} v-a trimis un mesaj" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "{0} a solicitat înregistrarea" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0} a comentat la articolul postat de %s" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "{0} a apreciat articolul postat de %s" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "{0} nu a apreciat articolul postat de %s" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0} este acum prieten cu %s" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "{0} a postat" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "{0} a etichetat articolul postat de %s cu #%s" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "{0} v-a menţionat într-o postare" + +#: ../../mod/navigation.php:20 ../../include/nav.php:34 +msgid "Nothing new here" +msgstr "Nimic nou aici" + +#: ../../mod/navigation.php:24 ../../include/nav.php:38 +msgid "Clear notifications" +msgstr "Ştergeţi notificările" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Indisponibil." + +#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:129 +#: ../../include/nav.php:129 +msgid "Community" +msgstr "Comunitate" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "Salvare în Dosar:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- selectare -" + +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Ne pare rău, este posibil ca fișierul pe care doriți să-l încărcați, este mai mare decât permite configuraţia PHP" + +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "Sau - ați încercat să încărcaţi un fişier gol?" + +#: ../../mod/wall_attach.php:81 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "Fişierul depăşeşte dimensiunea limită de %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Încărcarea fișierului a eşuat." + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Identificator profil, invalid." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Editor Vizibilitate Profil" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "Apăsați pe un contact pentru a-l adăuga sau elimina." + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Vizibil Pentru" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Toate Contactele (cu acces profil securizat)" + +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "Sigur doriți să ștergeți acesta sugestie?" + +#: ../../mod/suggest.php:66 ../../view/theme/diabook/theme.php:527 +#: ../../include/contact_widgets.php:35 +msgid "Friend Suggestions" +msgstr "Sugestii de Prietenie" + +#: ../../mod/suggest.php:72 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Nici-o sugestie disponibilă. Dacă aceasta este un site nou, vă rugăm să încercaţi din nou în 24 de ore." + +#: ../../mod/suggest.php:88 ../../mod/match.php:58 ../../boot.php:1542 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "Conectare" + +#: ../../mod/suggest.php:90 +msgid "Ignore/Hide" +msgstr "Ignorare/Ascundere" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "Accesul interzis." + +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "%1$s îi urează bun venit lui %2$s" + +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Administrare Identităţii şi/sau Pagini" + +#: ../../mod/manage.php:107 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Comutați între diferitele identităţi sau pagini de comunitate/grup, care împărtășesc detaliile contului dvs. sau pentru care v-au fost acordate drepturi de \"gestionare \"" + +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Selectaţi o identitate de gestionat:" + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "Nici-un delegat potenţial de pagină, nu a putut fi localizat." + +#: ../../mod/delegate.php:130 ../../include/nav.php:168 +msgid "Delegate Page Management" +msgstr "Delegare Gestionare Pagină" + +#: ../../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 "Delegații sunt capabili să gestioneze toate aspectele acestui cont/pagină, cu excepţia configurărilor de bază ale contului. Vă rugăm să nu vă delegați, contul dvs. personal, cuiva în care nu aveţi încredere deplină." + +#: ../../mod/delegate.php:133 +msgid "Existing Page Managers" +msgstr "Gestionari Existenți Pagină" + +#: ../../mod/delegate.php:135 +msgid "Existing Page Delegates" +msgstr "Delegați Existenți Pagină" + +#: ../../mod/delegate.php:137 +msgid "Potential Delegates" +msgstr "Potenţiali Delegaţi" + +#: ../../mod/delegate.php:140 +msgid "Add" +msgstr "Adăugare" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "Nu există intrări." + +#: ../../mod/viewcontacts.php:39 +msgid "No contacts." +msgstr "Nici-un contact." + +#: ../../mod/viewcontacts.php:76 ../../include/text.php:875 +msgid "View Contacts" +msgstr "Vezi Contacte" + +#: ../../mod/notes.php:44 ../../boot.php:2121 +msgid "Personal Notes" +msgstr "Note Personale" + +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Abordare/Atragerea atenției" + +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "abordați, atrageți atenția sau faceți alte lucruri cuiva" + +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "Destinatar" + +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Alegeți ce doriți să faceți cu destinatarul" + +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Faceți acest articol privat" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "Director Global" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Căutați pe acest site" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Director Site" + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Sex:" + +#: ../../mod/directory.php:138 ../../boot.php:1624 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "Sex:" + +#: ../../mod/directory.php:140 ../../boot.php:1627 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "Status:" + +#: ../../mod/directory.php:142 ../../boot.php:1629 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "Homepage:" + +#: ../../mod/directory.php:144 ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "Despre:" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Fără înregistrări (unele înregistrări pot fi ascunse)." + +#: ../../mod/localtime.php:12 ../../include/event.php:11 +#: ../../include/bb2diaspora.php:134 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" + +#: ../../mod/localtime.php:24 +msgid "Time Conversion" +msgstr "Conversie Oră" + +#: ../../mod/localtime.php:26 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica oferă acest serviciu pentru partajarea evenimentelor cu alte rețele și prieteni, în zonele cu fusuri orare necunoscute.\\v" + +#: ../../mod/localtime.php:30 +#, php-format +msgid "UTC time: %s" +msgstr "Fus orar UTC: %s" + +#: ../../mod/localtime.php:33 +#, php-format +msgid "Current timezone: %s" +msgstr "Fusul orar curent: %s" + +#: ../../mod/localtime.php:36 +#, php-format +msgid "Converted localtime: %s" +msgstr "Ora locală convertită: %s" + +#: ../../mod/localtime.php:41 +msgid "Please select your timezone:" +msgstr "Vă rugăm să vă selectaţi fusul orar:" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Postat cu succes." + +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "Imaginea a fost încărcată, dar decuparea imaginii a eşuat." + +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Reducerea dimensiunea imaginii [%s] a eşuat." + +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Apăsați pe Shift și pe Reîncărcare Pagină sau ştergeţi memoria cache a browser-ului, dacă noua fotografie nu se afişează imediat." + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Nu s-a putut procesa imaginea." + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Încărcare Fișier:" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Selectați un profil:" + +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "Încărcare" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "omiteți acest pas" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "selectaţi o fotografie din albumele dvs. foto" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "Decupare Imagine" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Vă rugăm să ajustaţi decuparea imaginii pentru o vizualizare optimă." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Editare Realizată" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Imaginea a fost încărcată cu succes" + #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" msgstr "Serverul de Comunicații Friendica - Instalare" @@ -7181,534 +5150,2589 @@ msgid "" "poller." msgstr "IMPORTANT: Va trebui să configurați [manual] o sarcină programată pentru operatorul de sondaje." -#: ../../mod/help.php:79 -msgid "Help:" -msgstr "Ajutor:" +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Grupul a fost creat." -#: ../../mod/crepair.php:104 -msgid "Contact settings applied." -msgstr "Configurările Contactului au fost aplicate." +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Grupul nu se poate crea." -#: ../../mod/crepair.php:106 -msgid "Contact update failed." -msgstr "Actualizarea Contactului a eșuat." +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Grupul nu a fost găsit." -#: ../../mod/crepair.php:137 -msgid "Repair Contact Settings" -msgstr "Remediere Configurări Contact" +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Numele grupului a fost schimbat." -#: ../../mod/crepair.php:139 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "AVERTISMENT: Această acțiune este foarte avansată şi dacă introduceţi informaţii incorecte, comunicaţiile cu acest contact se poate opri." +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Salvare Grup" -#: ../../mod/crepair.php:140 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Vă rugăm să utilizaţi acum butonul 'Înapoi' din browser, dacă nu sunteţi sigur ce sa faceți pe această pagină." +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Creaţi un grup de contacte/prieteni." -#: ../../mod/crepair.php:146 -msgid "Return to contact editor" -msgstr "Reveniţi la editorul de contact" +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Nume Grup:" -#: ../../mod/crepair.php:159 -msgid "Account Nickname" -msgstr "Pseudonim Cont" +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Grupul a fost eliminat." -#: ../../mod/crepair.php:160 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@Nume_etichetă - suprascrie Numele/Pseudonimul" +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Nu se poate elimina grupul." -#: ../../mod/crepair.php:161 -msgid "Account URL" -msgstr "URL Cont" +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Editor Grup" -#: ../../mod/crepair.php:162 -msgid "Friend Request URL" -msgstr "URL Solicitare Prietenie" +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Membri" -#: ../../mod/crepair.php:163 -msgid "Friend Confirm URL" -msgstr "URL Confirmare Prietenie" +#: ../../mod/content.php:119 ../../mod/network.php:514 +msgid "No such group" +msgstr "Membrii" -#: ../../mod/crepair.php:164 -msgid "Notification Endpoint URL" -msgstr "Punct final URL Notificare" +#: ../../mod/content.php:130 ../../mod/network.php:531 +msgid "Group is empty" +msgstr "Grupul este gol" -#: ../../mod/crepair.php:165 -msgid "Poll/Feed URL" -msgstr "URL Sondaj/Flux" +#: ../../mod/content.php:134 ../../mod/network.php:538 +msgid "Group: " +msgstr "Grup:" -#: ../../mod/crepair.php:166 -msgid "New photo from this URL" -msgstr "Fotografie Nouă de la acest URL" +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "Vizualizare în context" -#: ../../mod/crepair.php:167 -msgid "Remote Self" -msgstr "Auto la Distanţă" +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "Cont aprobat." -#: ../../mod/crepair.php:169 -msgid "Mirror postings from this contact" -msgstr "Postări în oglindă de la acest contact" - -#: ../../mod/crepair.php:169 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "Marcaţi acest contact ca remote_self, aceasta va determina friendica să reposteze noile articole ale acestui contact." - -#: ../../mod/crepair.php:169 -msgid "No mirroring" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror as forwarded posting" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror as my own posting" -msgstr "" - -#: ../../mod/newmember.php:6 -msgid "Welcome to Friendica" -msgstr "Bun Venit la Friendica" - -#: ../../mod/newmember.php:8 -msgid "New Member Checklist" -msgstr "Lista de Verificare Membrii Noi" - -#: ../../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 "Dorim să vă oferim câteva sfaturi şi legături pentru a vă ajuta să aveți o experienţă cât mai plăcută. Apăsați pe orice element pentru a vizita pagina relevantă. O legătură către această pagină va fi vizibilă de pe pagina principală, pentru două săptămâni după înregistrarea dvs. iniţială, iar apoi va dispare în tăcere." - -#: ../../mod/newmember.php:14 -msgid "Getting Started" -msgstr "Noțiuni de Bază" - -#: ../../mod/newmember.php:18 -msgid "Friendica Walk-Through" -msgstr "Ghidul de Prezentare Friendica" - -#: ../../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 "Pe pagina dvs. de Pornire Rapidă - veți găsi o scurtă introducere pentru profilul dvs. şi pentru filele de reţea, veți face câteva conexiuni noi, şi veți găsi câteva grupuri la care să vă alăturați." - -#: ../../mod/newmember.php:26 -msgid "Go to Your Settings" -msgstr "Mergeți la Configurări" - -#: ../../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 "Din pagina dvs. de Configurări - schimbaţi-vă parola iniţială. De asemenea creați o notă pentru Adresa dvs. de Identificare. Aceasta arată exact ca o adresă de email - şi va fi utilă la stabilirea de prietenii pe rețeaua socială web gratuită." - -#: ../../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 "Revizuiți celelalte configurări, în special configurările de confidenţialitate. O listă de directoare nepublicate este ca și cum ați avea un număr de telefon necatalogat. În general, ar trebui probabil să vă publicați lista - cu excepţia cazului în care toți prietenii şi potenţialii prieteni, știu exact cum să vă găsească." - -#: ../../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 "Încărcaţi o fotografie de profil, dacă nu aţi făcut-o deja.Studiile au arătat că, pentru persoanele cu fotografiile lor reale, există de zece ori mai multe şanse să-și facă prieteni, decât cei care nu folosesc fotografii reale." - -#: ../../mod/newmember.php:38 -msgid "Edit Your Profile" -msgstr "Editare Profil" - -#: ../../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 "Editaţi-vă profilul Implicit după bunul plac. Revizuiți configurările pentru a ascunde lista dvs. de prieteni și pentru ascunderea profilului dvs., de vizitatorii necunoscuți." - -#: ../../mod/newmember.php:40 -msgid "Profile Keywords" -msgstr "Cuvinte-Cheie Profil" - -#: ../../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 "Stabiliți câteva cuvinte-cheie publice pentru profilul dvs. implicit, cuvinte ce descriu cel mai bine interesele dvs. Vom putea astfel găsi alte persoane cu interese similare și vă vom sugera prietenia lor." - -#: ../../mod/newmember.php:44 -msgid "Connecting" -msgstr "Conectare" - -#: ../../mod/newmember.php:49 -msgid "" -"Authorise the Facebook Connector if you currently have a Facebook account " -"and we will (optionally) import all your Facebook friends and conversations." -msgstr "Autorizați Conectorul Facebook dacă dețineți în prezent un cont pe Facebook, şi vom importa (opțional) toți prietenii și toate conversațiile de pe Facebook." - -#: ../../mod/newmember.php:51 -msgid "" -"If this is your own personal server, installing the Facebook addon " -"may ease your transition to the free social web." -msgstr "Dacă aceasta este propriul dvs. server, instalarea suplimentului Facebook, vă poate uşura tranziţia la reţeaua socială web gratuită." - -#: ../../mod/newmember.php:56 -msgid "Importing Emails" -msgstr "Importare Email-uri" - -#: ../../mod/newmember.php:56 -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 "Introduceţi informațiile dvs. de acces la email adresa de email, în pagina dvs. de Configurări Conector, dacă doriți să importați și să interacționați cu prietenii sau cu listele de email din Căsuța dvs. de Mesaje Primite." - -#: ../../mod/newmember.php:58 -msgid "Go to Your Contacts Page" -msgstr "Dute la pagina ta Contacte " - -#: ../../mod/newmember.php:58 -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 "Pagina dvs. de Contact este poarta dvs. de acces către administrarea prieteniilor şi pentru conectarea cu prietenii din alte rețele. În general, introduceți adresa lor sau URL-ul către site, folosind dialogul Adăugare Contact Nou." - -#: ../../mod/newmember.php:60 -msgid "Go to Your Site's Directory" -msgstr "Mergeţi la Directorul Site-ului" - -#: ../../mod/newmember.php:60 -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 "Pagina Directorului vă permite să găsiţi alte persoane în această reţea sau în alte site-uri asociate. Căutaţi o legătură de Conectare sau Urmărire pe pagina lor de profil. Oferiți propria dvs. Adresă de Identitate dacă se solicită." - -#: ../../mod/newmember.php:62 -msgid "Finding New People" -msgstr "Găsire Persoane Noi" - -#: ../../mod/newmember.php:62 -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 "Pe panoul lateral al paginii Contacte sunt câteva unelte utile pentru a găsi noi prieteni. Putem asocia persoanele după interese, căuta persoane după nume sau interes, şi vă putem oferi sugestii bazate pe relaţiile din reţea. Pe un site nou-nouț, sugestiile de prietenie vor începe în mod normal să fie populate în termen de 24 de ore." - -#: ../../mod/newmember.php:70 -msgid "Group Your Contacts" -msgstr "Grupați-vă Contactele" - -#: ../../mod/newmember.php:70 -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 "Odată ce v-aţi făcut unele prietenii, organizaţi-le în grupuri de conversaţii private din bara laterală a paginii dvs. de Contact şi apoi puteţi interacționa, privat cu fiecare grup pe pagina dumneavoastră de Reţea." - -#: ../../mod/newmember.php:73 -msgid "Why Aren't My Posts Public?" -msgstr "De ce nu sunt Postările Mele Publice?" - -#: ../../mod/newmember.php:73 -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 vă respectă confidenţialitatea. Implicit, postările dvs. vor fi afişate numai persoanelor pe care le-ați adăugat ca și prieteni. Pentru mai multe informaţii, consultaţi secţiunea de asistenţă din legătura de mai sus." - -#: ../../mod/newmember.php:78 -msgid "Getting Help" -msgstr "Obţinerea de Ajutor" - -#: ../../mod/newmember.php:82 -msgid "Go to the Help Section" -msgstr "Navigați la Secțiunea Ajutor" - -#: ../../mod/newmember.php:82 -msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -msgstr "Paginile noastre de ajutor pot fi consultate pentru detalii, prin alte funcții şi resurse de program." - -#: ../../mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Abordare/Atragerea atenției" - -#: ../../mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "abordați, atrageți atenția sau faceți alte lucruri cuiva" - -#: ../../mod/poke.php:194 -msgid "Recipient" -msgstr "Destinatar" - -#: ../../mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Alegeți ce doriți să faceți cu destinatarul" - -#: ../../mod/poke.php:198 -msgid "Make this post private" -msgstr "Faceți acest articol privat" - -#: ../../mod/prove.php:93 -msgid "" -"\n" -"\t\tDear $[username],\n" -"\t\t\tYour password has been changed as requested. Please retain this\n" -"\t\tinformation for your records (or change your password immediately to\n" -"\t\tsomething that you will remember).\n" -"\t" -msgstr "" - -#: ../../mod/display.php:452 -msgid "Item has been removed." -msgstr "Elementul a fost eliminat." - -#: ../../mod/subthread.php:103 +#: ../../mod/regmod.php:92 #, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s urmărește %3$s postată %2$s" +msgid "Registration revoked for %s" +msgstr "Înregistrare revocată pentru %s" -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%1$s îi urează bun venit lui %2$s" +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "Vă rugăm să vă autentificați." -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Aceasta se poate întâmpla ocazional dacă contactul a fost solicitat de către ambele persoane şi acesta a fost deja aprobat." +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "Potrivire Profil" -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "Răspunsul de la adresa de la distanţă, nu a fost înțeles." +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Nu există cuvinte cheie pentru a le potrivi. Vă rugăm să adăugaţi cuvinte cheie la profilul dvs implicit." -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "Răspuns neaşteptat de la site-ul de la distanţă:" - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "Confirmare încheiată cu succes." - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "Site-ul de la distanţă a raportat:" - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "Eroare Temporară. Vă rugăm să aşteptaţi şi încercaţi din nou." - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "Introducerea a eşuat sau a fost revocată." - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "Imposibil de stabilit fotografia de contact." - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "Nici-o înregistrare de utilizator găsită pentru '%s'" - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "Se pare că, cheia de criptare a site-ului nostru s-a încurcat." - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "A fost furnizată o adresă URL goală, sau adresa URL nu poate fi decriptată de noi." - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "Registrul contactului nu a fost găsit pe site-ul nostru." - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "Cheia publică a site-ului nu este disponibilă în registrul contactului pentru URL-ul %s." - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "ID-ul furnizat de către sistemul dumneavoastră este un duplicat pe sistemul nostru. Ar trebui să funcţioneze dacă încercaţi din nou." - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "Imposibil de configurat datele dvs. de autentificare, pe sistemul nostru." - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "Imposibil de actualizat detaliile de profil ale contactului dvs., pe sistemul nostru." - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s s-a alăturat lui %2$s" +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "are interese pentru:" #: ../../mod/item.php:113 msgid "Unable to locate original post." msgstr "Nu se poate localiza postarea originală." -#: ../../mod/item.php:324 +#: ../../mod/item.php:326 msgid "Empty post discarded." msgstr "Postarea goală a fost eliminată." -#: ../../mod/item.php:915 +#: ../../mod/item.php:919 msgid "System error. Post not saved." msgstr "Eroare de sistem. Articolul nu a fost salvat." -#: ../../mod/item.php:941 +#: ../../mod/item.php:945 #, php-format msgid "" "This message was sent to you by %s, a member of the Friendica social " "network." msgstr "Acest mesaj v-a fost trimis de către %s, un membru al rețelei sociale Friendica." -#: ../../mod/item.php:943 +#: ../../mod/item.php:947 #, php-format msgid "You may visit them online at %s" msgstr "Îi puteți vizita profilul online la %s" -#: ../../mod/item.php:944 +#: ../../mod/item.php:948 msgid "" "Please contact the sender by replying to this post if you do not wish to " "receive these messages." msgstr "Vă rugăm să contactați expeditorul răspunzând la această postare, dacă nu doriţi să primiţi aceste mesaje." -#: ../../mod/item.php:948 +#: ../../mod/item.php:952 #, php-format msgid "%s posted an update." msgstr "%s a postat o actualizare." -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Imaginea a fost încărcată, dar decuparea imaginii a eşuat." - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#: ../../mod/mood.php:62 ../../include/conversation.php:227 #, php-format -msgid "Image size reduction [%s] failed." -msgstr "Reducerea dimensiunea imaginii [%s] a eşuat." +msgid "%1$s is currently %2$s" +msgstr "%1$s este momentan %2$s" -#: ../../mod/profile_photo.php:118 +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "Stare de spirit" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "Stabiliți-vă starea de spirit curentă, şi comunicați-o prietenilor" + +#: ../../mod/network.php:136 +msgid "Search Results For:" +msgstr "Rezultatele Căutării Pentru:" + +#: ../../mod/network.php:189 ../../include/group.php:275 +msgid "add" +msgstr "add" + +#: ../../mod/network.php:350 +msgid "Commented Order" +msgstr "Ordonare Comentarii" + +#: ../../mod/network.php:353 +msgid "Sort by Comment Date" +msgstr "Sortare după Data Comentariului" + +#: ../../mod/network.php:356 +msgid "Posted Order" +msgstr "Ordonare Postări" + +#: ../../mod/network.php:359 +msgid "Sort by Post Date" +msgstr "Sortare după Data Postării" + +#: ../../mod/network.php:368 +msgid "Posts that mention or involve you" +msgstr "Postări ce vă menționează sau vă implică" + +#: ../../mod/network.php:374 +msgid "New" +msgstr "Nou" + +#: ../../mod/network.php:377 +msgid "Activity Stream - by date" +msgstr "Flux Activități - după dată" + +#: ../../mod/network.php:383 +msgid "Shared Links" +msgstr "Linkuri partajate" + +#: ../../mod/network.php:386 +msgid "Interesting Links" +msgstr "Legături Interesante" + +#: ../../mod/network.php:392 +msgid "Starred" +msgstr "Cu steluță" + +#: ../../mod/network.php:395 +msgid "Favourite Posts" +msgstr "Postări Favorite" + +#: ../../mod/network.php:457 +#, php-format +msgid "Warning: This group contains %s member from an insecure network." +msgid_plural "" +"Warning: This group contains %s members from an insecure network." +msgstr[0] "Atenție: Acest grup conţine %s membru dintr-o reţea nesigură." +msgstr[1] "Atenție: Acest grup conţine %s membrii dintr-o reţea nesigură." +msgstr[2] "Atenție: Acest grup conţine %s de membrii dintr-o reţea nesigură." + +#: ../../mod/network.php:460 +msgid "Private messages to this group are at risk of public disclosure." +msgstr "Mesajele private către acest grup sunt supuse riscului de divulgare publică." + +#: ../../mod/network.php:548 +msgid "Contact: " +msgstr "Contact: " + +#: ../../mod/network.php:550 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "Mesajele private către această persoană sunt supuse riscului de divulgare publică." + +#: ../../mod/network.php:555 +msgid "Invalid contact." +msgstr "Invalid contact." + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "Configurările Contactului au fost aplicate." + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "Actualizarea Contactului a eșuat." + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "Remediere Configurări Contact" + +#: ../../mod/crepair.php:141 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Apăsați pe Shift și pe Reîncărcare Pagină sau ştergeţi memoria cache a browser-ului, dacă noua fotografie nu se afişează imediat." +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "AVERTISMENT: Această acțiune este foarte avansată şi dacă introduceţi informaţii incorecte, comunicaţiile cu acest contact se poate opri." -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "Nu s-a putut procesa imaginea." - -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "Încărcare Fișier:" - -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "Selectați un profil:" - -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "Încărcare" - -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "omiteți acest pas" - -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "selectaţi o fotografie din albumele dvs. foto" - -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "Decupare Imagine" - -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Vă rugăm să ajustaţi decuparea imaginii pentru o vizualizare optimă." - -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "Editare Realizată" - -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "Imaginea a fost încărcată cu succes" - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "Prieteni cu %s" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "Nici-un prieten de afișat." - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "Căutați pe acest site" - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "Director Site" - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "Sex:" - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "Fără înregistrări (unele înregistrări pot fi ascunse)." - -#: ../../mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Conversie Oră" - -#: ../../mod/localtime.php:26 +#: ../../mod/crepair.php:142 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica oferă acest serviciu pentru partajarea evenimentelor cu alte rețele și prieteni, în zonele cu fusuri orare necunoscute.\\v" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Vă rugăm să utilizaţi acum butonul 'Înapoi' din browser, dacă nu sunteţi sigur ce sa faceți pe această pagină." -#: ../../mod/localtime.php:30 +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "Reveniţi la editorul de contact" + +#: ../../mod/crepair.php:161 +msgid "Account Nickname" +msgstr "Pseudonim Cont" + +#: ../../mod/crepair.php:162 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@Nume_etichetă - suprascrie Numele/Pseudonimul" + +#: ../../mod/crepair.php:163 +msgid "Account URL" +msgstr "URL Cont" + +#: ../../mod/crepair.php:164 +msgid "Friend Request URL" +msgstr "URL Solicitare Prietenie" + +#: ../../mod/crepair.php:165 +msgid "Friend Confirm URL" +msgstr "URL Confirmare Prietenie" + +#: ../../mod/crepair.php:166 +msgid "Notification Endpoint URL" +msgstr "Punct final URL Notificare" + +#: ../../mod/crepair.php:167 +msgid "Poll/Feed URL" +msgstr "URL Sondaj/Flux" + +#: ../../mod/crepair.php:168 +msgid "New photo from this URL" +msgstr "Fotografie Nouă de la acest URL" + +#: ../../mod/crepair.php:169 +msgid "Remote Self" +msgstr "Auto la Distanţă" + +#: ../../mod/crepair.php:171 +msgid "Mirror postings from this contact" +msgstr "Postări în oglindă de la acest contact" + +#: ../../mod/crepair.php:171 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "Marcaţi acest contact ca remote_self, aceasta va determina friendica să reposteze noile articole ale acestui contact." + +#: ../../mod/crepair.php:171 +msgid "No mirroring" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "Mirror as forwarded posting" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "Mirror as my own posting" +msgstr "" + +#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 +#: ../../include/nav.php:146 +msgid "Your posts and conversations" +msgstr "Postările şi conversaţiile dvs." + +#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 +msgid "Your profile page" +msgstr "Pagina dvs. de profil" + +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "Contactele dvs." + +#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 +msgid "Your photos" +msgstr "Fotografiile dvs." + +#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 +msgid "Your events" +msgstr "Evenimentele dvs." + +#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 +msgid "Personal notes" +msgstr "Note Personale" + +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Fotografii dvs. personale" + +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +#: ../../view/theme/diabook/config.php:158 +msgid "Community Pages" +msgstr "Community Pagini" + +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +#: ../../view/theme/diabook/config.php:160 +msgid "Community Profiles" +msgstr "Profile de Comunitate" + +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +#: ../../view/theme/diabook/config.php:164 +msgid "Last users" +msgstr "Ultimii utilizatori" + +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +#: ../../view/theme/diabook/config.php:166 +msgid "Last likes" +msgstr "Ultimele aprecieri" + +#: ../../view/theme/diabook/theme.php:463 ../../include/text.php:1963 +#: ../../include/conversation.php:118 ../../include/conversation.php:246 +msgid "event" +msgstr "eveniment" + +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +#: ../../view/theme/diabook/config.php:165 +msgid "Last photos" +msgstr "Ultimele fotografii" + +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +#: ../../view/theme/diabook/config.php:163 +msgid "Find Friends" +msgstr "Găsire Prieteni" + +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "Director Local" + +#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 +msgid "Similar Interests" +msgstr "Interese Similare" + +#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 +msgid "Invite Friends" +msgstr "Invită Prieteni" + +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +#: ../../view/theme/diabook/config.php:159 +msgid "Earth Layers" +msgstr "Straturi Pământ" + +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "Stabilire factor de magnificare pentru Straturi Pământ" + +#: ../../view/theme/diabook/theme.php:585 +#: ../../view/theme/diabook/config.php:156 +msgid "Set longitude (X) for Earth Layers" +msgstr "Stabilire longitudine (X) pentru Straturi Pământ" + +#: ../../view/theme/diabook/theme.php:586 +#: ../../view/theme/diabook/config.php:157 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Stabilire latitudine (Y) pentru Straturi Pământ" + +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +#: ../../view/theme/diabook/config.php:161 +msgid "Help or @NewHere ?" +msgstr "Ajutor sau @NouAici ?" + +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +#: ../../view/theme/diabook/config.php:162 +msgid "Connect Services" +msgstr "Conectare Servicii" + +#: ../../view/theme/diabook/theme.php:621 +#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:328 +msgid "don't show" +msgstr "nu afișa" + +#: ../../view/theme/diabook/theme.php:621 +#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:327 +msgid "show" +msgstr "afișare" + +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "Afişare/ascundere casete din coloana din dreapta:" + +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:54 +#: ../../view/theme/dispy/config.php:72 +#: ../../view/theme/duepuntozero/config.php:61 +#: ../../view/theme/quattro/config.php:66 +#: ../../view/theme/cleanzero/config.php:82 +msgid "Theme settings" +msgstr "Configurări Temă" + +#: ../../view/theme/diabook/config.php:151 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/cleanzero/config.php:84 +msgid "Set font-size for posts and comments" +msgstr "Stabilire dimensiune font pentru postări şi comentarii" + +#: ../../view/theme/diabook/config.php:152 +#: ../../view/theme/dispy/config.php:74 +msgid "Set line-height for posts and comments" +msgstr "Stabilire înălțime linie pentru postări şi comentarii" + +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Stabilire rezoluţie pentru coloana din mijloc" + +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Stabilire schemă de culori" + +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Stabilire factor de magnificare pentru Straturi Pământ" + +#: ../../view/theme/vier/config.php:55 +msgid "Set style" +msgstr "Stabilire stil" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Stabilire schemă de culori" + +#: ../../view/theme/duepuntozero/config.php:44 ../../include/text.php:1699 +#: ../../include/user.php:247 +msgid "default" +msgstr "implicit" + +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" +msgstr "zeroverde" + +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" +msgstr "zeroviolet" + +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" +msgstr "" + +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" +msgstr "zeronegru" + +#: ../../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 "" + +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "Aliniere" + +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Stânga" + +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Centrat" + +#: ../../view/theme/quattro/config.php:68 +#: ../../view/theme/cleanzero/config.php:86 +msgid "Color scheme" +msgstr "Schemă culoare" + +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "Dimensiune font postări" + +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "Dimensiune font zone text" + +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Stabiliți nivelul de redimensionare a imaginilor din postări și comentarii (lăţimea şi înălţimea)" + +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Stabilire lăţime temă" + +#: ../../boot.php:723 +msgid "Delete this item?" +msgstr "Ștergeți acest element?" + +#: ../../boot.php:726 +msgid "show fewer" +msgstr "afișare mai puține" + +#: ../../boot.php:1096 #, php-format -msgid "UTC time: %s" -msgstr "Fus orar UTC: %s" +msgid "Update %s failed. See error logs." +msgstr "Actualizarea %s a eșuat. Consultaţi jurnalele de eroare." -#: ../../mod/localtime.php:33 +#: ../../boot.php:1214 +msgid "Create a New Account" +msgstr "Creaţi un Cont Nou" + +#: ../../boot.php:1239 ../../include/nav.php:73 +msgid "Logout" +msgstr "Deconectare" + +#: ../../boot.php:1240 ../../include/nav.php:92 +msgid "Login" +msgstr "Login" + +#: ../../boot.php:1242 +msgid "Nickname or Email address: " +msgstr "Pseudonimul sau Adresa de email:" + +#: ../../boot.php:1243 +msgid "Password: " +msgstr "Parola:" + +#: ../../boot.php:1244 +msgid "Remember me" +msgstr "Reține autentificarea" + +#: ../../boot.php:1247 +msgid "Or login using OpenID: " +msgstr "Sau conectaţi-vă utilizând OpenID:" + +#: ../../boot.php:1253 +msgid "Forgot your password?" +msgstr "Ați uitat parola?" + +#: ../../boot.php:1256 +msgid "Website Terms of Service" +msgstr "Condiții de Utilizare Site Web" + +#: ../../boot.php:1257 +msgid "terms of service" +msgstr "condiții de utilizare" + +#: ../../boot.php:1259 +msgid "Website Privacy Policy" +msgstr "Politica de Confidențialitate Site Web" + +#: ../../boot.php:1260 +msgid "privacy policy" +msgstr "politica de confidențialitate" + +#: ../../boot.php:1393 +msgid "Requested account is not available." +msgstr "Contul solicitat nu este disponibil." + +#: ../../boot.php:1475 ../../boot.php:1609 +#: ../../include/profile_advanced.php:84 +msgid "Edit profile" +msgstr "Editare profil" + +#: ../../boot.php:1574 +msgid "Message" +msgstr "Mesaj" + +#: ../../boot.php:1580 ../../include/nav.php:173 +msgid "Profiles" +msgstr "Profile" + +#: ../../boot.php:1580 +msgid "Manage/edit profiles" +msgstr "Gestionare/editare profile" + +#: ../../boot.php:1677 +msgid "Network:" +msgstr "Reţea:" + +#: ../../boot.php:1707 ../../boot.php:1793 +msgid "g A l F d" +msgstr "g A l F d" + +#: ../../boot.php:1708 ../../boot.php:1794 +msgid "F d" +msgstr "F d" + +#: ../../boot.php:1753 ../../boot.php:1834 +msgid "[today]" +msgstr "[azi]" + +#: ../../boot.php:1765 +msgid "Birthday Reminders" +msgstr "Memento Zile naştere " + +#: ../../boot.php:1766 +msgid "Birthdays this week:" +msgstr "Zi;e Naştere această săptămînă:" + +#: ../../boot.php:1827 +msgid "[No description]" +msgstr "[Fără descriere]" + +#: ../../boot.php:1845 +msgid "Event Reminders" +msgstr "Memento Eveniment" + +#: ../../boot.php:1846 +msgid "Events this week:" +msgstr "Evenimente în această săptămână:" + +#: ../../boot.php:2083 ../../include/nav.php:76 +msgid "Status" +msgstr "Status" + +#: ../../boot.php:2086 +msgid "Status Messages and Posts" +msgstr "Status Mesaje şi Postări" + +#: ../../boot.php:2093 +msgid "Profile Details" +msgstr "Detalii Profil" + +#: ../../boot.php:2104 ../../boot.php:2107 ../../include/nav.php:79 +msgid "Videos" +msgstr "Clipuri video" + +#: ../../boot.php:2117 +msgid "Events and Calendar" +msgstr "Evenimente şi Calendar" + +#: ../../boot.php:2124 +msgid "Only You Can See This" +msgstr "Numai Dvs. Puteţi Vizualiza" + +#: ../../include/features.php:23 +msgid "General Features" +msgstr "Caracteristici Generale" + +#: ../../include/features.php:25 +msgid "Multiple Profiles" +msgstr "Profile Multiple" + +#: ../../include/features.php:25 +msgid "Ability to create multiple profiles" +msgstr "Capacitatea de a crea profile multiple" + +#: ../../include/features.php:30 +msgid "Post Composition Features" +msgstr "Caracteristici Compoziţie Postare" + +#: ../../include/features.php:31 +msgid "Richtext Editor" +msgstr "Editor Text Îmbogățit" + +#: ../../include/features.php:31 +msgid "Enable richtext editor" +msgstr "Activare editor text îmbogățit" + +#: ../../include/features.php:32 +msgid "Post Preview" +msgstr "Previzualizare Postare" + +#: ../../include/features.php:32 +msgid "Allow previewing posts and comments before publishing them" +msgstr "Permiteți previzualizarea postărilor şi comentariilor înaintea publicării lor" + +#: ../../include/features.php:33 +msgid "Auto-mention Forums" +msgstr "Auto-menţionare Forumuri" + +#: ../../include/features.php:33 +msgid "" +"Add/remove mention when a fourm page is selected/deselected in ACL window." +msgstr "Adăugaţi/eliminaţi mențiunea când o pagină de forum este selectată/deselectată în fereastra ACL." + +#: ../../include/features.php:38 +msgid "Network Sidebar Widgets" +msgstr "Aplicaţii widget de Rețea în Bara Laterală" + +#: ../../include/features.php:39 +msgid "Search by Date" +msgstr "Căutare după Dată" + +#: ../../include/features.php:39 +msgid "Ability to select posts by date ranges" +msgstr "Abilitatea de a selecta postări după intervalele de timp" + +#: ../../include/features.php:40 +msgid "Group Filter" +msgstr "Filtru Grup" + +#: ../../include/features.php:40 +msgid "Enable widget to display Network posts only from selected group" +msgstr "Permiteți aplicației widget să afișeze postări din Rețea, numai din grupul selectat" + +#: ../../include/features.php:41 +msgid "Network Filter" +msgstr "Filtru Reţea" + +#: ../../include/features.php:41 +msgid "Enable widget to display Network posts only from selected network" +msgstr "Permiteți aplicației widget să afișeze postări din Rețea, numai din rețeaua selectată" + +#: ../../include/features.php:42 +msgid "Save search terms for re-use" +msgstr "Salvați termenii de căutare pentru reutilizare" + +#: ../../include/features.php:47 +msgid "Network Tabs" +msgstr "File Reţea" + +#: ../../include/features.php:48 +msgid "Network Personal Tab" +msgstr "Filă Personală de Reţea" + +#: ../../include/features.php:48 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Permiteți filei să afişeze numai postările Reţelei cu care ați interacţionat" + +#: ../../include/features.php:49 +msgid "Network New Tab" +msgstr "Filă Nouă de Reţea" + +#: ../../include/features.php:49 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "Permiteți filei să afişeze numai postările noi din Reţea (din ultimele 12 ore)" + +#: ../../include/features.php:50 +msgid "Network Shared Links Tab" +msgstr "Filă Legături Distribuite în Rețea" + +#: ../../include/features.php:50 +msgid "Enable tab to display only Network posts with links in them" +msgstr "Permiteți filei să afişeze numai postările din Reţea ce conțin legături" + +#: ../../include/features.php:55 +msgid "Post/Comment Tools" +msgstr "Instrumente Postare/Comentariu" + +#: ../../include/features.php:56 +msgid "Multiple Deletion" +msgstr "Ştergere Multiplă" + +#: ../../include/features.php:56 +msgid "Select and delete multiple posts/comments at once" +msgstr "Selectaţi şi ştergeţi postări/comentarii multiple simultan" + +#: ../../include/features.php:57 +msgid "Edit Sent Posts" +msgstr "Editare Postări Trimise" + +#: ../../include/features.php:57 +msgid "Edit and correct posts and comments after sending" +msgstr "Editarea şi corectarea postărilor şi comentariilor după postarea lor" + +#: ../../include/features.php:58 +msgid "Tagging" +msgstr "Etichetare" + +#: ../../include/features.php:58 +msgid "Ability to tag existing posts" +msgstr "Capacitatea de a eticheta postările existente" + +#: ../../include/features.php:59 +msgid "Post Categories" +msgstr "Categorii Postări" + +#: ../../include/features.php:59 +msgid "Add categories to your posts" +msgstr "Adăugaţi categorii la postările dvs." + +#: ../../include/features.php:60 ../../include/contact_widgets.php:104 +msgid "Saved Folders" +msgstr "Dosare Salvate" + +#: ../../include/features.php:60 +msgid "Ability to file posts under folders" +msgstr "Capacitatea de a atribui postări în dosare" + +#: ../../include/features.php:61 +msgid "Dislike Posts" +msgstr "Respingere Postări" + +#: ../../include/features.php:61 +msgid "Ability to dislike posts/comments" +msgstr "Capacitatea de a marca postări/comentarii ca fiind neplăcute" + +#: ../../include/features.php:62 +msgid "Star Posts" +msgstr "Postări cu Steluță" + +#: ../../include/features.php:62 +msgid "Ability to mark special posts with a star indicator" +msgstr "Capacitatea de a marca posturile speciale cu o stea ca şi indicator" + +#: ../../include/features.php:63 +msgid "Mute Post Notifications" +msgstr "" + +#: ../../include/features.php:63 +msgid "Ability to mute notifications for a thread" +msgstr "" + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Deconectat." + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Am întâmpinat o problemă în timpul autentificării cu datele OpenID pe care le-ați furnizat." + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Mesajul de eroare a fost:" + +#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 +msgid "Starts:" +msgstr "Începe:" + +#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 +msgid "Finishes:" +msgstr "Se finalizează:" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "j F, Y" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "j F" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "Zile Naştere :" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "Vârsta:" + +#: ../../include/profile_advanced.php:43 #, php-format -msgid "Current timezone: %s" -msgstr "Fusul orar curent: %s" +msgid "for %1$d %2$s" +msgstr "pentru %1$d %2$s" -#: ../../mod/localtime.php:36 +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "Etichete:" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "Religie:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "Hobby/Interese:" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "Informaţii de Contact şi Reţele Sociale:" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "Preferințe muzicale:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "Cărti, literatură:" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "Programe TV:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "Film/dans/cultură/divertisment:" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "Dragoste/Romantism:" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "Loc de Muncă/Slujbă:" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "Școală/educatie:" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[fără subiect]" + +#: ../../include/Scrape.php:584 +msgid " on Last.fm" +msgstr "pe Last.fm" + +#: ../../include/text.php:296 +msgid "newer" +msgstr "mai noi" + +#: ../../include/text.php:298 +msgid "older" +msgstr "mai vechi" + +#: ../../include/text.php:303 +msgid "prev" +msgstr "preced" + +#: ../../include/text.php:305 +msgid "first" +msgstr "prima" + +#: ../../include/text.php:337 +msgid "last" +msgstr "ultima" + +#: ../../include/text.php:340 +msgid "next" +msgstr "următor" + +#: ../../include/text.php:854 +msgid "No contacts" +msgstr "Nici-un contact" + +#: ../../include/text.php:863 #, php-format -msgid "Converted localtime: %s" -msgstr "Ora locală convertită: %s" +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d Contact" +msgstr[1] "%d Contacte" +msgstr[2] "%d de Contacte" -#: ../../mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Vă rugăm să vă selectaţi fusul orar:" +#: ../../include/text.php:1004 +msgid "poke" +msgstr "abordare" + +#: ../../include/text.php:1004 ../../include/conversation.php:211 +msgid "poked" +msgstr "a fost abordat(ă)" + +#: ../../include/text.php:1005 +msgid "ping" +msgstr "ping" + +#: ../../include/text.php:1005 +msgid "pinged" +msgstr "i s-a trimis ping" + +#: ../../include/text.php:1006 +msgid "prod" +msgstr "prod" + +#: ../../include/text.php:1006 +msgid "prodded" +msgstr "i s-a atras atenția" + +#: ../../include/text.php:1007 +msgid "slap" +msgstr "plesnire" + +#: ../../include/text.php:1007 +msgid "slapped" +msgstr "a fost plesnit(ă)" + +#: ../../include/text.php:1008 +msgid "finger" +msgstr "indicare" + +#: ../../include/text.php:1008 +msgid "fingered" +msgstr "a fost indicat(ă)" + +#: ../../include/text.php:1009 +msgid "rebuff" +msgstr "respingere" + +#: ../../include/text.php:1009 +msgid "rebuffed" +msgstr "a fost respins(ă)" + +#: ../../include/text.php:1023 +msgid "happy" +msgstr "fericit(ă)" + +#: ../../include/text.php:1024 +msgid "sad" +msgstr "trist(ă)" + +#: ../../include/text.php:1025 +msgid "mellow" +msgstr "trist(ă)" + +#: ../../include/text.php:1026 +msgid "tired" +msgstr "obosit(ă)" + +#: ../../include/text.php:1027 +msgid "perky" +msgstr "arogant(ă)" + +#: ../../include/text.php:1028 +msgid "angry" +msgstr "supărat(ă)" + +#: ../../include/text.php:1029 +msgid "stupified" +msgstr "stupefiat(ă)" + +#: ../../include/text.php:1030 +msgid "puzzled" +msgstr "nedumerit(ă)" + +#: ../../include/text.php:1031 +msgid "interested" +msgstr "interesat(ă)" + +#: ../../include/text.php:1032 +msgid "bitter" +msgstr "amarnic" + +#: ../../include/text.php:1033 +msgid "cheerful" +msgstr "vesel(ă)" + +#: ../../include/text.php:1034 +msgid "alive" +msgstr "plin(ă) de viață" + +#: ../../include/text.php:1035 +msgid "annoyed" +msgstr "enervat(ă)" + +#: ../../include/text.php:1036 +msgid "anxious" +msgstr "neliniştit(ă)" + +#: ../../include/text.php:1037 +msgid "cranky" +msgstr "irascibil(ă)" + +#: ../../include/text.php:1038 +msgid "disturbed" +msgstr "perturbat(ă)" + +#: ../../include/text.php:1039 +msgid "frustrated" +msgstr "frustrat(ă)" + +#: ../../include/text.php:1040 +msgid "motivated" +msgstr "motivat(ă)" + +#: ../../include/text.php:1041 +msgid "relaxed" +msgstr "relaxat(ă)" + +#: ../../include/text.php:1042 +msgid "surprised" +msgstr "surprins(ă)" + +#: ../../include/text.php:1210 +msgid "Monday" +msgstr "Luni" + +#: ../../include/text.php:1210 +msgid "Tuesday" +msgstr "Marţi" + +#: ../../include/text.php:1210 +msgid "Wednesday" +msgstr "Miercuri" + +#: ../../include/text.php:1210 +msgid "Thursday" +msgstr "Joi" + +#: ../../include/text.php:1210 +msgid "Friday" +msgstr "Vineri" + +#: ../../include/text.php:1210 +msgid "Saturday" +msgstr "Sâmbătă" + +#: ../../include/text.php:1210 +msgid "Sunday" +msgstr "Duminică" + +#: ../../include/text.php:1214 +msgid "January" +msgstr "Ianuarie" + +#: ../../include/text.php:1214 +msgid "February" +msgstr "Februarie" + +#: ../../include/text.php:1214 +msgid "March" +msgstr "Martie" + +#: ../../include/text.php:1214 +msgid "April" +msgstr "Aprilie" + +#: ../../include/text.php:1214 +msgid "May" +msgstr "Mai" + +#: ../../include/text.php:1214 +msgid "June" +msgstr "Iunie" + +#: ../../include/text.php:1214 +msgid "July" +msgstr "Iulie" + +#: ../../include/text.php:1214 +msgid "August" +msgstr "August" + +#: ../../include/text.php:1214 +msgid "September" +msgstr "Septembrie" + +#: ../../include/text.php:1214 +msgid "October" +msgstr "Octombrie" + +#: ../../include/text.php:1214 +msgid "November" +msgstr "Noiembrie" + +#: ../../include/text.php:1214 +msgid "December" +msgstr "Decembrie" + +#: ../../include/text.php:1434 +msgid "bytes" +msgstr "octeţi" + +#: ../../include/text.php:1458 ../../include/text.php:1470 +msgid "Click to open/close" +msgstr "Apăsați pentru a deschide/închide" + +#: ../../include/text.php:1711 +msgid "Select an alternate language" +msgstr "Selectați o limbă alternativă" + +#: ../../include/text.php:1967 +msgid "activity" +msgstr "activitate" + +#: ../../include/text.php:1970 +msgid "post" +msgstr "postare" + +#: ../../include/text.php:2138 +msgid "Item filed" +msgstr "Element îndosariat" + +#: ../../include/api.php:278 ../../include/api.php:289 +#: ../../include/api.php:390 ../../include/api.php:975 +#: ../../include/api.php:977 +msgid "User not found." +msgstr "Utilizatorul nu a fost găsit." + +#: ../../include/api.php:1184 +msgid "There is no status with this id." +msgstr "Nu există nici-un status cu acest id." + +#: ../../include/api.php:1254 +msgid "There is no conversation with this id." +msgstr "Nu există nici-o conversație cu acest id." + +#: ../../include/dba.php:56 ../../include/dba_pdo.php:72 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Nu se pot localiza informațiile DNS pentru serverul de bază de date '%s'" + +#: ../../include/items.php:2112 ../../include/datetime.php:472 +#, php-format +msgid "%s's birthday" +msgstr "%s's zi de naştere" + +#: ../../include/items.php:2113 ../../include/datetime.php:473 +#, php-format +msgid "Happy Birthday %s" +msgstr "La mulţi ani %s" + +#: ../../include/items.php:4418 +msgid "Do you really want to delete this item?" +msgstr "Sigur doriți să ștergeți acest element?" + +#: ../../include/items.php:4641 +msgid "Archives" +msgstr "Arhive" + +#: ../../include/delivery.php:456 ../../include/notifier.php:774 +msgid "(no subject)" +msgstr "(fără subiect)" + +#: ../../include/delivery.php:467 ../../include/notifier.php:784 +#: ../../include/enotify.php:30 +msgid "noreply" +msgstr "nu-răspundeţi" + +#: ../../include/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "Partajarea notificării din reţeaua Diaspora" + +#: ../../include/diaspora.php:2312 +msgid "Attachments:" +msgstr "Atașări:" + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "Lipseşte URL-ul de conectare." + +#: ../../include/follow.php:59 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "Acest site nu este configurat pentru a permite comunicarea cu alte reţele." + +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Nu au fost descoperite protocoale de comunicaţii sau fluxuri compatibile." + +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "Adresa de profil specificată nu furnizează informații adecvate." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Un autor sau nume nu a fost găsit." + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Nici un URL de browser nu a putut fi corelat cu această adresă." + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Nu se poate corela @-stilul pentru Adresa de Identitatea cu un protocol cunoscut sau contact de email." + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Utilizaţi mailto: în faţa adresei pentru a forţa verificarea de email." + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "Adresa de profil specificată aparţine unei reţele care a fost dezactivată pe acest site." + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Profil limitat. Această persoană nu va putea primi notificări directe/personale, de la dvs." + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Nu se pot localiza informaţiile de contact." + +#: ../../include/follow.php:259 +msgid "following" +msgstr "urmărire" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Bine ați venit" + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Vă rugăm să încărcaţi o fotografie de profil." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Bine ați revenit" + +#: ../../include/security.php:366 +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 "Formarea codului de securitate, nu a fost corectă. Aceasta probabil s-a întâmplat pentru că formularul a fost deschis pentru prea mult timp ( >3 ore) înainte de a-l transmite." + +#: ../../include/profile_selectors.php:6 +msgid "Male" +msgstr "Bărbat" + +#: ../../include/profile_selectors.php:6 +msgid "Female" +msgstr "Femeie" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Male" +msgstr "În prezent Bărbat" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Female" +msgstr "În prezent Femeie" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Male" +msgstr "Mai mult Bărbat" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Female" +msgstr "Mai mult Femeie" + +#: ../../include/profile_selectors.php:6 +msgid "Transgender" +msgstr "Transsexual" + +#: ../../include/profile_selectors.php:6 +msgid "Intersex" +msgstr "Intersexual" + +#: ../../include/profile_selectors.php:6 +msgid "Transsexual" +msgstr "Transsexual" + +#: ../../include/profile_selectors.php:6 +msgid "Hermaphrodite" +msgstr "Hermafrodit" + +#: ../../include/profile_selectors.php:6 +msgid "Neuter" +msgstr "Neutru" + +#: ../../include/profile_selectors.php:6 +msgid "Non-specific" +msgstr "Non-specific" + +#: ../../include/profile_selectors.php:6 +msgid "Other" +msgstr "Alta" + +#: ../../include/profile_selectors.php:6 +msgid "Undecided" +msgstr "Indecisă" + +#: ../../include/profile_selectors.php:23 +msgid "Males" +msgstr "Bărbați" + +#: ../../include/profile_selectors.php:23 +msgid "Females" +msgstr "Femei" + +#: ../../include/profile_selectors.php:23 +msgid "Gay" +msgstr "Gay" + +#: ../../include/profile_selectors.php:23 +msgid "Lesbian" +msgstr "Lesbiană" + +#: ../../include/profile_selectors.php:23 +msgid "No Preference" +msgstr "Fără Preferințe" + +#: ../../include/profile_selectors.php:23 +msgid "Bisexual" +msgstr "Bisexual" + +#: ../../include/profile_selectors.php:23 +msgid "Autosexual" +msgstr "Autosexual" + +#: ../../include/profile_selectors.php:23 +msgid "Abstinent" +msgstr "Abstinent(ă)" + +#: ../../include/profile_selectors.php:23 +msgid "Virgin" +msgstr "Virgin(ă)" + +#: ../../include/profile_selectors.php:23 +msgid "Deviant" +msgstr "Deviant" + +#: ../../include/profile_selectors.php:23 +msgid "Fetish" +msgstr "Fetish" + +#: ../../include/profile_selectors.php:23 +msgid "Oodles" +msgstr "La grămadă" + +#: ../../include/profile_selectors.php:23 +msgid "Nonsexual" +msgstr "Nonsexual" + +#: ../../include/profile_selectors.php:42 +msgid "Single" +msgstr "Necăsătorit(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Lonely" +msgstr "Singur(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Available" +msgstr "Disponibil(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Unavailable" +msgstr "Indisponibil(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Has crush" +msgstr "Îndrăgostit(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Infatuated" +msgstr "Îndrăgostit(ă) nebunește" + +#: ../../include/profile_selectors.php:42 +msgid "Dating" +msgstr "Am întâlniri" + +#: ../../include/profile_selectors.php:42 +msgid "Unfaithful" +msgstr "Infidel(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Sex Addict" +msgstr "Dependent(ă) de Sex" + +#: ../../include/profile_selectors.php:42 ../../include/user.php:289 +#: ../../include/user.php:293 +msgid "Friends" +msgstr "Prieteni" + +#: ../../include/profile_selectors.php:42 +msgid "Friends/Benefits" +msgstr "Prietenii/Prestaţii" + +#: ../../include/profile_selectors.php:42 +msgid "Casual" +msgstr "Ocazional" + +#: ../../include/profile_selectors.php:42 +msgid "Engaged" +msgstr "Cuplat" + +#: ../../include/profile_selectors.php:42 +msgid "Married" +msgstr "Căsătorit(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily married" +msgstr "Căsătorit(ă) imaginar" + +#: ../../include/profile_selectors.php:42 +msgid "Partners" +msgstr "Parteneri" + +#: ../../include/profile_selectors.php:42 +msgid "Cohabiting" +msgstr "În conviețuire" + +#: ../../include/profile_selectors.php:42 +msgid "Common law" +msgstr "Drept Comun" + +#: ../../include/profile_selectors.php:42 +msgid "Happy" +msgstr "Fericit(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Not looking" +msgstr "Nu caut" + +#: ../../include/profile_selectors.php:42 +msgid "Swinger" +msgstr "Swinger" + +#: ../../include/profile_selectors.php:42 +msgid "Betrayed" +msgstr "Înșelat(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Separated" +msgstr "Separat(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Unstable" +msgstr "Instabil(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Divorced" +msgstr "Divorţat(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily divorced" +msgstr "Divorţat(ă) imaginar" + +#: ../../include/profile_selectors.php:42 +msgid "Widowed" +msgstr "Văduv(ă)" + +#: ../../include/profile_selectors.php:42 +msgid "Uncertain" +msgstr "Incert" + +#: ../../include/profile_selectors.php:42 +msgid "It's complicated" +msgstr "E complicat" + +#: ../../include/profile_selectors.php:42 +msgid "Don't care" +msgstr "Nu-mi pasă" + +#: ../../include/profile_selectors.php:42 +msgid "Ask me" +msgstr "Întreabă-mă" + +#: ../../include/uimport.php:94 +msgid "Error decoding account file" +msgstr "Eroare la decodarea fişierului de cont" + +#: ../../include/uimport.php:100 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Eroare! Nu există data versiunii în fişier! Acesta nu este un fișier de cont Friendica?" + +#: ../../include/uimport.php:116 ../../include/uimport.php:127 +msgid "Error! Cannot check nickname" +msgstr "Eroare! Nu pot verifica pseudonimul" + +#: ../../include/uimport.php:120 ../../include/uimport.php:131 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "Utilizatorul '%s' există deja pe acest server!" + +#: ../../include/uimport.php:153 +msgid "User creation error" +msgstr "Eroare la crearea utilizatorului" + +#: ../../include/uimport.php:171 +msgid "User profile creation error" +msgstr "Eroare la crearea profilului utilizatorului" + +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d contact neimportat" +msgstr[1] "%d contacte neimportate" +msgstr[2] "%d de contacte neimportate" + +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" +msgstr "Realizat. Vă puteţi conecta acum cu parola şi numele dumneavoastră de utilizator" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Apăsați aici pentru a actualiza." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Această acţiune depăşeşte limitele stabilite de planul abonamentului dvs." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Această acţiune nu este disponibilă în planul abonamentului dvs." + +#: ../../include/conversation.php:207 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s a abordat pe %2$s" + +#: ../../include/conversation.php:291 +msgid "post/item" +msgstr "post/element" + +#: ../../include/conversation.php:292 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s a marcat %3$s de la %2$s ca favorit" + +#: ../../include/conversation.php:772 +msgid "remove" +msgstr "eliminare" + +#: ../../include/conversation.php:776 +msgid "Delete Selected Items" +msgstr "Ștergeți Elementele Selectate" + +#: ../../include/conversation.php:875 +msgid "Follow Thread" +msgstr "Urmăriți Firul Conversației" + +#: ../../include/conversation.php:876 ../../include/Contact.php:229 +msgid "View Status" +msgstr "Vizualizare Status" + +#: ../../include/conversation.php:877 ../../include/Contact.php:230 +msgid "View Profile" +msgstr "Vizualizare Profil" + +#: ../../include/conversation.php:878 ../../include/Contact.php:231 +msgid "View Photos" +msgstr "Vizualizare Fotografii" + +#: ../../include/conversation.php:879 ../../include/Contact.php:232 +#: ../../include/Contact.php:255 +msgid "Network Posts" +msgstr "Postări din Rețea" + +#: ../../include/conversation.php:880 ../../include/Contact.php:233 +#: ../../include/Contact.php:255 +msgid "Edit Contact" +msgstr "Edit Contact" + +#: ../../include/conversation.php:881 ../../include/Contact.php:235 +#: ../../include/Contact.php:255 +msgid "Send PM" +msgstr "Trimiteți mesaj personal" + +#: ../../include/conversation.php:882 ../../include/Contact.php:228 +msgid "Poke" +msgstr "Abordare" + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s likes this." +msgstr "%s apreciază aceasta." + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s doesn't like this." +msgstr "%s nu apreciază aceasta." + +#: ../../include/conversation.php:949 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d persoane apreciază aceasta" + +#: ../../include/conversation.php:952 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d persoanenu apreciază aceasta" + +#: ../../include/conversation.php:966 +msgid "and" +msgstr "şi" + +#: ../../include/conversation.php:972 +#, php-format +msgid ", and %d other people" +msgstr ", şi %d alte persoane" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s like this." +msgstr "%s apreciază aceasta." + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s don't like this." +msgstr "%s nu apreciază aceasta." + +#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 +msgid "Visible to everybody" +msgstr "Vizibil pentru toți" + +#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 +msgid "Please enter a video link/URL:" +msgstr "Vă rugăm să introduceți un URL/legătură pentru clip video" + +#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 +msgid "Please enter an audio link/URL:" +msgstr "Vă rugăm să introduceți un URL/legătură pentru clip audio" + +#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 +msgid "Tag term:" +msgstr "Termen etichetare:" + +#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 +msgid "Where are you right now?" +msgstr "Unde vă aflați acum?" + +#: ../../include/conversation.php:1008 +msgid "Delete item(s)?" +msgstr "Ștergeți element(e)?" + +#: ../../include/conversation.php:1051 +msgid "Post to Email" +msgstr "Postați prin Email" + +#: ../../include/conversation.php:1056 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Conectorii au fost dezactivați, din moment ce \"%s\" este activat." + +#: ../../include/conversation.php:1111 +msgid "permissions" +msgstr "permisiuni" + +#: ../../include/conversation.php:1135 +msgid "Post to Groups" +msgstr "Postați în Grupuri" + +#: ../../include/conversation.php:1136 +msgid "Post to Contacts" +msgstr "Post către Contacte" + +#: ../../include/conversation.php:1137 +msgid "Private post" +msgstr "Articol privat" + +#: ../../include/contact_widgets.php:6 +msgid "Add New Contact" +msgstr "Add Contact Nou" + +#: ../../include/contact_widgets.php:7 +msgid "Enter address or web location" +msgstr "Introduceţi adresa sau locaţia web" + +#: ../../include/contact_widgets.php:8 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Exemplu: bob@example.com, http://example.com/barbara" + +#: ../../include/contact_widgets.php:24 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d invitație disponibilă" +msgstr[1] "%d invitații disponibile" +msgstr[2] "%d de invitații disponibile" + +#: ../../include/contact_widgets.php:30 +msgid "Find People" +msgstr "Căutați Persoane" + +#: ../../include/contact_widgets.php:31 +msgid "Enter name or interest" +msgstr "Introduceţi numele sau interesul" + +#: ../../include/contact_widgets.php:32 +msgid "Connect/Follow" +msgstr "Conectare/Urmărire" + +#: ../../include/contact_widgets.php:33 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Exemple: Robert Morgenstein, Pescuit" + +#: ../../include/contact_widgets.php:37 +msgid "Random Profile" +msgstr "Profil Aleatoriu" + +#: ../../include/contact_widgets.php:71 +msgid "Networks" +msgstr "Rețele" + +#: ../../include/contact_widgets.php:74 +msgid "All Networks" +msgstr "Toate Reţelele" + +#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 +msgid "Everything" +msgstr "Totul" + +#: ../../include/contact_widgets.php:136 +msgid "Categories" +msgstr "Categorii" + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Finalizați această sesiune" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "Fișierele tale video" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Notele tale personale" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Autentificare" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Home Pagina" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Creați un cont" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Ajutor şi documentaţie" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Aplicații" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Suplimente la aplicații, utilitare, jocuri" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Căutare în conținut site" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Conversaţii pe acest site" + +#: ../../include/nav.php:131 +msgid "Directory" +msgstr "Director" + +#: ../../include/nav.php:131 +msgid "People directory" +msgstr "Director persoane" + +#: ../../include/nav.php:133 +msgid "Information" +msgstr "Informaţii" + +#: ../../include/nav.php:133 +msgid "Information about this friendica instance" +msgstr "Informaţii despre această instanță friendica" + +#: ../../include/nav.php:143 +msgid "Conversations from your friends" +msgstr "Conversaţiile prieteniilor dvs." + +#: ../../include/nav.php:144 +msgid "Network Reset" +msgstr "Resetare Reţea" + +#: ../../include/nav.php:144 +msgid "Load Network page with no filters" +msgstr "Încărcare pagina de Reţea fără filtre" + +#: ../../include/nav.php:152 +msgid "Friend Requests" +msgstr "Solicitări Prietenie" + +#: ../../include/nav.php:154 +msgid "See all notifications" +msgstr "Consultaţi toate notificările" + +#: ../../include/nav.php:155 +msgid "Mark all system notifications seen" +msgstr "Marcaţi toate notificările de sistem, ca și vizualizate" + +#: ../../include/nav.php:159 +msgid "Private mail" +msgstr "Mail privat" + +#: ../../include/nav.php:160 +msgid "Inbox" +msgstr "Mesaje primite" + +#: ../../include/nav.php:161 +msgid "Outbox" +msgstr "Căsuță de Ieșire" + +#: ../../include/nav.php:165 +msgid "Manage" +msgstr "Gestionare" + +#: ../../include/nav.php:165 +msgid "Manage other pages" +msgstr "Gestionează alte pagini" + +#: ../../include/nav.php:170 +msgid "Account settings" +msgstr "Configurări Cont" + +#: ../../include/nav.php:173 +msgid "Manage/Edit Profiles" +msgstr "Gestionare/Editare Profile" + +#: ../../include/nav.php:175 +msgid "Manage/edit friends and contacts" +msgstr "Gestionare/Editare prieteni şi contacte" + +#: ../../include/nav.php:182 +msgid "Site setup and configuration" +msgstr "Instalare şi configurare site" + +#: ../../include/nav.php:186 +msgid "Navigation" +msgstr "Navigare" + +#: ../../include/nav.php:186 +msgid "Site map" +msgstr "Hartă Site" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Necunoscut | Fără categorie" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Blocare Imediată" + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "Dubioșii, spammerii, auto-promoterii" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Cunoscut mie, dar fără o opinie" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "OK, probabil inofensiv" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Cu reputație, are încrederea mea" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Săptămânal" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Lunar" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../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 "Conector Diaspora" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" + +#: ../../include/enotify.php:18 +msgid "Friendica Notification" +msgstr "Notificare Friendica" + +#: ../../include/enotify.php:21 +msgid "Thank You," +msgstr "Vă mulțumim," + +#: ../../include/enotify.php:23 +#, php-format +msgid "%s Administrator" +msgstr "%s Administrator" + +#: ../../include/enotify.php:55 +#, php-format +msgid "%s " +msgstr "%s " + +#: ../../include/enotify.php:59 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "[Friendica:Notificare] Mail nou primit la %s" + +#: ../../include/enotify.php:61 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "%1$s v-a trimis un nou mesaj privat la %2$s." + +#: ../../include/enotify.php:62 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s v-a trimis %2$s" + +#: ../../include/enotify.php:62 +msgid "a private message" +msgstr "un mesaj privat" + +#: ../../include/enotify.php:63 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la mesaje private." + +#: ../../include/enotify.php:115 +#, php-format +msgid "%1$s commented on [url=%2$s]a %3$s[/url]" +msgstr "%1$s a comentat la [url=%2$s]a %3$s[/url]" + +#: ../../include/enotify.php:122 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "%1$s a comentat la [url=%2$s]%4$s postat de %3$s[/url]" + +#: ../../include/enotify.php:130 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "%1$s a comentat la [url=%2$s]%3$s dvs.[/url]" + +#: ../../include/enotify.php:140 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "[Friendica:Notificare] Comentariu la conversaţia #%1$d postată de %2$s" + +#: ../../include/enotify.php:141 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s a comentat la un element/conversaţie pe care o urmăriți." + +#: ../../include/enotify.php:144 ../../include/enotify.php:159 +#: ../../include/enotify.php:172 ../../include/enotify.php:185 +#: ../../include/enotify.php:203 ../../include/enotify.php:216 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la conversație." + +#: ../../include/enotify.php:151 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "[Friendica:Notificare] %s a postat pe peretele dvs. de profil" + +#: ../../include/enotify.php:153 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s a postat pe peretele dvs. de profil la %2$s" + +#: ../../include/enotify.php:155 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "%1$s a postat pe [url=%2$s]peretele dvs.[/url]" + +#: ../../include/enotify.php:166 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "[Friendica:Notificare] %s v-a etichetat" + +#: ../../include/enotify.php:167 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s v-a etichetat la %2$s" + +#: ../../include/enotify.php:168 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "%1$s [url=%2$s]v-a etichetat[/url]." + +#: ../../include/enotify.php:179 +#, php-format +msgid "[Friendica:Notify] %s shared a new post" +msgstr "[Friendica:Notificare] %s a distribuit o nouă postare" + +#: ../../include/enotify.php:180 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "%1$s a distribuit o nouă postare la %2$s" + +#: ../../include/enotify.php:181 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "%1$s [url=%2$s] a distribuit o postare[/url]." + +#: ../../include/enotify.php:193 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "[Friendica:Notificare] %1$s v-a abordat" + +#: ../../include/enotify.php:194 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "%1$s v-a abordat la %2$s" + +#: ../../include/enotify.php:195 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "%1$s [url=%2$s]v-a abordat[/url]." + +#: ../../include/enotify.php:210 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "[Friendica:Notificare] %s v-a etichetat postarea" + +#: ../../include/enotify.php:211 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "%1$sv-a etichetat postarea la %2$s" + +#: ../../include/enotify.php:212 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "%1$s a etichetat [url=%2$s]postarea dvs.[/url]" + +#: ../../include/enotify.php:223 +msgid "[Friendica:Notify] Introduction received" +msgstr "[Friendica:Notificare] Prezentare primită" + +#: ../../include/enotify.php:224 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "Aţi primit o prezentare de la '%1$s' at %2$s" + +#: ../../include/enotify.php:225 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "Aţi primit [url=%1$s]o prezentare[/url] de la %2$s." + +#: ../../include/enotify.php:228 ../../include/enotify.php:270 +#, php-format +msgid "You may visit their profile at %s" +msgstr "Le puteți vizita profilurile, online pe %s" + +#: ../../include/enotify.php:230 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge prezentarea." + +#: ../../include/enotify.php:238 +msgid "[Friendica:Notify] A new person is sharing with you" +msgstr "" + +#: ../../include/enotify.php:239 ../../include/enotify.php:240 +#, php-format +msgid "%1$s is sharing with you at %2$s" +msgstr "%1$s împărtăşeşte cu dvs. la %2$s" + +#: ../../include/enotify.php:246 +msgid "[Friendica:Notify] You have a new follower" +msgstr "[Friendica:Notify] Aveţi un nou susținător la" + +#: ../../include/enotify.php:247 ../../include/enotify.php:248 +#, php-format +msgid "You have a new follower at %2$s : %1$s" +msgstr "Aveţi un nou susținător la %2$s : %1$s" + +#: ../../include/enotify.php:261 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "[Friendica:Notificare] Ați primit o sugestie de prietenie" + +#: ../../include/enotify.php:262 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "Ați primit o sugestie de prietenie de la '%1$s' la %2$s" + +#: ../../include/enotify.php:263 +#, php-format +msgid "" +"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." +msgstr "Aţi primit [url=%1$s]o sugestie de prietenie[/url] pentru %2$s de la %3$s." + +#: ../../include/enotify.php:268 +msgid "Name:" +msgstr "Nume:" + +#: ../../include/enotify.php:269 +msgid "Photo:" +msgstr "Foto:" + +#: ../../include/enotify.php:272 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge sugestia." + +#: ../../include/enotify.php:280 ../../include/enotify.php:293 +msgid "[Friendica:Notify] Connection accepted" +msgstr "[Friendica:Notificare] Conectare acceptată" + +#: ../../include/enotify.php:281 ../../include/enotify.php:294 +#, php-format +msgid "'%1$s' has acepted your connection request at %2$s" +msgstr "" + +#: ../../include/enotify.php:282 ../../include/enotify.php:295 +#, php-format +msgid "%2$s has accepted your [url=%1$s]connection request[/url]." +msgstr "" + +#: ../../include/enotify.php:285 +msgid "" +"You are now mutual friends and may exchange status updates, photos, and email\n" +"\twithout restriction." +msgstr "" + +#: ../../include/enotify.php:288 ../../include/enotify.php:302 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "" + +#: ../../include/enotify.php:298 +#, 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:300 +#, 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:313 +msgid "[Friendica System:Notify] registration request" +msgstr "" + +#: ../../include/enotify.php:314 +#, php-format +msgid "You've received a registration request from '%1$s' at %2$s" +msgstr "" + +#: ../../include/enotify.php:315 +#, php-format +msgid "You've received a [url=%1$s]registration request[/url] from %2$s." +msgstr "" + +#: ../../include/enotify.php:318 +#, php-format +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "" + +#: ../../include/enotify.php:321 +#, php-format +msgid "Please visit %s to approve or reject the request." +msgstr "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge cererea." + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "O invitaţie este necesară." + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "Invitația nu s-a putut verifica." + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "URL OpenID invalid" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "Vă rugăm să introduceți informațiile solicitate." + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "Vă rugăm să utilizaţi un nume mai scurt." + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "Numele este prea scurt." + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Acesta nu pare a fi Numele (Prenumele) dvs. complet" + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "Domeniul dvs. de email nu este printre cele permise pe acest site." + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "Nu este o adresă vaildă de email." + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "Nu se poate utiliza acest email." + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr " \"Pseudonimul\" dvs. poate conţine numai \"a-z\", \"0-9\", \"-\",, şi \"_\", şi trebuie de asemenea să înceapă cu o literă." + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "Pseudonimul este deja înregistrat. Vă rugăm, alegeți un altul." + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Pseudonimul a fost înregistrat aici, şi e posibil să nu mai poată fi reutilizat. Vă rugăm, alegeți altul." + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "EROARE GRAVĂ: Generarea de chei de securitate a eşuat." + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "A intervenit o eroare în timpul înregistrării. Vă rugăm să reîncercați." + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "A intervenit o eroare la crearea profilului dvs. implicit. Vă rugăm să reîncercați." + +#: ../../include/user.php:377 +#, 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:381 +#, 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/acl_selectors.php:326 +msgid "Visible to everybody" +msgstr "Vizibil pentru toata lumea" + +#: ../../include/bbcode.php:449 ../../include/bbcode.php:1054 +#: ../../include/bbcode.php:1055 +msgid "Image/photo" +msgstr "Imagine/fotografie" + +#: ../../include/bbcode.php:549 +#, php-format +msgid "%2$s %3$s" +msgstr "%2$s %3$s" + +#: ../../include/bbcode.php:583 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "%s a scris următoarea postare" + +#: ../../include/bbcode.php:1018 ../../include/bbcode.php:1038 +msgid "$1 wrote:" +msgstr "$1 a scris:" + +#: ../../include/bbcode.php:1063 ../../include/bbcode.php:1064 +msgid "Encrypted content" +msgstr "Conţinut criptat" + +#: ../../include/oembed.php:205 +msgid "Embedded content" +msgstr "Conţinut încorporat" + +#: ../../include/oembed.php:214 +msgid "Embedding disabled" +msgstr "Încorporarea conținuturilor este dezactivată" + +#: ../../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 "Un grup şters cu acest nume a fost restabilit. Permisiunile existente ale elementului, potfi aplicate acestui grup şi oricăror viitori membrii. Dacă aceasta nu este ceea ați intenționat să faceți, vă rugăm să creaţi un alt grup cu un un nume diferit." + +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Confidenţialitatea implicită a grupului pentru noi contacte" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Toată lumea" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "editare" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Editare grup" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Creați un nou grup" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Contacte ce nu se află în orice grup" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "urmărire întreruptă" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Eliminare Contact" + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Diverse" + +#: ../../include/datetime.php:153 ../../include/datetime.php:285 +msgid "year" +msgstr "an" + +#: ../../include/datetime.php:158 ../../include/datetime.php:286 +msgid "month" +msgstr "lună" + +#: ../../include/datetime.php:163 ../../include/datetime.php:288 +msgid "day" +msgstr "zi" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "niciodată" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "acum mai puțin de o secundă" + +#: ../../include/datetime.php:285 +msgid "years" +msgstr "ani" + +#: ../../include/datetime.php:286 +msgid "months" +msgstr "luni" + +#: ../../include/datetime.php:287 +msgid "week" +msgstr "săptămână" + +#: ../../include/datetime.php:287 +msgid "weeks" +msgstr "săptămâni" + +#: ../../include/datetime.php:288 +msgid "days" +msgstr "zile" + +#: ../../include/datetime.php:289 +msgid "hour" +msgstr "oră" + +#: ../../include/datetime.php:289 +msgid "hours" +msgstr "ore" + +#: ../../include/datetime.php:290 +msgid "minute" +msgstr "minut" + +#: ../../include/datetime.php:290 +msgid "minutes" +msgstr "minute" + +#: ../../include/datetime.php:291 +msgid "second" +msgstr "secundă" + +#: ../../include/datetime.php:291 +msgid "seconds" +msgstr "secunde" + +#: ../../include/datetime.php:300 +#, php-format +msgid "%1$d %2$s ago" +msgstr "acum %1$d %2$s" + +#: ../../include/network.php:895 +msgid "view full size" +msgstr "vezi intreaga mărime" + +#: ../../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 "Mesajul de eroare este\n[pre]%s[/pre]" + +#: ../../include/dbstructure.php:163 +msgid "Errors encountered creating database tables." +msgstr "Erori întâlnite la crearea tabelelor bazei de date." + +#: ../../include/dbstructure.php:221 +msgid "Errors encountered performing database changes." +msgstr "Erori întâlnite la operarea de modificări în baza de date." diff --git a/view/ro/strings.php b/view/ro/strings.php index e60503187f..bc8cf90b15 100644 --- a/view/ro/strings.php +++ b/view/ro/strings.php @@ -5,668 +5,11 @@ function string_plural_select_ro($n){ return ($n==1?0:((($n%100>19)||(($n%100==0)&&($n!=0)))?2:1));; }} ; -$a->strings["Submit"] = "Trimite"; -$a->strings["Theme settings"] = "Configurări Temă"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Stabiliți nivelul de redimensionare a imaginilor din postări și comentarii (lăţimea şi înălţimea)"; -$a->strings["Set font-size for posts and comments"] = "Stabilire dimensiune font pentru postări şi comentarii"; -$a->strings["Set theme width"] = "Stabilire lăţime temă"; -$a->strings["Color scheme"] = "Schemă culoare"; -$a->strings["Set style"] = "Stabilire stil"; -$a->strings["don't show"] = "nu afișa"; -$a->strings["show"] = "afișare"; -$a->strings["Set line-height for posts and comments"] = "Stabilire înălțime linie pentru postări şi comentarii"; -$a->strings["Set resolution for middle column"] = "Stabilire rezoluţie pentru coloana din mijloc"; -$a->strings["Set color scheme"] = "Stabilire schemă de culori"; -$a->strings["Set zoomfactor for Earth Layer"] = "Stabilire factor de magnificare pentru Straturi Pământ"; -$a->strings["Set longitude (X) for Earth Layers"] = "Stabilire longitudine (X) pentru Straturi Pământ"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Stabilire latitudine (Y) pentru Straturi Pământ"; -$a->strings["Community Pages"] = "Community Pagini"; -$a->strings["Earth Layers"] = "Straturi Pământ"; -$a->strings["Community Profiles"] = "Profile de Comunitate"; -$a->strings["Help or @NewHere ?"] = "Ajutor sau @NouAici ?"; -$a->strings["Connect Services"] = "Conectare Servicii"; -$a->strings["Find Friends"] = "Găsire Prieteni"; -$a->strings["Last users"] = "Ultimii utilizatori"; -$a->strings["Last photos"] = "Ultimele fotografii"; -$a->strings["Last likes"] = "Ultimele aprecieri"; -$a->strings["Home"] = "Home"; -$a->strings["Your posts and conversations"] = "Postările şi conversaţiile dvs."; -$a->strings["Profile"] = "Profil"; -$a->strings["Your profile page"] = "Pagina dvs. de profil"; -$a->strings["Contacts"] = "Contacte"; -$a->strings["Your contacts"] = "Contactele dvs."; -$a->strings["Photos"] = "Poze"; -$a->strings["Your photos"] = "Fotografiile dvs."; -$a->strings["Events"] = "Evenimente"; -$a->strings["Your events"] = "Evenimentele dvs."; -$a->strings["Personal notes"] = "Note Personale"; -$a->strings["Your personal photos"] = "Fotografii dvs. personale"; -$a->strings["Community"] = "Comunitate"; -$a->strings["event"] = "eveniment"; -$a->strings["status"] = "status"; -$a->strings["photo"] = "photo"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s apreciază %3\$s lui %2\$s"; -$a->strings["Contact Photos"] = "Photo Contact"; -$a->strings["Profile Photos"] = "Poze profil"; -$a->strings["Local Directory"] = "Director Local"; -$a->strings["Global Directory"] = "Director Global"; -$a->strings["Similar Interests"] = "Interese Similare"; -$a->strings["Friend Suggestions"] = "Sugestii de Prietenie"; -$a->strings["Invite Friends"] = "Invită Prieteni"; -$a->strings["Settings"] = "Setări"; -$a->strings["Set zoomfactor for Earth Layers"] = "Stabilire factor de magnificare pentru Straturi Pământ"; -$a->strings["Show/hide boxes at right-hand column:"] = "Afişare/ascundere casete din coloana din dreapta:"; -$a->strings["Alignment"] = "Aliniere"; -$a->strings["Left"] = "Stânga"; -$a->strings["Center"] = "Centrat"; -$a->strings["Posts font size"] = "Dimensiune font postări"; -$a->strings["Textareas font size"] = "Dimensiune font zone text"; -$a->strings["Set colour scheme"] = "Stabilire schemă de culori"; -$a->strings["You must be logged in to use addons. "] = "Tu trebuie să vă autentificați pentru a folosi suplimentele."; -$a->strings["Not Found"] = "Negăsit"; -$a->strings["Page not found."] = "Pagină negăsită."; -$a->strings["Permission denied"] = "Permisiune refuzată"; -$a->strings["Permission denied."] = "Permisiune refuzată."; -$a->strings["toggle mobile"] = "comutare mobil"; -$a->strings["Delete this item?"] = "Ștergeți acest element?"; -$a->strings["Comment"] = "Comentariu"; -$a->strings["show more"] = "mai mult"; -$a->strings["show fewer"] = "afișare mai puține"; -$a->strings["Update %s failed. See error logs."] = "Actualizarea %s a eșuat. Consultaţi jurnalele de eroare."; -$a->strings["Create a New Account"] = "Creaţi un Cont Nou"; -$a->strings["Register"] = "Înregistrare"; -$a->strings["Logout"] = "Deconectare"; -$a->strings["Login"] = "Login"; -$a->strings["Nickname or Email address: "] = "Pseudonimul sau Adresa de email:"; -$a->strings["Password: "] = "Parola:"; -$a->strings["Remember me"] = "Reține autentificarea"; -$a->strings["Or login using OpenID: "] = "Sau conectaţi-vă utilizând OpenID:"; -$a->strings["Forgot your password?"] = "Ați uitat parola?"; -$a->strings["Password Reset"] = "Resetare Parolă"; -$a->strings["Website Terms of Service"] = "Condiții de Utilizare Site Web"; -$a->strings["terms of service"] = "condiții de utilizare"; -$a->strings["Website Privacy Policy"] = "Politica de Confidențialitate Site Web"; -$a->strings["privacy policy"] = "politica de confidențialitate"; -$a->strings["Requested account is not available."] = "Contul solicitat nu este disponibil."; -$a->strings["Requested profile is not available."] = "Profilul solicitat nu este disponibil."; -$a->strings["Edit profile"] = "Editare profil"; -$a->strings["Connect"] = "Conectare"; -$a->strings["Message"] = "Mesaj"; -$a->strings["Profiles"] = "Profile"; -$a->strings["Manage/edit profiles"] = "Gestionare/editare profile"; -$a->strings["Change profile photo"] = "Modificați Fotografia de Profil"; -$a->strings["Create New Profile"] = "Creați Profil Nou"; -$a->strings["Profile Image"] = "Imagine profil"; -$a->strings["visible to everybody"] = "vizibil pentru toata lumea"; -$a->strings["Edit visibility"] = "Editare vizibilitate"; -$a->strings["Location:"] = "Locaţie:"; -$a->strings["Gender:"] = "Sex:"; -$a->strings["Status:"] = "Status:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["Network:"] = "Reţea:"; -$a->strings["g A l F d"] = "g A l F d"; -$a->strings["F d"] = "F d"; -$a->strings["[today]"] = "[azi]"; -$a->strings["Birthday Reminders"] = "Memento Zile naştere "; -$a->strings["Birthdays this week:"] = "Zi;e Naştere această săptămînă:"; -$a->strings["[No description]"] = "[Fără descriere]"; -$a->strings["Event Reminders"] = "Memento Eveniment"; -$a->strings["Events this week:"] = "Evenimente în această săptămână:"; -$a->strings["Status"] = "Status"; -$a->strings["Status Messages and Posts"] = "Status Mesaje şi Postări"; -$a->strings["Profile Details"] = "Detalii Profil"; -$a->strings["Photo Albums"] = "Albume Photo "; -$a->strings["Videos"] = "Clipuri video"; -$a->strings["Events and Calendar"] = "Evenimente şi Calendar"; -$a->strings["Personal Notes"] = "Note Personale"; -$a->strings["Only You Can See This"] = "Numai Dvs. Puteţi Vizualiza"; -$a->strings["General Features"] = "Caracteristici Generale"; -$a->strings["Multiple Profiles"] = "Profile Multiple"; -$a->strings["Ability to create multiple profiles"] = "Capacitatea de a crea profile multiple"; -$a->strings["Post Composition Features"] = "Caracteristici Compoziţie Postare"; -$a->strings["Richtext Editor"] = "Editor Text Îmbogățit"; -$a->strings["Enable richtext editor"] = "Activare editor text îmbogățit"; -$a->strings["Post Preview"] = "Previzualizare Postare"; -$a->strings["Allow previewing posts and comments before publishing them"] = "Permiteți previzualizarea postărilor şi comentariilor înaintea publicării lor"; -$a->strings["Auto-mention Forums"] = "Auto-menţionare Forumuri"; -$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Adăugaţi/eliminaţi mențiunea când o pagină de forum este selectată/deselectată în fereastra ACL."; -$a->strings["Network Sidebar Widgets"] = "Aplicaţii widget de Rețea în Bara Laterală"; -$a->strings["Search by Date"] = "Căutare după Dată"; -$a->strings["Ability to select posts by date ranges"] = "Abilitatea de a selecta postări după intervalele de timp"; -$a->strings["Group Filter"] = "Filtru Grup"; -$a->strings["Enable widget to display Network posts only from selected group"] = "Permiteți aplicației widget să afișeze postări din Rețea, numai din grupul selectat"; -$a->strings["Network Filter"] = "Filtru Reţea"; -$a->strings["Enable widget to display Network posts only from selected network"] = "Permiteți aplicației widget să afișeze postări din Rețea, numai din rețeaua selectată"; -$a->strings["Saved Searches"] = "Căutări Salvate"; -$a->strings["Save search terms for re-use"] = "Salvați termenii de căutare pentru reutilizare"; -$a->strings["Network Tabs"] = "File Reţea"; -$a->strings["Network Personal Tab"] = "Filă Personală de Reţea"; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Permiteți filei să afişeze numai postările Reţelei cu care ați interacţionat"; -$a->strings["Network New Tab"] = "Filă Nouă de Reţea"; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Permiteți filei să afişeze numai postările noi din Reţea (din ultimele 12 ore)"; -$a->strings["Network Shared Links Tab"] = "Filă Legături Distribuite în Rețea"; -$a->strings["Enable tab to display only Network posts with links in them"] = "Permiteți filei să afişeze numai postările din Reţea ce conțin legături"; -$a->strings["Post/Comment Tools"] = "Instrumente Postare/Comentariu"; -$a->strings["Multiple Deletion"] = "Ştergere Multiplă"; -$a->strings["Select and delete multiple posts/comments at once"] = "Selectaţi şi ştergeţi postări/comentarii multiple simultan"; -$a->strings["Edit Sent Posts"] = "Editare Postări Trimise"; -$a->strings["Edit and correct posts and comments after sending"] = "Editarea şi corectarea postărilor şi comentariilor după postarea lor"; -$a->strings["Tagging"] = "Etichetare"; -$a->strings["Ability to tag existing posts"] = "Capacitatea de a eticheta postările existente"; -$a->strings["Post Categories"] = "Categorii Postări"; -$a->strings["Add categories to your posts"] = "Adăugaţi categorii la postările dvs."; -$a->strings["Saved Folders"] = "Dosare Salvate"; -$a->strings["Ability to file posts under folders"] = "Capacitatea de a atribui postări în dosare"; -$a->strings["Dislike Posts"] = "Respingere Postări"; -$a->strings["Ability to dislike posts/comments"] = "Capacitatea de a marca postări/comentarii ca fiind neplăcute"; -$a->strings["Star Posts"] = "Postări cu Steluță"; -$a->strings["Ability to mark special posts with a star indicator"] = "Capacitatea de a marca posturile speciale cu o stea ca şi indicator"; -$a->strings["Mute Post Notifications"] = ""; -$a->strings["Ability to mute notifications for a thread"] = ""; -$a->strings["%s's birthday"] = "%s's zi de naştere"; -$a->strings["Happy Birthday %s"] = "La mulţi ani %s"; -$a->strings["[Name Withheld]"] = "[Nume Reţinut]"; -$a->strings["Item not found."] = "Element negăsit."; -$a->strings["Do you really want to delete this item?"] = "Sigur doriți să ștergeți acest element?"; -$a->strings["Yes"] = "Da"; -$a->strings["Cancel"] = "Anulează"; -$a->strings["Archives"] = "Arhive"; -$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."] = "Un grup şters cu acest nume a fost restabilit. Permisiunile existente ale elementului, potfi aplicate acestui grup şi oricăror viitori membrii. Dacă aceasta nu este ceea ați intenționat să faceți, vă rugăm să creaţi un alt grup cu un un nume diferit."; -$a->strings["Default privacy group for new contacts"] = "Confidenţialitatea implicită a grupului pentru noi contacte"; -$a->strings["Everybody"] = "Toată lumea"; -$a->strings["edit"] = "editare"; -$a->strings["Groups"] = "Groupuri"; -$a->strings["Edit group"] = "Editare grup"; -$a->strings["Create a new group"] = "Creați un nou grup"; -$a->strings["Contacts not in any group"] = "Contacte ce nu se află în orice grup"; -$a->strings["add"] = "add"; -$a->strings["Wall Photos"] = "Fotografii de Perete"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Nu se pot localiza informațiile DNS pentru serverul de bază de date '%s'"; -$a->strings["Add New Contact"] = "Add Contact Nou"; -$a->strings["Enter address or web location"] = "Introduceţi adresa sau locaţia web"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Exemplu: bob@example.com, http://example.com/barbara"; -$a->strings["%d invitation available"] = array( - 0 => "%d invitație disponibilă", - 1 => "%d invitații disponibile", - 2 => "%d de invitații disponibile", -); -$a->strings["Find People"] = "Căutați Persoane"; -$a->strings["Enter name or interest"] = "Introduceţi numele sau interesul"; -$a->strings["Connect/Follow"] = "Conectare/Urmărire"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Exemple: Robert Morgenstein, Pescuit"; -$a->strings["Find"] = "Căutare"; -$a->strings["Random Profile"] = "Profil Aleatoriu"; -$a->strings["Networks"] = "Rețele"; -$a->strings["All Networks"] = "Toate Reţelele"; -$a->strings["Everything"] = "Totul"; -$a->strings["Categories"] = "Categorii"; -$a->strings["%d contact in common"] = array( - 0 => "%d contact în comun", - 1 => "%d contacte în comun", - 2 => "%d de contacte în comun", -); -$a->strings["Friendica Notification"] = "Notificare Friendica"; -$a->strings["Thank You,"] = "Vă mulțumim,"; -$a->strings["%s Administrator"] = "%s Administrator"; -$a->strings["noreply"] = "nu-răspundeţi"; -$a->strings["%s "] = "%s "; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notificare] Mail nou primit la %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s v-a trimis un nou mesaj privat la %2\$s."; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s v-a trimis %2\$s"; -$a->strings["a private message"] = "un mesaj privat"; -$a->strings["Please visit %s to view and/or reply to your private messages."] = "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la mesaje private."; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s a comentat la [url=%2\$s]a %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s a comentat la [url=%2\$s]%4\$s postat de %3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s a comentat la [url=%2\$s]%3\$s dvs.[/url]"; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notificare] Comentariu la conversaţia #%1\$d postată de %2\$s"; -$a->strings["%s commented on an item/conversation you have been following."] = "%s a comentat la un element/conversaţie pe care o urmăriți."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la conversație."; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notificare] %s a postat pe peretele dvs. de profil"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s a postat pe peretele dvs. de profil la %2\$s"; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s a postat pe [url=%2\$s]peretele dvs.[/url]"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notificare] %s v-a etichetat"; -$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s v-a etichetat la %2\$s"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]v-a etichetat[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notificare] %s a distribuit o nouă postare"; -$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s a distribuit o nouă postare la %2\$s"; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s] a distribuit o postare[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notificare] %1\$s v-a abordat"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s v-a abordat la %2\$s"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]v-a abordat[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notificare] %s v-a etichetat postarea"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$sv-a etichetat postarea la %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s a etichetat [url=%2\$s]postarea dvs.[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notificare] Prezentare primită"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Aţi primit o prezentare de la '%1\$s' at %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Aţi primit [url=%1\$s]o prezentare[/url] de la %2\$s."; -$a->strings["You may visit their profile at %s"] = "Le puteți vizita profilurile, online pe %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge prezentarea."; -$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"] = ""; -$a->strings["You have a new follower at %2\$s : %1\$s"] = ""; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notificare] Ați primit o sugestie de prietenie"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Ați primit o sugestie de prietenie de la '%1\$s' la %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Aţi primit [url=%1\$s]o sugestie de prietenie[/url] pentru %2\$s de la %3\$s."; -$a->strings["Name:"] = "Nume:"; -$a->strings["Photo:"] = "Foto:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge sugestia."; -$a->strings["[Friendica:Notify] Connection accepted"] = ""; -$a->strings["'%1\$s' has acepted 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\n\twithout 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["[Friendica System:Notify] registration request"] = ""; -$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["User not found."] = "Utilizatorul nu a fost găsit."; -$a->strings["There is no status with this id."] = "Nu există nici-un status cu acest id."; -$a->strings["There is no conversation with this id."] = "Nu există nici-o conversație cu acest id."; -$a->strings["view full size"] = "vezi intreaga mărime"; -$a->strings[" on Last.fm"] = "pe Last.fm"; -$a->strings["Full Name:"] = "Nume complet:"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Zile Naştere :"; -$a->strings["Age:"] = "Vârsta:"; -$a->strings["for %1\$d %2\$s"] = "pentru %1\$d %2\$s"; -$a->strings["Sexual Preference:"] = "Orientare Sexuală:"; -$a->strings["Hometown:"] = "Domiciliu:"; -$a->strings["Tags:"] = "Etichete:"; -$a->strings["Political Views:"] = "Viziuni Politice:"; -$a->strings["Religion:"] = "Religie:"; -$a->strings["About:"] = "Despre:"; -$a->strings["Hobbies/Interests:"] = "Hobby/Interese:"; -$a->strings["Likes:"] = "Îmi place:"; -$a->strings["Dislikes:"] = "Nu-mi place:"; -$a->strings["Contact information and Social Networks:"] = "Informaţii de Contact şi Reţele Sociale:"; -$a->strings["Musical interests:"] = "Preferințe muzicale:"; -$a->strings["Books, literature:"] = "Cărti, literatură:"; -$a->strings["Television:"] = "Programe TV:"; -$a->strings["Film/dance/culture/entertainment:"] = "Film/dans/cultură/divertisment:"; -$a->strings["Love/Romance:"] = "Dragoste/Romantism:"; -$a->strings["Work/employment:"] = "Loc de Muncă/Slujbă:"; -$a->strings["School/education:"] = "Școală/educatie:"; -$a->strings["Nothing new here"] = "Nimic nou aici"; -$a->strings["Clear notifications"] = "Ştergeţi notificările"; -$a->strings["End this session"] = "Finalizați această sesiune"; -$a->strings["Your videos"] = "Fișierele tale video"; -$a->strings["Your personal notes"] = "Notele tale personale"; -$a->strings["Sign in"] = "Autentificare"; -$a->strings["Home Page"] = "Home Pagina"; -$a->strings["Create an account"] = "Creați un cont"; -$a->strings["Help"] = "Ajutor"; -$a->strings["Help and documentation"] = "Ajutor şi documentaţie"; -$a->strings["Apps"] = "Aplicații"; -$a->strings["Addon applications, utilities, games"] = "Suplimente la aplicații, utilitare, jocuri"; -$a->strings["Search"] = "Căutare"; -$a->strings["Search site content"] = "Căutare în conținut site"; -$a->strings["Conversations on this site"] = "Conversaţii pe acest site"; -$a->strings["Directory"] = "Director"; -$a->strings["People directory"] = "Director persoane"; -$a->strings["Information"] = "Informaţii"; -$a->strings["Information about this friendica instance"] = "Informaţii despre această instanță friendica"; -$a->strings["Network"] = "Reţea"; -$a->strings["Conversations from your friends"] = "Conversaţiile prieteniilor dvs."; -$a->strings["Network Reset"] = "Resetare Reţea"; -$a->strings["Load Network page with no filters"] = "Încărcare pagina de Reţea fără filtre"; -$a->strings["Introductions"] = "Introduceri"; -$a->strings["Friend Requests"] = "Solicitări Prietenie"; -$a->strings["Notifications"] = "Notificări"; -$a->strings["See all notifications"] = "Consultaţi toate notificările"; -$a->strings["Mark all system notifications seen"] = "Marcaţi toate notificările de sistem, ca și vizualizate"; -$a->strings["Messages"] = "Mesage"; -$a->strings["Private mail"] = "Mail privat"; -$a->strings["Inbox"] = "Mesaje primite"; -$a->strings["Outbox"] = "Căsuță de Ieșire"; -$a->strings["New Message"] = "Mesaj nou"; -$a->strings["Manage"] = "Gestionare"; -$a->strings["Manage other pages"] = "Gestionează alte pagini"; -$a->strings["Delegations"] = "Delegații"; -$a->strings["Delegate Page Management"] = "Delegare Gestionare Pagină"; -$a->strings["Account settings"] = "Configurări Cont"; -$a->strings["Manage/Edit Profiles"] = "Gestionare/Editare Profile"; -$a->strings["Manage/edit friends and contacts"] = "Gestionare/Editare prieteni şi contacte"; -$a->strings["Admin"] = "Admin"; -$a->strings["Site setup and configuration"] = "Instalare şi configurare site"; -$a->strings["Navigation"] = "Navigare"; -$a->strings["Site map"] = "Hartă Site"; -$a->strings["Click here to upgrade."] = "Apăsați aici pentru a actualiza."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Această acţiune depăşeşte limitele stabilite de planul abonamentului dvs."; -$a->strings["This action is not available under your subscription plan."] = "Această acţiune nu este disponibilă în planul abonamentului dvs."; -$a->strings["Disallowed profile URL."] = "Profil URL invalid."; -$a->strings["Connect URL missing."] = "Lipseşte URL-ul de conectare."; -$a->strings["This site is not configured to allow communications with other networks."] = "Acest site nu este configurat pentru a permite comunicarea cu alte reţele."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Nu au fost descoperite protocoale de comunicaţii sau fluxuri compatibile."; -$a->strings["The profile address specified does not provide adequate information."] = "Adresa de profil specificată nu furnizează informații adecvate."; -$a->strings["An author or name was not found."] = "Un autor sau nume nu a fost găsit."; -$a->strings["No browser URL could be matched to this address."] = "Nici un URL de browser nu a putut fi corelat cu această adresă."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Nu se poate corela @-stilul pentru Adresa de Identitatea cu un protocol cunoscut sau contact de email."; -$a->strings["Use mailto: in front of address to force email check."] = "Utilizaţi mailto: în faţa adresei pentru a forţa verificarea de email."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Adresa de profil specificată aparţine unei reţele care a fost dezactivată pe acest site."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profil limitat. Această persoană nu va putea primi notificări directe/personale, de la dvs."; -$a->strings["Unable to retrieve contact information."] = "Nu se pot localiza informaţiile de contact."; -$a->strings["following"] = "urmărire"; -$a->strings["Error decoding account file"] = "Eroare la decodarea fişierului de cont"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Eroare! Nu există data versiunii în fişier! Acesta nu este un fișier de cont Friendica?"; -$a->strings["Error! Cannot check nickname"] = "Eroare! Nu pot verifica pseudonimul"; -$a->strings["User '%s' already exists on this server!"] = "Utilizatorul '%s' există deja pe acest server!"; -$a->strings["User creation error"] = "Eroare la crearea utilizatorului"; -$a->strings["User profile creation error"] = "Eroare la crearea profilului utilizatorului"; -$a->strings["%d contact not imported"] = array( - 0 => "%d contact neimportat", - 1 => "%d contacte neimportate", - 2 => "%d de contacte neimportate", -); -$a->strings["Done. You can now login with your username and password"] = "Realizat. Vă puteţi conecta acum cu parola şi numele dumneavoastră de utilizator"; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; -$a->strings["Starts:"] = "Începe:"; -$a->strings["Finishes:"] = "Se finalizează:"; -$a->strings["stopped following"] = "urmărire întreruptă"; -$a->strings["Poke"] = "Abordare"; -$a->strings["View Status"] = "Vizualizare Status"; -$a->strings["View Profile"] = "Vizualizare Profil"; -$a->strings["View Photos"] = "Vizualizare Fotografii"; -$a->strings["Network Posts"] = "Postări din Rețea"; -$a->strings["Edit Contact"] = "Edit Contact"; -$a->strings["Drop Contact"] = "Eliminare Contact"; -$a->strings["Send PM"] = "Trimiteți mesaj personal"; -$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."] = "Erori întâlnite la crearea tabelelor bazei de date."; -$a->strings["Errors encountered performing database changes."] = "Erori întâlnite la operarea de modificări în baza de date."; -$a->strings["Miscellaneous"] = "Diverse"; -$a->strings["year"] = "an"; -$a->strings["month"] = "lună"; -$a->strings["day"] = "zi"; -$a->strings["never"] = "niciodată"; -$a->strings["less than a second ago"] = "acum mai puțin de o secundă"; -$a->strings["years"] = "ani"; -$a->strings["months"] = "luni"; -$a->strings["week"] = "săptămână"; -$a->strings["weeks"] = "săptămâni"; -$a->strings["days"] = "zile"; -$a->strings["hour"] = "oră"; -$a->strings["hours"] = "ore"; -$a->strings["minute"] = "minut"; -$a->strings["minutes"] = "minute"; -$a->strings["second"] = "secundă"; -$a->strings["seconds"] = "secunde"; -$a->strings["%1\$d %2\$s ago"] = "acum %1\$d %2\$s"; -$a->strings["[no subject]"] = "[fără subiect]"; -$a->strings["(no subject)"] = "(fără subiect)"; -$a->strings["Unknown | Not categorised"] = "Necunoscut | Fără categorie"; -$a->strings["Block immediately"] = "Blocare Imediată"; -$a->strings["Shady, spammer, self-marketer"] = "Dubioșii, spammerii, auto-promoterii"; -$a->strings["Known to me, but no opinion"] = "Cunoscut mie, dar fără o opinie"; -$a->strings["OK, probably harmless"] = "OK, probabil inofensiv"; -$a->strings["Reputable, has my trust"] = "Cu reputație, are încrederea mea"; -$a->strings["Frequently"] = "Frecvent"; -$a->strings["Hourly"] = "Din oră în oră"; -$a->strings["Twice daily"] = "De două ori pe zi"; -$a->strings["Daily"] = "Zilnic"; -$a->strings["Weekly"] = "Săptămânal"; -$a->strings["Monthly"] = "Lunar"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Email"] = "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"] = "Conector Diaspora"; -$a->strings["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = "App.net"; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s este acum prieten cu %2\$s"; -$a->strings["Sharing notification from Diaspora network"] = "Partajarea notificării din reţeaua Diaspora"; -$a->strings["Attachments:"] = "Atașări:"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nu apreciază %3\$s lui %2\$s"; -$a->strings["%1\$s poked %2\$s"] = "%1\$s a abordat pe %2\$s"; -$a->strings["poked"] = "a fost abordat(ă)"; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s este momentan %2\$s"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s a etichetat %3\$s de la %2\$s cu %4\$s"; -$a->strings["post/item"] = "post/element"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s a marcat %3\$s de la %2\$s ca favorit"; -$a->strings["Select"] = "Select"; -$a->strings["Delete"] = "Şterge"; -$a->strings["View %s's profile @ %s"] = "Vizualizaţi profilul %s @ %s"; -$a->strings["Categories:"] = "Categorii:"; -$a->strings["Filed under:"] = "Înscris în:"; -$a->strings["%s from %s"] = "%s de la %s"; -$a->strings["View in context"] = "Vizualizare în context"; -$a->strings["Please wait"] = "Aşteptaţi vă rog"; -$a->strings["remove"] = "eliminare"; -$a->strings["Delete Selected Items"] = "Ștergeți Elementele Selectate"; -$a->strings["Follow Thread"] = "Urmăriți Firul Conversației"; -$a->strings["%s likes this."] = "%s apreciază aceasta."; -$a->strings["%s doesn't like this."] = "%s nu apreciază aceasta."; -$a->strings["%2\$d people like this"] = "%2\$d persoane apreciază aceasta"; -$a->strings["%2\$d people don't like this"] = "%2\$d persoanenu apreciază aceasta"; -$a->strings["and"] = "şi"; -$a->strings[", and %d other people"] = ", şi %d alte persoane"; -$a->strings["%s like this."] = "%s apreciază aceasta."; -$a->strings["%s don't like this."] = "%s nu apreciază aceasta."; -$a->strings["Visible to everybody"] = "Vizibil pentru toți"; -$a->strings["Please enter a link URL:"] = "Introduceţi un link URL:"; -$a->strings["Please enter a video link/URL:"] = "Vă rugăm să introduceți un URL/legătură pentru clip video"; -$a->strings["Please enter an audio link/URL:"] = "Vă rugăm să introduceți un URL/legătură pentru clip audio"; -$a->strings["Tag term:"] = "Termen etichetare:"; -$a->strings["Save to Folder:"] = "Salvare în Dosar:"; -$a->strings["Where are you right now?"] = "Unde vă aflați acum?"; -$a->strings["Delete item(s)?"] = "Ștergeți element(e)?"; -$a->strings["Post to Email"] = "Postați prin Email"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Conectorii au fost dezactivați, din moment ce \"%s\" este activat."; -$a->strings["Hide your profile details from unknown viewers?"] = "Ascundeţi detaliile profilului dvs. de vizitatorii necunoscuți?"; -$a->strings["Share"] = "Partajează"; -$a->strings["Upload photo"] = "Încarcă foto"; -$a->strings["upload photo"] = "încărcare fotografie"; -$a->strings["Attach file"] = "Ataşează fişier"; -$a->strings["attach file"] = "ataşează fişier"; -$a->strings["Insert web link"] = "Inserează link web"; -$a->strings["web link"] = "web link"; -$a->strings["Insert video link"] = "Inserează video link"; -$a->strings["video link"] = "video link"; -$a->strings["Insert audio link"] = "Inserare link audio"; -$a->strings["audio link"] = "audio link"; -$a->strings["Set your location"] = "Setează locaţia dvs"; -$a->strings["set location"] = "set locaţie"; -$a->strings["Clear browser location"] = "Curățare locație browser"; -$a->strings["clear location"] = "şterge locaţia"; -$a->strings["Set title"] = "Setează titlu"; -$a->strings["Categories (comma-separated list)"] = "Categorii (listă cu separator prin virgulă)"; -$a->strings["Permission settings"] = "Setări permisiuni"; -$a->strings["permissions"] = "permisiuni"; -$a->strings["CC: email addresses"] = "CC: adresă email"; -$a->strings["Public post"] = "Public post"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Exemplu: bob@exemplu.com, mary@exemplu.com"; -$a->strings["Preview"] = "Previzualizare"; -$a->strings["Post to Groups"] = "Postați în Grupuri"; -$a->strings["Post to Contacts"] = "Post către Contacte"; -$a->strings["Private post"] = "Articol privat"; -$a->strings["newer"] = "mai noi"; -$a->strings["older"] = "mai vechi"; -$a->strings["prev"] = "preced"; -$a->strings["first"] = "prima"; -$a->strings["last"] = "ultima"; -$a->strings["next"] = "următor"; -$a->strings["No contacts"] = "Nici-un contact"; -$a->strings["%d Contact"] = array( - 0 => "%d Contact", - 1 => "%d Contacte", - 2 => "%d de Contacte", -); -$a->strings["View Contacts"] = "Vezi Contacte"; -$a->strings["Save"] = "Salvare"; -$a->strings["poke"] = "abordare"; -$a->strings["ping"] = "ping"; -$a->strings["pinged"] = "i s-a trimis ping"; -$a->strings["prod"] = "prod"; -$a->strings["prodded"] = "i s-a atras atenția"; -$a->strings["slap"] = "plesnire"; -$a->strings["slapped"] = "a fost plesnit(ă)"; -$a->strings["finger"] = "indicare"; -$a->strings["fingered"] = "a fost indicat(ă)"; -$a->strings["rebuff"] = "respingere"; -$a->strings["rebuffed"] = "a fost respins(ă)"; -$a->strings["happy"] = "fericit(ă)"; -$a->strings["sad"] = "trist(ă)"; -$a->strings["mellow"] = "trist(ă)"; -$a->strings["tired"] = "obosit(ă)"; -$a->strings["perky"] = "arogant(ă)"; -$a->strings["angry"] = "supărat(ă)"; -$a->strings["stupified"] = "stupefiat(ă)"; -$a->strings["puzzled"] = "nedumerit(ă)"; -$a->strings["interested"] = "interesat(ă)"; -$a->strings["bitter"] = "amarnic"; -$a->strings["cheerful"] = "vesel(ă)"; -$a->strings["alive"] = "plin(ă) de viață"; -$a->strings["annoyed"] = "enervat(ă)"; -$a->strings["anxious"] = "neliniştit(ă)"; -$a->strings["cranky"] = "irascibil(ă)"; -$a->strings["disturbed"] = "perturbat(ă)"; -$a->strings["frustrated"] = "frustrat(ă)"; -$a->strings["motivated"] = "motivat(ă)"; -$a->strings["relaxed"] = "relaxat(ă)"; -$a->strings["surprised"] = "surprins(ă)"; -$a->strings["Monday"] = "Luni"; -$a->strings["Tuesday"] = "Marţi"; -$a->strings["Wednesday"] = "Miercuri"; -$a->strings["Thursday"] = "Joi"; -$a->strings["Friday"] = "Vineri"; -$a->strings["Saturday"] = "Sâmbătă"; -$a->strings["Sunday"] = "Duminică"; -$a->strings["January"] = "Ianuarie"; -$a->strings["February"] = "Februarie"; -$a->strings["March"] = "Martie"; -$a->strings["April"] = "Aprilie"; -$a->strings["May"] = "Mai"; -$a->strings["June"] = "Iunie"; -$a->strings["July"] = "Iulie"; -$a->strings["August"] = "August"; -$a->strings["September"] = "Septembrie"; -$a->strings["October"] = "Octombrie"; -$a->strings["November"] = "Noiembrie"; -$a->strings["December"] = "Decembrie"; -$a->strings["View Video"] = "Vizualizați Clipul Video"; -$a->strings["bytes"] = "octeţi"; -$a->strings["Click to open/close"] = "Apăsați pentru a deschide/închide"; -$a->strings["link to source"] = "link către sursă"; -$a->strings["default"] = "implicit"; -$a->strings["Select an alternate language"] = "Selectați o limbă alternativă"; -$a->strings["activity"] = "activitate"; -$a->strings["comment"] = array( - 0 => "comentariu", - 1 => "comentarii", - 2 => "comentarii", -); -$a->strings["post"] = "postare"; -$a->strings["Item filed"] = "Element îndosariat"; -$a->strings["Logged out."] = "Deconectat."; -$a->strings["Login failed."] = "Eşec la conectare"; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Am întâmpinat o problemă în timpul autentificării cu datele OpenID pe care le-ați furnizat."; -$a->strings["The error message was:"] = "Mesajul de eroare a fost:"; -$a->strings["Image/photo"] = "Imagine/fotografie"; -$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; -$a->strings["%s wrote the following post"] = "%s a scris următoarea postare"; -$a->strings["$1 wrote:"] = "$1 a scris:"; -$a->strings["Encrypted content"] = "Conţinut criptat"; -$a->strings["Welcome "] = "Bine ați venit"; -$a->strings["Please upload a profile photo."] = "Vă rugăm să încărcaţi o fotografie de profil."; -$a->strings["Welcome back "] = "Bine ați revenit"; -$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."] = "Formarea codului de securitate, nu a fost corectă. Aceasta probabil s-a întâmplat pentru că formularul a fost deschis pentru prea mult timp ( >3 ore) înainte de a-l transmite."; -$a->strings["Embedded content"] = "Conţinut încorporat"; -$a->strings["Embedding disabled"] = "Încorporarea conținuturilor este dezactivată"; -$a->strings["Male"] = "Bărbat"; -$a->strings["Female"] = "Femeie"; -$a->strings["Currently Male"] = "În prezent Bărbat"; -$a->strings["Currently Female"] = "În prezent Femeie"; -$a->strings["Mostly Male"] = "Mai mult Bărbat"; -$a->strings["Mostly Female"] = "Mai mult Femeie"; -$a->strings["Transgender"] = "Transsexual"; -$a->strings["Intersex"] = "Intersexual"; -$a->strings["Transsexual"] = "Transsexual"; -$a->strings["Hermaphrodite"] = "Hermafrodit"; -$a->strings["Neuter"] = "Neutru"; -$a->strings["Non-specific"] = "Non-specific"; -$a->strings["Other"] = "Alta"; -$a->strings["Undecided"] = "Indecisă"; -$a->strings["Males"] = "Bărbați"; -$a->strings["Females"] = "Femei"; -$a->strings["Gay"] = "Gay"; -$a->strings["Lesbian"] = "Lesbiană"; -$a->strings["No Preference"] = "Fără Preferințe"; -$a->strings["Bisexual"] = "Bisexual"; -$a->strings["Autosexual"] = "Autosexual"; -$a->strings["Abstinent"] = "Abstinent(ă)"; -$a->strings["Virgin"] = "Virgin(ă)"; -$a->strings["Deviant"] = "Deviant"; -$a->strings["Fetish"] = "Fetish"; -$a->strings["Oodles"] = "La grămadă"; -$a->strings["Nonsexual"] = "Nonsexual"; -$a->strings["Single"] = "Necăsătorit(ă)"; -$a->strings["Lonely"] = "Singur(ă)"; -$a->strings["Available"] = "Disponibil(ă)"; -$a->strings["Unavailable"] = "Indisponibil(ă)"; -$a->strings["Has crush"] = "Îndrăgostit(ă)"; -$a->strings["Infatuated"] = "Îndrăgostit(ă) nebunește"; -$a->strings["Dating"] = "Am întâlniri"; -$a->strings["Unfaithful"] = "Infidel(ă)"; -$a->strings["Sex Addict"] = "Dependent(ă) de Sex"; -$a->strings["Friends"] = "Prieteni"; -$a->strings["Friends/Benefits"] = "Prietenii/Prestaţii"; -$a->strings["Casual"] = "Ocazional"; -$a->strings["Engaged"] = "Cuplat"; -$a->strings["Married"] = "Căsătorit(ă)"; -$a->strings["Imaginarily married"] = "Căsătorit(ă) imaginar"; -$a->strings["Partners"] = "Parteneri"; -$a->strings["Cohabiting"] = "În conviețuire"; -$a->strings["Common law"] = "Drept Comun"; -$a->strings["Happy"] = "Fericit(ă)"; -$a->strings["Not looking"] = "Nu caut"; -$a->strings["Swinger"] = "Swinger"; -$a->strings["Betrayed"] = "Înșelat(ă)"; -$a->strings["Separated"] = "Separat(ă)"; -$a->strings["Unstable"] = "Instabil(ă)"; -$a->strings["Divorced"] = "Divorţat(ă)"; -$a->strings["Imaginarily divorced"] = "Divorţat(ă) imaginar"; -$a->strings["Widowed"] = "Văduv(ă)"; -$a->strings["Uncertain"] = "Incert"; -$a->strings["It's complicated"] = "E complicat"; -$a->strings["Don't care"] = "Nu-mi pasă"; -$a->strings["Ask me"] = "Întreabă-mă"; -$a->strings["An invitation is required."] = "O invitaţie este necesară."; -$a->strings["Invitation could not be verified."] = "Invitația nu s-a putut verifica."; -$a->strings["Invalid OpenID url"] = "URL OpenID invalid"; -$a->strings["Please enter the required information."] = "Vă rugăm să introduceți informațiile solicitate."; -$a->strings["Please use a shorter name."] = "Vă rugăm să utilizaţi un nume mai scurt."; -$a->strings["Name too short."] = "Numele este prea scurt."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Acesta nu pare a fi Numele (Prenumele) dvs. complet"; -$a->strings["Your email domain is not among those allowed on this site."] = "Domeniul dvs. de email nu este printre cele permise pe acest site."; -$a->strings["Not a valid email address."] = "Nu este o adresă vaildă de email."; -$a->strings["Cannot use that email."] = "Nu se poate utiliza acest email."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = " \"Pseudonimul\" dvs. poate conţine numai \"a-z\", \"0-9\", \"-\",, şi \"_\", şi trebuie de asemenea să înceapă cu o literă."; -$a->strings["Nickname is already registered. Please choose another."] = "Pseudonimul este deja înregistrat. Vă rugăm, alegeți un altul."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Pseudonimul a fost înregistrat aici, şi e posibil să nu mai poată fi reutilizat. Vă rugăm, alegeți altul."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "EROARE GRAVĂ: Generarea de chei de securitate a eşuat."; -$a->strings["An error occurred during registration. Please try again."] = "A intervenit o eroare în timpul înregistrării. Vă rugăm să reîncercați."; -$a->strings["An error occurred creating your default profile. Please try again."] = "A intervenit o eroare la crearea profilului dvs. implicit. Vă rugăm să reîncercați."; -$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$\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"] = "Detaliile de înregistrare pentru %s"; -$a->strings["Visible to everybody"] = "Vizibil pentru toata lumea"; $a->strings["This entry was edited"] = "Această intrare a fost editată"; $a->strings["Private Message"] = " Mesaj Privat"; $a->strings["Edit"] = "Edit"; +$a->strings["Select"] = "Select"; +$a->strings["Delete"] = "Şterge"; $a->strings["save to folder"] = "salvează în directorul"; $a->strings["add star"] = "add stea"; $a->strings["remove star"] = "înlătură stea"; @@ -674,7 +17,7 @@ $a->strings["toggle star status"] = "comută status steluță"; $a->strings["starred"] = "cu steluță"; $a->strings["ignore thread"] = ""; $a->strings["unignore thread"] = ""; -$a->strings["toggle ignore status"] = ""; +$a->strings["toggle ignore status"] = "Comutaţi status Ignorare"; $a->strings["ignored"] = "ignorat"; $a->strings["add tag"] = "add tag"; $a->strings["I like this (toggle)"] = "I like asta (toggle)"; @@ -683,16 +26,29 @@ $a->strings["I don't like this (toggle)"] = "nu îmi place aceasta (comutare)"; $a->strings["dislike"] = "dislike"; $a->strings["Share this"] = "Partajează"; $a->strings["share"] = "partajează"; +$a->strings["Categories:"] = "Categorii:"; +$a->strings["Filed under:"] = "Înscris în:"; +$a->strings["View %s's profile @ %s"] = "Vizualizaţi profilul %s @ %s"; $a->strings["to"] = "către"; $a->strings["via"] = "via"; $a->strings["Wall-to-Wall"] = "Perete-prin-Perete"; $a->strings["via Wall-To-Wall:"] = "via Perete-Prin-Perete"; +$a->strings["%s from %s"] = "%s de la %s"; +$a->strings["Comment"] = "Comentariu"; +$a->strings["Please wait"] = "Aşteptaţi vă rog"; $a->strings["%d comment"] = array( 0 => "%d comentariu", 1 => "%d comentarii", 2 => "%d comentarii", ); +$a->strings["comment"] = array( + 0 => "comentariu", + 1 => "comentarii", + 2 => "comentarii", +); +$a->strings["show more"] = "mai mult"; $a->strings["This is you"] = "Acesta eşti tu"; +$a->strings["Submit"] = "Trimite"; $a->strings["Bold"] = "Bold"; $a->strings["Italic"] = "Italic"; $a->strings["Underline"] = "Subliniat"; @@ -701,363 +57,18 @@ $a->strings["Code"] = "Code"; $a->strings["Image"] = "Imagine"; $a->strings["Link"] = "Link"; $a->strings["Video"] = "Video"; -$a->strings["Item not available."] = "Elementul nu este disponibil."; -$a->strings["Item was not found."] = "Element negăsit."; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Numărul de mesaje, zilnice de perete, pentru %s a fost depăşit. Mesajul a eşuat."; -$a->strings["No recipient selected."] = "Nici-o adresă selectată."; -$a->strings["Unable to check your home location."] = "Imposibil de verificat locaţia dvs. de reşedinţă."; -$a->strings["Message could not be sent."] = "Mesajul nu a putut fi trimis."; -$a->strings["Message collection failure."] = "Eșec de colectare mesaj."; -$a->strings["Message sent."] = "Mesaj trimis."; -$a->strings["No recipient."] = "Nici-un destinatar."; -$a->strings["Send Private Message"] = "Trimite mesaj privat"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Dacă doriţi ca %s să vă răspundă, vă rugăm să verificaţi dacă configurările de confidenţialitate de pe site-ul dumneavoastră, permite mail-uri private de la expeditori necunoscuți."; -$a->strings["To:"] = "Către: "; -$a->strings["Subject:"] = "Subiect:"; -$a->strings["Your message:"] = "Mesajul dvs :"; -$a->strings["Group created."] = "Grupul a fost creat."; -$a->strings["Could not create group."] = "Grupul nu se poate crea."; -$a->strings["Group not found."] = "Grupul nu a fost găsit."; -$a->strings["Group name changed."] = "Numele grupului a fost schimbat."; -$a->strings["Save Group"] = "Salvare Grup"; -$a->strings["Create a group of contacts/friends."] = "Creaţi un grup de contacte/prieteni."; -$a->strings["Group Name: "] = "Nume Grup:"; -$a->strings["Group removed."] = "Grupul a fost eliminat."; -$a->strings["Unable to remove group."] = "Nu se poate elimina grupul."; -$a->strings["Group Editor"] = "Editor Grup"; -$a->strings["Members"] = "Membri"; -$a->strings["All Contacts"] = "Toate Contactele"; -$a->strings["Click on a contact to add or remove."] = "Apăsați pe un contact pentru a-l adăuga sau elimina."; -$a->strings["No potential page delegates located."] = "Nici-un delegat potenţial de pagină, nu a putut fi localizat."; -$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."] = "Delegații sunt capabili să gestioneze toate aspectele acestui cont/pagină, cu excepţia configurărilor de bază ale contului. Vă rugăm să nu vă delegați, contul dvs. personal, cuiva în care nu aveţi încredere deplină."; -$a->strings["Existing Page Managers"] = "Gestionari Existenți Pagină"; -$a->strings["Existing Page Delegates"] = "Delegați Existenți Pagină"; -$a->strings["Potential Delegates"] = "Potenţiali Delegaţi"; -$a->strings["Remove"] = "Eliminare"; -$a->strings["Add"] = "Adăugare"; -$a->strings["No entries."] = "Nu există intrări."; -$a->strings["Invalid request identifier."] = "Datele de identificare solicitate, sunt invalide."; -$a->strings["Discard"] = "Renunțați"; -$a->strings["Ignore"] = "Ignoră"; -$a->strings["System"] = "System"; -$a->strings["Personal"] = "Personal"; -$a->strings["Show Ignored Requests"] = "Afişare Solicitări Ignorate"; -$a->strings["Hide Ignored Requests"] = "Ascundere Solicitări Ignorate"; -$a->strings["Notification type: "] = "Tip Notificări:"; -$a->strings["Friend Suggestion"] = "Sugestie Prietenie"; -$a->strings["suggested by %s"] = "sugerat de către %s"; -$a->strings["Hide this contact from others"] = "Ascunde acest contact pentru alţii"; -$a->strings["Post a new friend activity"] = "Publicaţi prietenului o nouă activitate"; -$a->strings["if applicable"] = "dacă i posibil"; -$a->strings["Approve"] = "Aprobă"; -$a->strings["Claims to be known to you: "] = "Pretinde că vă cunoaște:"; -$a->strings["yes"] = "da"; -$a->strings["no"] = "nu"; -$a->strings["Approve as: "] = "Aprobă ca:"; -$a->strings["Friend"] = "Prieten"; -$a->strings["Sharer"] = "Distribuitor"; -$a->strings["Fan/Admirer"] = "Fan/Admirator"; -$a->strings["Friend/Connect Request"] = "Prieten/Solicitare de Conectare"; -$a->strings["New Follower"] = "Susţinător Nou"; -$a->strings["No introductions."] = "Fără prezentări."; -$a->strings["%s liked %s's post"] = "%s a apreciat ceea a publicat %s"; -$a->strings["%s disliked %s's post"] = "%s a nu a apreciat ceea a publicat %s"; -$a->strings["%s is now friends with %s"] = "%s este acum prieten cu %s"; -$a->strings["%s created a new post"] = "%s a creat o nouă postare"; -$a->strings["%s commented on %s's post"] = "%s a comentat la articolul postat de %s"; -$a->strings["No more network notifications."] = "Nu mai există notificări de reţea."; -$a->strings["Network Notifications"] = "Notificări de Reţea"; -$a->strings["No more system notifications."] = "Nu mai există notificări de sistem."; -$a->strings["System Notifications"] = "Notificări de Sistem"; -$a->strings["No more personal notifications."] = "Nici o notificare personală"; -$a->strings["Personal Notifications"] = "Notificări personale"; -$a->strings["No more home notifications."] = "Nu mai există notificări de origine."; -$a->strings["Home Notifications"] = "Notificări de Origine"; -$a->strings["No profile"] = "Niciun profil"; -$a->strings["everybody"] = "oricine"; -$a->strings["Account"] = "Cont"; -$a->strings["Additional features"] = "Caracteristici suplimentare"; -$a->strings["Display"] = "Afișare"; -$a->strings["Social Networks"] = "Rețele Sociale"; -$a->strings["Plugins"] = "Pluginuri"; -$a->strings["Connected apps"] = "Aplicații Conectate"; -$a->strings["Export personal data"] = "Exportare date personale"; -$a->strings["Remove account"] = "Ștergere cont"; -$a->strings["Missing some important data!"] = "Lipsesc unele date importante!"; -$a->strings["Update"] = "Actualizare"; -$a->strings["Failed to connect with email account using the settings provided."] = "A eşuat conectarea cu, contul de email, folosind configurările furnizate."; -$a->strings["Email settings updated."] = "Configurările de email au fost actualizate."; -$a->strings["Features updated"] = "Caracteristici actualizate"; -$a->strings["Relocate message has been send to your contacts"] = "Mesajul despre mutare, a fost trimis către contactele dvs."; -$a->strings["Passwords do not match. Password unchanged."] = "Parolele nu coincid. Parolă neschimbată."; -$a->strings["Empty passwords are not allowed. Password unchanged."] = "Parolele necompletate nu sunt permise. Parolă neschimbată."; -$a->strings["Wrong password."] = "Parolă greșită."; -$a->strings["Password changed."] = "Parola a fost schimbată."; -$a->strings["Password update failed. Please try again."] = "Actualizarea parolei a eșuat. Vă rugăm să reîncercați."; -$a->strings[" Please use a shorter name."] = "Vă rugăm să utilizaţi un nume mai scurt."; -$a->strings[" Name too short."] = "Numele este prea scurt."; -$a->strings["Wrong Password"] = "Parolă Greșită"; -$a->strings[" Not valid email."] = "Nu este un email valid."; -$a->strings[" Cannot change to that email."] = "Nu poate schimba cu acest email."; -$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Forumul privat nu are permisiuni de confidenţialitate. Se folosește confidențialitatea implicită de grup."; -$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Forumul Privat nu are permisiuni de confidenţialitate şi nici o confidențialitate implicită de grup."; -$a->strings["Settings updated."] = "Configurări actualizate."; -$a->strings["Add application"] = "Adăugare aplicaţie"; -$a->strings["Save Settings"] = "Salvare Configurări"; -$a->strings["Name"] = "Nume"; -$a->strings["Consumer Key"] = "Cheia Utilizatorului"; -$a->strings["Consumer Secret"] = "Cheia Secretă a Utilizatorului"; -$a->strings["Redirect"] = "Redirecţionare"; -$a->strings["Icon url"] = "URL pictogramă"; -$a->strings["You can't edit this application."] = "Nu puteți edita această aplicaţie."; -$a->strings["Connected Apps"] = "Aplicații Conectate"; -$a->strings["Client key starts with"] = "Cheia clientului începe cu"; -$a->strings["No name"] = "Fără nume"; -$a->strings["Remove authorization"] = "Eliminare autorizare"; -$a->strings["No Plugin settings configured"] = "Nici-o configurare stabilită pentru modul"; -$a->strings["Plugin Settings"] = "Configurări Modul"; -$a->strings["Off"] = "Off"; -$a->strings["On"] = "On"; -$a->strings["Additional Features"] = "Caracteristici Suplimentare"; -$a->strings["Built-in support for %s connectivity is %s"] = "Suportul încorporat pentru conectivitatea %s este %s"; -$a->strings["enabled"] = "activat"; -$a->strings["disabled"] = "dezactivat"; -$a->strings["StatusNet"] = "StatusNet"; -$a->strings["Email access is disabled on this site."] = "Accesul de email este dezactivat pe acest site."; -$a->strings["Email/Mailbox Setup"] = "Configurare E-Mail/Căsuță poştală"; -$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Dacă doriţi să comunicaţi cu contactele de email folosind acest serviciu (opţional), vă rugăm să precizaţi cum doriți să vă conectaţi la căsuța dvs. poştală."; -$a->strings["Last successful email check:"] = "Ultima verificare, cu succes, a email-ului:"; -$a->strings["IMAP server name:"] = "Nume server IMAP:"; -$a->strings["IMAP port:"] = "IMAP port:"; -$a->strings["Security:"] = "Securitate:"; -$a->strings["None"] = "Nimic"; -$a->strings["Email login name:"] = "Nume email autentificare:"; -$a->strings["Email password:"] = "Parolă de e-mail:"; -$a->strings["Reply-to address:"] = "Adresă pentru răspuns:"; -$a->strings["Send public posts to all email contacts:"] = "Trimiteți postările publice la toate contactele de email:"; -$a->strings["Action after import:"] = "Acţiune după importare:"; -$a->strings["Mark as seen"] = "Marcați ca și vizualizat"; -$a->strings["Move to folder"] = "Mutare în dosar"; -$a->strings["Move to folder:"] = "Mutare în dosarul:"; -$a->strings["No special theme for mobile devices"] = "Nici-o temă specială pentru dispozitive mobile"; -$a->strings["Display Settings"] = "Preferințe Ecran"; -$a->strings["Display Theme:"] = "Temă Afişaj:"; -$a->strings["Mobile Theme:"] = "Temă pentru Mobile:"; -$a->strings["Update browser every xx seconds"] = "Actualizare browser la fiecare fiecare xx secunde"; -$a->strings["Minimum of 10 seconds, no maximum"] = "Minim 10 secunde, fără un maxim"; -$a->strings["Number of items to display per page:"] = "Numărul de elemente de afişat pe pagină:"; -$a->strings["Maximum of 100 items"] = "Maxim 100 de elemente"; -$a->strings["Number of items to display per page when viewed from mobile device:"] = "Numărul de elemente de afişat pe pagină atunci când se vizualizează de pe dispozitivul mobil:"; -$a->strings["Don't show emoticons"] = "Nu afișa emoticoane"; -$a->strings["Don't show notices"] = "Nu afișa notificări"; -$a->strings["Infinite scroll"] = "Derulare infinită"; -$a->strings["Automatic updates only at the top of the network page"] = "Actualizări automate doar la partea superioară a paginii de rețea "; -$a->strings["User Types"] = "Tipuri de Utilizator"; -$a->strings["Community Types"] = "Tipuri de Comunitare"; -$a->strings["Normal Account Page"] = "Pagină de Cont Simplu"; -$a->strings["This account is a normal personal profile"] = "Acest cont este un profil personal normal"; -$a->strings["Soapbox Page"] = "Pagină Soapbox"; -$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Aprobă automat toate conexiunile/solicitările de prietenie ca și fani cu drepturi doar pentru vizualizare"; -$a->strings["Community Forum/Celebrity Account"] = "Cont Comunitate Forum/Celebritate"; -$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "Aprobă automat toate conexiunile/solicitările de prietenie ca și fani cu drepturi doar pentru vizualizare"; -$a->strings["Automatic Friend Page"] = "Pagină Prietenie Automată"; -$a->strings["Automatically approve all connection/friend requests as friends"] = "Aprobă automat toate conexiunile/solicitările de prietenie ca și prieteni"; -$a->strings["Private Forum [Experimental]"] = "Forum Privat [Experimental]"; -$a->strings["Private forum - approved members only"] = "Forum Privat - numai membrii aprobați"; -$a->strings["OpenID:"] = "OpenID:"; -$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Opţional) Permite acest OpenID să se conecteze la acest cont."; -$a->strings["Publish your default profile in your local site directory?"] = "Publicați profilul dvs. implicit în directorul site-ului dvs. local?"; -$a->strings["No"] = "NU"; -$a->strings["Publish your default profile in the global social directory?"] = "Publicați profilul dvs. implicit în directorul social global?"; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Ascundeţi lista dvs. de contacte/prieteni de vizitatorii profilului dvs. implicit?"; -$a->strings["Allow friends to post to your profile page?"] = "Permiteți prietenilor să posteze pe pagina dvs. de profil ?"; -$a->strings["Allow friends to tag your posts?"] = "Permiteți prietenilor să vă eticheteze postările?"; -$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Ne permiteți să vă recomandăm ca și potențial prieten pentru membrii noi?"; -$a->strings["Permit unknown people to send you private mail?"] = "Permiteți persoanelor necunoscute să vă trimită mesaje private?"; -$a->strings["Profile is not published."] = "Profilul nu este publicat."; -$a->strings["or"] = "sau"; -$a->strings["Your Identity Address is"] = "Adresa Dvs. de Identitate este"; -$a->strings["Automatically expire posts after this many days:"] = "Postările vor expira automat după atâtea zile:"; -$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Dacă se lasă necompletat, postările nu vor expira. Postările expirate vor fi şterse"; -$a->strings["Advanced expiration settings"] = "Configurări Avansate de Expirare"; -$a->strings["Advanced Expiration"] = "Expirare Avansată"; -$a->strings["Expire posts:"] = "Postările expiră:"; -$a->strings["Expire personal notes:"] = "Notele personale expiră:"; -$a->strings["Expire starred posts:"] = "Postările favorite expiră:"; -$a->strings["Expire photos:"] = "Fotografiile expiră:"; -$a->strings["Only expire posts by others:"] = "Expiră numai postările altora:"; -$a->strings["Account Settings"] = "Configurări Cont"; -$a->strings["Password Settings"] = "Configurări Parolă"; -$a->strings["New Password:"] = "Parola Nouă:"; -$a->strings["Confirm:"] = "Confirm:"; -$a->strings["Leave password fields blank unless changing"] = "Lăsaţi câmpurile, pentru parolă, goale dacă nu doriți să modificați"; -$a->strings["Current Password:"] = "Parola Curentă:"; -$a->strings["Your current password to confirm the changes"] = "Parola curentă pentru a confirma modificările"; -$a->strings["Password:"] = "Parola:"; -$a->strings["Basic Settings"] = "Configurări de Bază"; -$a->strings["Email Address:"] = "Adresa de email:"; -$a->strings["Your Timezone:"] = "Fusul dvs. orar:"; -$a->strings["Default Post Location:"] = "Locația Implicită pentru Postări"; -$a->strings["Use Browser Location:"] = "Folosește Locația Navigatorului:"; -$a->strings["Security and Privacy Settings"] = "Configurări de Securitate și Confidențialitate"; -$a->strings["Maximum Friend Requests/Day:"] = "Solicitări de Prietenie, Maxime/Zi"; -$a->strings["(to prevent spam abuse)"] = "(Pentru a preveni abuzul de tip spam)"; -$a->strings["Default Post Permissions"] = "Permisiuni Implicite Postări"; -$a->strings["(click to open/close)"] = "(apăsați pentru a deschide/închide)"; -$a->strings["Show to Groups"] = "Afișare pentru Grupuri"; -$a->strings["Show to Contacts"] = "Afişează la Contacte"; -$a->strings["Default Private Post"] = "Postare Privată Implicită"; -$a->strings["Default Public Post"] = "Postare Privată Implicită"; -$a->strings["Default Permissions for New Posts"] = "Permisiuni Implicite pentru Postările Noi"; -$a->strings["Maximum private messages per day from unknown people:"] = "Maximum de mesaje private pe zi, de la persoanele necunoscute:"; -$a->strings["Notification Settings"] = "Configurări de Notificare"; -$a->strings["By default post a status message when:"] = "Implicit, postează un mesaj de stare atunci când:"; -$a->strings["accepting a friend request"] = "se acceptă o solicitare de prietenie"; -$a->strings["joining a forum/community"] = "se aderă la un forum/o comunitate"; -$a->strings["making an interesting profile change"] = "se face o modificări de profilinteresantă"; -$a->strings["Send a notification email when:"] = "Trimiteți o notificare email atunci când:"; -$a->strings["You receive an introduction"] = "Primiți o introducere"; -$a->strings["Your introductions are confirmed"] = "Introducerile dvs. sunt confirmate"; -$a->strings["Someone writes on your profile wall"] = "Cineva scrie pe perete dvs. de profil"; -$a->strings["Someone writes a followup comment"] = "Cineva scrie un comentariu de urmărire"; -$a->strings["You receive a private message"] = "Primiți un mesaj privat"; -$a->strings["You receive a friend suggestion"] = "Primiți o sugestie de prietenie"; -$a->strings["You are tagged in a post"] = "Sunteți etichetat într-o postare"; -$a->strings["You are poked/prodded/etc. in a post"] = "Sunteți abordat/incitat/etc. într-o postare"; -$a->strings["Advanced Account/Page Type Settings"] = "Configurări Avansate Cont/Tip Pagină"; -$a->strings["Change the behaviour of this account for special situations"] = "Modificați comportamentul acestui cont pentru situațiile speciale"; -$a->strings["Relocate"] = "Mutare"; -$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."] = "Dacă aţi mutat acest profil dintr-un alt server, şi unele dintre contactele dvs. nu primesc actualizările dvs., încercaţi să apăsați acest buton."; -$a->strings["Resend relocate message to contacts"] = "Retrimiteți contactelor, mesajul despre mutare"; -$a->strings["Common Friends"] = "Prieteni Comuni"; -$a->strings["No contacts in common."] = "Nici-un contact în comun"; -$a->strings["Remote privacy information not available."] = "Informaţiile la distanţă despre confidenţialitate, nu sunt disponibile."; -$a->strings["Visible to:"] = "Visibil către:"; -$a->strings["%d contact edited."] = array( - 0 => "%d contact editat.", - 1 => "%d contacte editate.", - 2 => "%d de contacte editate.", -); -$a->strings["Could not access contact record."] = "Nu se poate accesa registrul contactului."; -$a->strings["Could not locate selected profile."] = "Nu se poate localiza profilul selectat."; -$a->strings["Contact updated."] = "Contact actualizat."; -$a->strings["Failed to update contact record."] = "Actualizarea datelor de contact a eşuat."; -$a->strings["Contact has been blocked"] = "Contactul a fost blocat"; -$a->strings["Contact has been unblocked"] = "Contactul a fost deblocat"; -$a->strings["Contact has been ignored"] = "Contactul a fost ignorat"; -$a->strings["Contact has been unignored"] = "Contactul a fost neignorat"; -$a->strings["Contact has been archived"] = "Contactul a fost arhivat"; -$a->strings["Contact has been unarchived"] = "Contactul a fost dezarhivat"; -$a->strings["Do you really want to delete this contact?"] = "Sigur doriți să ștergeți acest contact?"; -$a->strings["Contact has been removed."] = "Contactul a fost înlăturat."; -$a->strings["You are mutual friends with %s"] = "Sunteţi prieten comun cu %s"; -$a->strings["You are sharing with %s"] = "Împărtășiți cu %s"; -$a->strings["%s is sharing with you"] = "%s împărtăşeşte cu dvs."; -$a->strings["Private communications are not available for this contact."] = "Comunicaţiile private nu sunt disponibile pentru acest contact."; -$a->strings["Never"] = "Niciodată"; -$a->strings["(Update was successful)"] = "(Actualizare a reuşit)"; -$a->strings["(Update was not successful)"] = "(Actualizare nu a reuşit)"; -$a->strings["Suggest friends"] = "Sugeraţi prieteni"; -$a->strings["Network type: %s"] = "Tipul rețelei: %s"; -$a->strings["View all contacts"] = "Vezi toate contactele"; -$a->strings["Unblock"] = "Deblochează"; -$a->strings["Block"] = "Blochează"; -$a->strings["Toggle Blocked status"] = "Comutare status Blocat"; -$a->strings["Unignore"] = "Anulare ignorare"; -$a->strings["Toggle Ignored status"] = "Comutaţi status Ignorat"; -$a->strings["Unarchive"] = "Dezarhivează"; -$a->strings["Archive"] = "Arhivează"; -$a->strings["Toggle Archive status"] = "Comutaţi status Arhivat"; -$a->strings["Repair"] = "Repară"; -$a->strings["Advanced Contact Settings"] = "Configurări Avansate Contacte"; -$a->strings["Communications lost with this contact!"] = "S-a pierdut conexiunea cu acest contact!"; -$a->strings["Contact Editor"] = "Editor Contact"; -$a->strings["Profile Visibility"] = "Vizibilitate Profil"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Vă rugăm să alegeţi profilul pe care doriţi să îl afişaţi pentru %s când acesta vă vizitează profuilul în mod securizat."; -$a->strings["Contact Information / Notes"] = "Informaţii de Contact / Note"; -$a->strings["Edit contact notes"] = "Editare note de contact"; -$a->strings["Visit %s's profile [%s]"] = "Vizitați profilul %s [%s]"; -$a->strings["Block/Unblock contact"] = "Blocare/Deblocare contact"; -$a->strings["Ignore contact"] = "Ignorare contact"; -$a->strings["Repair URL settings"] = "Remediere configurări URL"; -$a->strings["View conversations"] = "Vizualizaţi conversaţii"; -$a->strings["Delete contact"] = "Şterge contact"; -$a->strings["Last update:"] = "Ultima actualizare:"; -$a->strings["Update public posts"] = "Actualizare postări publice"; -$a->strings["Update now"] = "Actualizează acum"; -$a->strings["Currently blocked"] = "Blocat în prezent"; -$a->strings["Currently ignored"] = "Ignorat în prezent"; -$a->strings["Currently archived"] = "Arhivat în prezent"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Răspunsurile/aprecierile pentru postările dvs. publice ar putea fi încă vizibile"; -$a->strings["Notification for new posts"] = "Notificare de postări noi"; -$a->strings["Send a notification of every new post of this contact"] = "Trimiteți o notificare despre fiecare postare nouă a acestui contact"; -$a->strings["Fetch further information for feeds"] = "Preluare informaţii suplimentare pentru fluxuri"; -$a->strings["Suggestions"] = "Sugestii"; -$a->strings["Suggest potential friends"] = "Sugeraţi prieteni potențiali"; -$a->strings["Show all contacts"] = "Afişează toate contactele"; -$a->strings["Unblocked"] = "Deblocat"; -$a->strings["Only show unblocked contacts"] = "Se afişează numai contactele deblocate"; -$a->strings["Blocked"] = "Blocat"; -$a->strings["Only show blocked contacts"] = "Se afişează numai contactele blocate"; -$a->strings["Ignored"] = "Ignorat"; -$a->strings["Only show ignored contacts"] = "Se afişează numai contactele ignorate"; -$a->strings["Archived"] = "Arhivat"; -$a->strings["Only show archived contacts"] = "Se afişează numai contactele arhivate"; -$a->strings["Hidden"] = "Ascuns"; -$a->strings["Only show hidden contacts"] = "Se afişează numai contactele ascunse"; -$a->strings["Mutual Friendship"] = "Prietenie Reciprocă"; -$a->strings["is a fan of yours"] = "este fanul dvs."; -$a->strings["you are a fan of"] = "sunteţi un fan al"; -$a->strings["Edit contact"] = "Editează contact"; -$a->strings["Search your contacts"] = "Căutare contacte"; -$a->strings["Finding: "] = "Găsire:"; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Ne pare rău, este posibil ca fișierul pe care doriți să-l încărcați, este mai mare decât permite configuraţia PHP"; -$a->strings["Or - did you try to upload an empty file?"] = "Sau - ați încercat să încărcaţi un fişier gol?"; -$a->strings["File exceeds size limit of %d"] = "Fişierul depăşeşte dimensiunea limită de %d"; -$a->strings["File upload failed."] = "Încărcarea fișierului a eşuat."; +$a->strings["Preview"] = "Previzualizare"; +$a->strings["You must be logged in to use addons. "] = "Tu trebuie să vă autentificați pentru a folosi suplimentele."; +$a->strings["Not Found"] = "Negăsit"; +$a->strings["Page not found."] = "Pagină negăsită."; +$a->strings["Permission denied"] = "Permisiune refuzată"; +$a->strings["Permission denied."] = "Permisiune refuzată."; +$a->strings["toggle mobile"] = "comutare mobil"; $a->strings["[Embedded content - reload page to view]"] = "[Conţinut încastrat - reîncărcaţi pagina pentru a vizualiza]"; -$a->strings["Export account"] = "Exportare cont"; -$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."] = "Exportați-vă informațiile contului şi contactele. Utilizaţi aceasta pentru a face o copie de siguranţă a contului dumneavoastră şi/sau pentru a-l muta pe un alt server."; -$a->strings["Export all"] = "Exportare tot"; -$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)"] = "Exportați informațiile dvs. de cont, contactele şi toate elementele dvs., ca json. Ar putea fi un fișier foarte mare, şi ar putea lua mult timp. Utilizaţi aceasta pentru a face un backup complet al contului (fotografiile nu sunt exportate)"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Înregistrarea s-a efectuat cu succes. Vă rugăm să vă verificaţi e-mailul pentru instrucţiuni suplimentare."; -$a->strings["Failed to send email message. Here is the message that failed."] = "Eșec la trimiterea mesajului de email. Acesta este mesajul care a eşuat."; -$a->strings["Your registration can not be processed."] = "Înregistrarea dvs. nu poate fi procesată."; -$a->strings["Your registration is pending approval by the site owner."] = "Înregistrarea dvs. este în aşteptarea aprobării de către deținătorul site-ului."; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Acest site a depăşit numărul zilnic permis al înregistrărilor de conturi. Vă rugăm să reîncercați mâine."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Puteți (opțional) să completaţi acest formular prin intermediul OpenID, introducând contul dvs. OpenID și apăsând pe 'Înregistrare'."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Dacă nu sunteţi familiarizați cu OpenID, vă rugăm să lăsaţi acest câmp gol iar apoi să completaţi restul elementelor."; -$a->strings["Your OpenID (optional): "] = "Contul dvs. OpenID (opţional):"; -$a->strings["Include your profile in member directory?"] = "Includeți profilul dvs în directorul de membru?"; -$a->strings["Membership on this site is by invitation only."] = "Aderare pe acest site, este posibilă doar pe bază de invitație."; -$a->strings["Your invitation ID: "] = "ID invitaţiei dvs:"; -$a->strings["Registration"] = "Registratură"; -$a->strings["Your Full Name (e.g. Joe Smith): "] = "Numele Complet (de ex. Joe Smith):"; -$a->strings["Your Email Address: "] = "Adresa dvs de mail:"; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Alegeţi un pseudonim de profil. Aceasta trebuie să înceapă cu un caracter text. Adresa profilului dvs. de pe acest site va fi de forma 'pseudonim@\$sitename'."; -$a->strings["Choose a nickname: "] = "Alegeţi un pseudonim:"; -$a->strings["Import"] = "Import"; -$a->strings["Import your profile to this friendica instance"] = "Importați profilul dvs. în această instanță friendica"; -$a->strings["Post successful."] = "Postat cu succes."; -$a->strings["System down for maintenance"] = "Sistemul este suspendat pentru întreținere"; -$a->strings["Access to this profile has been restricted."] = "Accesul la acest profil a fost restricţionat."; -$a->strings["Tips for New Members"] = "Sfaturi pentru Membrii Noi"; -$a->strings["Public access denied."] = "Acces public refuzat."; -$a->strings["No videos selected"] = "Nici-un clip video selectat"; -$a->strings["Access to this item is restricted."] = "Accesul la acest element este restricționat."; -$a->strings["View Album"] = "Vezi Album"; -$a->strings["Recent Videos"] = "Clipuri video recente"; -$a->strings["Upload New Videos"] = "Încărcaţi Clipuri Video Noi"; -$a->strings["Manage Identities and/or Pages"] = "Administrare Identităţii şi/sau Pagini"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Comutați între diferitele identităţi sau pagini de comunitate/grup, care împărtășesc detaliile contului dvs. sau pentru care v-au fost acordate drepturi de \"gestionare \""; -$a->strings["Select an identity to manage: "] = "Selectaţi o identitate de gestionat:"; -$a->strings["Item not found"] = "Element negăsit"; -$a->strings["Edit post"] = "Editează post"; -$a->strings["People Search"] = "Căutare Persoane"; -$a->strings["No matches"] = "Nici-o potrivire"; -$a->strings["Account approved."] = "Cont aprobat."; -$a->strings["Registration revoked for %s"] = "Înregistrare revocată pentru %s"; -$a->strings["Please login."] = "Vă rugăm să vă autentificați."; +$a->strings["Contact not found."] = "Contact negăsit."; +$a->strings["Friend suggestion sent."] = "Sugestia de prietenie a fost trimisă."; +$a->strings["Suggest Friends"] = "Sugeraţi Prieteni"; +$a->strings["Suggest a friend for %s"] = "Sugeraţi un prieten pentru %s"; $a->strings["This introduction has already been accepted."] = "Această introducere a fost deja acceptată"; $a->strings["Profile location is not valid or does not contain profile information."] = "Locaţia profilului nu este validă sau nu conţine informaţii de profil."; $a->strings["Warning: profile location has no identifiable owner name."] = "Atenţie: locaţia profilului nu are un nume de deţinător identificabil."; @@ -1080,6 +91,8 @@ $a->strings["Unable to resolve your name at the provided location."] = "Imposibi $a->strings["You have already introduced yourself here."] = "Aţi fost deja prezentat aici"; $a->strings["Apparently you are already friends with %s."] = "Se pare că sunteţi deja prieten cu %s."; $a->strings["Invalid profile URL."] = "Profil URL invalid."; +$a->strings["Disallowed profile URL."] = "Profil URL invalid."; +$a->strings["Failed to update contact record."] = "Actualizarea datelor de contact a eşuat."; $a->strings["Your introduction has been sent."] = "Prezentarea dumneavoastră a fost trimisă."; $a->strings["Please login to confirm introduction."] = "Vă rugăm să vă autentificați pentru a confirma prezentarea."; $a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Autentificat curent cu identitate eronată. Vă rugăm să vă autentificați pentru acest profil."; @@ -1087,40 +100,99 @@ $a->strings["Hide this contact"] = "Ascunde acest contact"; $a->strings["Welcome home %s."] = "Bine ai venit %s."; $a->strings["Please confirm your introduction/connection request to %s."] = "Vă rugăm să vă confirmaţi solicitarea de introducere/conectare la %s."; $a->strings["Confirm"] = "Confirm"; +$a->strings["[Name Withheld]"] = "[Nume Reţinut]"; +$a->strings["Public access denied."] = "Acces public refuzat."; $a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Vă rugăm să vă introduceţi \"Adresa de Identitate\" din una din următoarele reţele de socializare acceptate:"; $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."] = "Dacă nu sunteţi încă un membru al reţelei online de socializare gratuite, urmați acest link pentru a găsi un site public Friendica şi alăturați-vă nouă, chiar astăzi."; $a->strings["Friend/Connection Request"] = "Solicitare Prietenie/Conectare"; $a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Exemple: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; $a->strings["Please answer the following:"] = "Vă rugăm să răspundeţi la următoarele:"; $a->strings["Does %s know you?"] = "%s vă cunoaşte?"; +$a->strings["No"] = "NU"; +$a->strings["Yes"] = "Da"; $a->strings["Add a personal note:"] = "Adaugă o notă personală:"; +$a->strings["Friendica"] = "Friendica"; $a->strings["StatusNet/Federated Social Web"] = "StatusNet/Reţea Socială Web Centralizată"; +$a->strings["Diaspora"] = "Diaspora"; $a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = "- vă rugăm să nu folosiţi acest formular. În schimb, introduceţi %s în bara dvs. de căutare Diaspora."; $a->strings["Your Identity Address:"] = "Adresa dvs. Identitate "; $a->strings["Submit Request"] = "Trimiteţi Solicitarea"; -$a->strings["Files"] = "Fişiere"; -$a->strings["Authorize application connection"] = "Autorizare conectare aplicaţie"; -$a->strings["Return to your app and insert this Securty Code:"] = "Reveniți la aplicația dvs. şi introduceţi acest Cod de Securitate:"; -$a->strings["Please login to continue."] = "Vă rugăm să vă autentificați pentru a continua."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Doriţi să autorizați această aplicaţie pentru a vă accesa postările şi contactele, şi/sau crea noi postări pentru dvs.?"; -$a->strings["Do you really want to delete this suggestion?"] = "Sigur doriți să ștergeți acesta sugestie?"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nici-o sugestie disponibilă. Dacă aceasta este un site nou, vă rugăm să încercaţi din nou în 24 de ore."; -$a->strings["Ignore/Hide"] = "Ignorare/Ascundere"; -$a->strings["Contacts who are not members of a group"] = "Contactele care nu sunt membre ale unui grup"; -$a->strings["Contact not found."] = "Contact negăsit."; -$a->strings["Friend suggestion sent."] = "Sugestia de prietenie a fost trimisă."; -$a->strings["Suggest Friends"] = "Sugeraţi Prieteni"; -$a->strings["Suggest a friend for %s"] = "Sugeraţi un prieten pentru %s"; -$a->strings["link"] = "link"; -$a->strings["No contacts."] = "Nici-un contact."; +$a->strings["Cancel"] = "Anulează"; +$a->strings["View Video"] = "Vizualizați Clipul Video"; +$a->strings["Requested profile is not available."] = "Profilul solicitat nu este disponibil."; +$a->strings["Access to this profile has been restricted."] = "Accesul la acest profil a fost restricţionat."; +$a->strings["Tips for New Members"] = "Sfaturi pentru Membrii Noi"; +$a->strings["Invalid request identifier."] = "Datele de identificare solicitate, sunt invalide."; +$a->strings["Discard"] = "Renunțați"; +$a->strings["Ignore"] = "Ignoră"; +$a->strings["System"] = "System"; +$a->strings["Network"] = "Reţea"; +$a->strings["Personal"] = "Personal"; +$a->strings["Home"] = "Home"; +$a->strings["Introductions"] = "Introduceri"; +$a->strings["Show Ignored Requests"] = "Afişare Solicitări Ignorate"; +$a->strings["Hide Ignored Requests"] = "Ascundere Solicitări Ignorate"; +$a->strings["Notification type: "] = "Tip Notificări:"; +$a->strings["Friend Suggestion"] = "Sugestie Prietenie"; +$a->strings["suggested by %s"] = "sugerat de către %s"; +$a->strings["Hide this contact from others"] = "Ascunde acest contact pentru alţii"; +$a->strings["Post a new friend activity"] = "Publicaţi prietenului o nouă activitate"; +$a->strings["if applicable"] = "dacă i posibil"; +$a->strings["Approve"] = "Aprobă"; +$a->strings["Claims to be known to you: "] = "Pretinde că vă cunoaște:"; +$a->strings["yes"] = "da"; +$a->strings["no"] = "nu"; +$a->strings["Approve as: "] = "Aprobă ca:"; +$a->strings["Friend"] = "Prieten"; +$a->strings["Sharer"] = "Distribuitor"; +$a->strings["Fan/Admirer"] = "Fan/Admirator"; +$a->strings["Friend/Connect Request"] = "Prieten/Solicitare de Conectare"; +$a->strings["New Follower"] = "Susţinător Nou"; +$a->strings["No introductions."] = "Fără prezentări."; +$a->strings["Notifications"] = "Notificări"; +$a->strings["%s liked %s's post"] = "%s a apreciat ceea a publicat %s"; +$a->strings["%s disliked %s's post"] = "%s a nu a apreciat ceea a publicat %s"; +$a->strings["%s is now friends with %s"] = "%s este acum prieten cu %s"; +$a->strings["%s created a new post"] = "%s a creat o nouă postare"; +$a->strings["%s commented on %s's post"] = "%s a comentat la articolul postat de %s"; +$a->strings["No more network notifications."] = "Nu mai există notificări de reţea."; +$a->strings["Network Notifications"] = "Notificări de Reţea"; +$a->strings["No more system notifications."] = "Nu mai există notificări de sistem."; +$a->strings["System Notifications"] = "Notificări de Sistem"; +$a->strings["No more personal notifications."] = "Nici o notificare personală"; +$a->strings["Personal Notifications"] = "Notificări personale"; +$a->strings["No more home notifications."] = "Nu mai există notificări de origine."; +$a->strings["Home Notifications"] = "Notificări de Origine"; +$a->strings["photo"] = "photo"; +$a->strings["status"] = "status"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s apreciază %3\$s lui %2\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nu apreciază %3\$s lui %2\$s"; +$a->strings["OpenID protocol error. No ID returned."] = "Eroare de protocol OpenID. Nici-un ID returnat."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Contul nu a fost găsit iar înregistrările OpenID nu sunt permise pe acest site."; +$a->strings["Login failed."] = "Eşec la conectare"; +$a->strings["Source (bbcode) text:"] = "Text (bbcode) sursă:"; +$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Text (Diaspora) sursă pentru a-l converti în BBcode:"; +$a->strings["Source input: "] = "Intrare Sursă:"; +$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): "] = "Intrare Sursă (Format Diaspora):"; +$a->strings["diaspora2bb: "] = "diaspora2bb: "; $a->strings["Theme settings updated."] = "Configurările temei au fost actualizate."; $a->strings["Site"] = "Site"; $a->strings["Users"] = "Utilizatori"; +$a->strings["Plugins"] = "Pluginuri"; $a->strings["Themes"] = "Teme"; $a->strings["DB updates"] = "Actualizări Bază de Date"; $a->strings["Logs"] = "Jurnale"; +$a->strings["Admin"] = "Admin"; $a->strings["Plugin Features"] = "Caracteristici Modul"; $a->strings["User registrations waiting for confirmation"] = "Înregistrări de utilizatori, aşteaptă confirmarea"; +$a->strings["Item not found."] = "Element negăsit."; $a->strings["Normal Account"] = "Cont normal"; $a->strings["Soapbox Account"] = "Cont Soapbox"; $a->strings["Community/Celebrity Account"] = "Cont Comunitate/Celebritate"; @@ -1136,7 +208,13 @@ $a->strings["Version"] = "Versiune"; $a->strings["Active plugins"] = "Module active"; $a->strings["Can not parse base url. Must have at least ://"] = "Nu se poate analiza URL-ul de bază. Trebuie să aibă minim ://"; $a->strings["Site settings updated."] = "Configurările site-ului au fost actualizate."; +$a->strings["No special theme for mobile devices"] = "Nici-o temă specială pentru dispozitive mobile"; +$a->strings["Never"] = "Niciodată"; $a->strings["At post arrival"] = "La sosirea publicaţiei"; +$a->strings["Frequently"] = "Frecvent"; +$a->strings["Hourly"] = "Din oră în oră"; +$a->strings["Twice daily"] = "De două ori pe zi"; +$a->strings["Daily"] = "Zilnic"; $a->strings["Multi user instance"] = "Instanţă utilizatori multipli"; $a->strings["Closed"] = "Inchis"; $a->strings["Requires approval"] = "Necesită aprobarea"; @@ -1144,6 +222,8 @@ $a->strings["Open"] = "Deschide"; $a->strings["No SSL policy, links will track page SSL state"] = "Nici-o politică SSL, legăturile vor urmări starea paginii SSL"; $a->strings["Force all links to use SSL"] = "Forţează toate legăturile să utilizeze SSL"; $a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Certificat auto/semnat, folosește SSL numai pentru legăturile locate (nerecomandat)"; +$a->strings["Save Settings"] = "Salvare Configurări"; +$a->strings["Registration"] = "Registratură"; $a->strings["File upload"] = "Fişier incărcat"; $a->strings["Policies"] = "Politici"; $a->strings["Advanced"] = "Avansat"; @@ -1246,23 +326,24 @@ $a->strings["Base path to installation"] = "Calea de bază pentru instalare"; $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["New base url"] = "URL de bază nou"; -$a->strings["Enable noscrape"] = "Activare fără-colectare"; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping."] = "Caracteristica fără-colectare accelerează trimiterea directoarelor folosind datele JSON în locul colectării HTML."; +$a->strings["Disable noscrape"] = "Dezactivare fără-colectare"; +$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping. Disabling it will cause higher load on your server and the directory server."] = ""; $a->strings["Update has been marked successful"] = "Actualizarea a fost marcată cu succes"; -$a->strings["Database structure update %s was successfully applied."] = ""; +$a->strings["Database structure update %s was successfully applied."] = "Actualizarea structurii bazei de date %s a fost aplicată cu succes."; $a->strings["Executing of database structure update %s failed with error: %s"] = ""; -$a->strings["Executing %s failed with error: %s"] = ""; +$a->strings["Executing %s failed with error: %s"] = "Executarea %s a eșuat cu eroarea : %s"; $a->strings["Update %s was successfully applied."] = "Actualizarea %s a fost aplicată cu succes."; $a->strings["Update %s did not return a status. Unknown if it succeeded."] = "Actualizare %s nu a returnat nici-un status. Nu se știe dacă a reuşit."; $a->strings["There was no additional update function %s that needed to be called."] = ""; $a->strings["No failed updates."] = "Nici-o actualizare eșuată."; -$a->strings["Check database structure"] = ""; +$a->strings["Check database structure"] = "Verifică structura bazei de date"; $a->strings["Failed Updates"] = "Actualizări Eșuate"; $a->strings["This does not include updates prior to 1139, which did not return a status."] = "Aceasta nu include actualizările dinainte de 1139, care nu a returnat nici-un status."; $a->strings["Mark success (if update was manually applied)"] = "Marcaţi ca și realizat (dacă actualizarea a fost aplicată manual)"; $a->strings["Attempt to execute this update step automatically"] = "Se încearcă executarea automată a acestei etape de actualizare"; $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["Registration details for %s"] = "Detaliile de înregistrare pentru %s"; $a->strings["%s user blocked/unblocked"] = array( 0 => "%s utilizator blocat/deblocat", 1 => "%s utilizatori blocați/deblocați", @@ -1281,8 +362,12 @@ $a->strings["select all"] = "selectează tot"; $a->strings["User registrations waiting for confirm"] = "Înregistrarea utilizatorului, aşteaptă confirmarea"; $a->strings["User waiting for permanent deletion"] = "Utilizatorul așteaptă să fie șters definitiv"; $a->strings["Request date"] = "Data cererii"; +$a->strings["Name"] = "Nume"; +$a->strings["Email"] = "Email"; $a->strings["No registrations."] = "Nici-o înregistrare."; $a->strings["Deny"] = "Respinge"; +$a->strings["Block"] = "Blochează"; +$a->strings["Unblock"] = "Deblochează"; $a->strings["Site admin"] = "Site admin"; $a->strings["Account expired"] = "Cont expirat"; $a->strings["New User"] = "Utilizator Nou"; @@ -1290,6 +375,7 @@ $a->strings["Register date"] = "Data înregistrare"; $a->strings["Last login"] = "Ultimul login"; $a->strings["Last item"] = "Ultimul element"; $a->strings["Deleted since"] = "Șters din"; +$a->strings["Account"] = "Cont"; $a->strings["Selected users will be deleted!\\n\\nEverything these users had posted on this site will be permanently deleted!\\n\\nAre you sure?"] = "Utilizatorii selectați vor fi ştersi!\\n\\nTot ce au postat acești utilizatori pe acest site, va fi şters permanent!\\n\\nConfirmați?"; $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?"] = "Utilizatorul {0} va fi şters!\\n\\nTot ce a postat acest utilizator pe acest site, va fi şters permanent!\\n\\nConfirmați?"; $a->strings["Name of the new user."] = "Numele noului utilizator."; @@ -1301,6 +387,7 @@ $a->strings["Plugin %s enabled."] = "Modulul %s a fost activat."; $a->strings["Disable"] = "Dezactivează"; $a->strings["Enable"] = "Activează"; $a->strings["Toggle"] = "Comutare"; +$a->strings["Settings"] = "Setări"; $a->strings["Author: "] = "Autor: "; $a->strings["Maintainer: "] = "Responsabil:"; $a->strings["No themes found."] = "Nici-o temă găsită."; @@ -1313,43 +400,116 @@ $a->strings["Enable Debugging"] = "Activează Depanarea"; $a->strings["Log file"] = "Fişier Log "; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Trebuie să fie inscriptibil pentru serverul web. Relativ la directoul dvs. superior Friendica."; $a->strings["Log level"] = "Nivel log"; +$a->strings["Update now"] = "Actualizează acum"; $a->strings["Close"] = "Închide"; $a->strings["FTP Host"] = "FTP Host"; $a->strings["FTP Path"] = "FTP Path"; $a->strings["FTP User"] = "FTP User"; $a->strings["FTP Password"] = "FTP Parolă"; -$a->strings["Image exceeds size limit of %d"] = "Dimensiunea imaginii depăşeşte limita de %d"; -$a->strings["Unable to process image."] = "Nu s-a putut procesa imaginea."; -$a->strings["Image upload failed."] = "Încărcarea imaginii a eşuat."; -$a->strings["Welcome to %s"] = "Bine aţi venit la %s"; -$a->strings["OpenID protocol error. No ID returned."] = "Eroare de protocol OpenID. Nici-un ID returnat."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Contul nu a fost găsit iar înregistrările OpenID nu sunt permise pe acest site."; -$a->strings["Search Results For:"] = "Rezultatele Căutării Pentru:"; -$a->strings["Remove term"] = "Eliminare termen"; -$a->strings["Commented Order"] = "Ordonare Comentarii"; -$a->strings["Sort by Comment Date"] = "Sortare după Data Comentariului"; -$a->strings["Posted Order"] = "Ordonare Postări"; -$a->strings["Sort by Post Date"] = "Sortare după Data Postării"; -$a->strings["Posts that mention or involve you"] = "Postări ce vă menționează sau vă implică"; -$a->strings["New"] = "Nou"; -$a->strings["Activity Stream - by date"] = "Flux Activități - după dată"; -$a->strings["Shared Links"] = "Linkuri partajate"; -$a->strings["Interesting Links"] = "Legături Interesante"; -$a->strings["Starred"] = "Cu steluță"; -$a->strings["Favourite Posts"] = "Postări Favorite"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Atenție: Acest grup conţine %s membru dintr-o reţea nesigură.", - 1 => "Atenție: Acest grup conţine %s membrii dintr-o reţea nesigură.", - 2 => "Atenție: Acest grup conţine %s de membrii dintr-o reţea nesigură.", +$a->strings["New Message"] = "Mesaj nou"; +$a->strings["No recipient selected."] = "Nici-o adresă selectată."; +$a->strings["Unable to locate contact information."] = "Nu se pot localiza informaţiile de contact."; +$a->strings["Message could not be sent."] = "Mesajul nu a putut fi trimis."; +$a->strings["Message collection failure."] = "Eșec de colectare mesaj."; +$a->strings["Message sent."] = "Mesaj trimis."; +$a->strings["Messages"] = "Mesage"; +$a->strings["Do you really want to delete this message?"] = "Chiar doriţi să ştergeţi acest mesaj ?"; +$a->strings["Message deleted."] = "Mesaj şters"; +$a->strings["Conversation removed."] = "Conversaşie inlăturată."; +$a->strings["Please enter a link URL:"] = "Introduceţi un link URL:"; +$a->strings["Send Private Message"] = "Trimite mesaj privat"; +$a->strings["To:"] = "Către: "; +$a->strings["Subject:"] = "Subiect:"; +$a->strings["Your message:"] = "Mesajul dvs :"; +$a->strings["Upload photo"] = "Încarcă foto"; +$a->strings["Insert web link"] = "Inserează link web"; +$a->strings["No messages."] = "Nici-un mesaj."; +$a->strings["Unknown sender - %s"] = "Expeditor necunoscut - %s"; +$a->strings["You and %s"] = "Tu şi %s"; +$a->strings["%s and You"] = "%s şi dvs"; +$a->strings["Delete conversation"] = "Ștergeți conversaţia"; +$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; +$a->strings["%d message"] = array( + 0 => "%d mesaj", + 1 => "%d mesaje", + 2 => "%d mesaje", ); -$a->strings["Private messages to this group are at risk of public disclosure."] = "Mesajele private către acest grup sunt supuse riscului de divulgare publică."; -$a->strings["No such group"] = "Membrii"; -$a->strings["Group is empty"] = "Grupul este gol"; -$a->strings["Group: "] = "Grup:"; -$a->strings["Contact: "] = "Contact: "; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Mesajele private către această persoană sunt supuse riscului de divulgare publică."; -$a->strings["Invalid contact."] = "Invalid contact."; -$a->strings["- select -"] = "- selectare -"; +$a->strings["Message not available."] = "Mesaj nedisponibil"; +$a->strings["Delete message"] = "Şterge mesaj"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nici-o comunicaţie securizată disponibilă. Veți putea răspunde din pagina de profil a expeditorului."; +$a->strings["Send Reply"] = "Răspunde"; +$a->strings["Item not found"] = "Element negăsit"; +$a->strings["Edit post"] = "Editează post"; +$a->strings["Save"] = "Salvare"; +$a->strings["upload photo"] = "încărcare fotografie"; +$a->strings["Attach file"] = "Ataşează fişier"; +$a->strings["attach file"] = "ataşează fişier"; +$a->strings["web link"] = "web link"; +$a->strings["Insert video link"] = "Inserează video link"; +$a->strings["video link"] = "video link"; +$a->strings["Insert audio link"] = "Inserare link audio"; +$a->strings["audio link"] = "audio link"; +$a->strings["Set your location"] = "Setează locaţia dvs"; +$a->strings["set location"] = "set locaţie"; +$a->strings["Clear browser location"] = "Curățare locație browser"; +$a->strings["clear location"] = "şterge locaţia"; +$a->strings["Permission settings"] = "Setări permisiuni"; +$a->strings["CC: email addresses"] = "CC: adresă email"; +$a->strings["Public post"] = "Public post"; +$a->strings["Set title"] = "Setează titlu"; +$a->strings["Categories (comma-separated list)"] = "Categorii (listă cu separator prin virgulă)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Exemplu: bob@exemplu.com, mary@exemplu.com"; +$a->strings["Profile not found."] = "Profil negăsit."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Aceasta se poate întâmpla ocazional dacă contactul a fost solicitat de către ambele persoane şi acesta a fost deja aprobat."; +$a->strings["Response from remote site was not understood."] = "Răspunsul de la adresa de la distanţă, nu a fost înțeles."; +$a->strings["Unexpected response from remote site: "] = "Răspuns neaşteptat de la site-ul de la distanţă:"; +$a->strings["Confirmation completed successfully."] = "Confirmare încheiată cu succes."; +$a->strings["Remote site reported: "] = "Site-ul de la distanţă a raportat:"; +$a->strings["Temporary failure. Please wait and try again."] = "Eroare Temporară. Vă rugăm să aşteptaţi şi încercaţi din nou."; +$a->strings["Introduction failed or was revoked."] = "Introducerea a eşuat sau a fost revocată."; +$a->strings["Unable to set contact photo."] = "Imposibil de stabilit fotografia de contact."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s este acum prieten cu %2\$s"; +$a->strings["No user record found for '%s' "] = "Nici-o înregistrare de utilizator găsită pentru '%s'"; +$a->strings["Our site encryption key is apparently messed up."] = "Se pare că, cheia de criptare a site-ului nostru s-a încurcat."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "A fost furnizată o adresă URL goală, sau adresa URL nu poate fi decriptată de noi."; +$a->strings["Contact record was not found for you on our site."] = "Registrul contactului nu a fost găsit pe site-ul nostru."; +$a->strings["Site public key not available in contact record for URL %s."] = "Cheia publică a site-ului nu este disponibilă în registrul contactului pentru URL-ul %s."; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "ID-ul furnizat de către sistemul dumneavoastră este un duplicat pe sistemul nostru. Ar trebui să funcţioneze dacă încercaţi din nou."; +$a->strings["Unable to set your contact credentials on our system."] = "Imposibil de configurat datele dvs. de autentificare, pe sistemul nostru."; +$a->strings["Unable to update your contact profile details on our system"] = "Imposibil de actualizat detaliile de profil ale contactului dvs., pe sistemul nostru."; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s s-a alăturat lui %2\$s"; +$a->strings["Event title and start time are required."] = "Titlul evenimentului şi timpul de pornire sunt necesare."; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Editează eveniment"; +$a->strings["link to source"] = "link către sursă"; +$a->strings["Events"] = "Evenimente"; +$a->strings["Create New Event"] = "Crează eveniment nou"; +$a->strings["Previous"] = "Precedent"; +$a->strings["Next"] = "Next"; +$a->strings["hour:minute"] = "ore:minute"; +$a->strings["Event details"] = "Detalii eveniment"; +$a->strings["Format is %s %s. Starting date and Title are required."] = "Formatul este %s %s.Data de începere și Titlul sunt necesare."; +$a->strings["Event Starts:"] = "Evenimentul Începe:"; +$a->strings["Required"] = "Cerut"; +$a->strings["Finish date/time is not known or not relevant"] = "Data/ora de finalizare nu este cunoscută sau nu este relevantă"; +$a->strings["Event Finishes:"] = "Evenimentul se Finalizează:"; +$a->strings["Adjust for viewer timezone"] = "Reglați pentru fusul orar al vizitatorului"; +$a->strings["Description:"] = "Descriere:"; +$a->strings["Location:"] = "Locaţie:"; +$a->strings["Title:"] = "Titlu:"; +$a->strings["Share this event"] = "Partajează acest eveniment"; +$a->strings["Photos"] = "Poze"; +$a->strings["Files"] = "Fişiere"; +$a->strings["Welcome to %s"] = "Bine aţi venit la %s"; +$a->strings["Remote privacy information not available."] = "Informaţiile la distanţă despre confidenţialitate, nu sunt disponibile."; +$a->strings["Visible to:"] = "Visibil către:"; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Numărul de mesaje, zilnice de perete, pentru %s a fost depăşit. Mesajul a eşuat."; +$a->strings["Unable to check your home location."] = "Imposibil de verificat locaţia dvs. de reşedinţă."; +$a->strings["No recipient."] = "Nici-un destinatar."; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Dacă doriţi ca %s să vă răspundă, vă rugăm să verificaţi dacă configurările de confidenţialitate de pe site-ul dumneavoastră, permite mail-uri private de la expeditori necunoscuți."; +$a->strings["Visit %s's profile [%s]"] = "Vizitați profilul %s [%s]"; +$a->strings["Edit contact"] = "Editează contact"; +$a->strings["Contacts who are not members of a group"] = "Contactele care nu sunt membre ale unui grup"; $a->strings["This is Friendica, version"] = "Friendica, versiunea"; $a->strings["running at web location"] = "rulează la locaţia web"; $a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Vă rugăm să vizitaţi Friendica.com pentru a afla mai multe despre proiectul Friendica."; @@ -1357,10 +517,24 @@ $a->strings["Bug reports and issues: please visit"] = "Rapoarte de erori şi pro $a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Sugestii, laude, donatii, etc. - vă rugăm să trimiteți un email pe \"Info\" at Friendica - dot com"; $a->strings["Installed plugins/addons/apps:"] = "Module/suplimente/aplicații instalate:"; $a->strings["No installed plugins/addons/apps"] = "Module/suplimente/aplicații neinstalate"; -$a->strings["Applications"] = "Aplicații"; -$a->strings["No installed applications."] = "Nu există aplicații instalate."; +$a->strings["Remove My Account"] = "Șterge Contul Meu"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Aceasta va elimina complet contul dvs. Odată ce a fostă, această acțiune este nerecuperabilă."; +$a->strings["Please enter your password for verification:"] = "Vă rugăm să introduceţi parola dvs. pentru verificare:"; +$a->strings["Image exceeds size limit of %d"] = "Dimensiunea imaginii depăşeşte limita de %d"; +$a->strings["Unable to process image."] = "Nu s-a putut procesa imaginea."; +$a->strings["Wall Photos"] = "Fotografii de Perete"; +$a->strings["Image upload failed."] = "Încărcarea imaginii a eşuat."; +$a->strings["Authorize application connection"] = "Autorizare conectare aplicaţie"; +$a->strings["Return to your app and insert this Securty Code:"] = "Reveniți la aplicația dvs. şi introduceţi acest Cod de Securitate:"; +$a->strings["Please login to continue."] = "Vă rugăm să vă autentificați pentru a continua."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Doriţi să autorizați această aplicaţie pentru a vă accesa postările şi contactele, şi/sau crea noi postări pentru dvs.?"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s a etichetat %3\$s de la %2\$s cu %4\$s"; +$a->strings["Photo Albums"] = "Albume Photo "; +$a->strings["Contact Photos"] = "Photo Contact"; $a->strings["Upload New Photos"] = "Încărcaţi Fotografii Noi"; +$a->strings["everybody"] = "oricine"; $a->strings["Contact information unavailable"] = "Informaţii contact nedisponibile"; +$a->strings["Profile Photos"] = "Poze profil"; $a->strings["Album not found."] = "Album negăsit"; $a->strings["Delete Album"] = "Şterge Album"; $a->strings["Do you really want to delete this photo album and all its photos?"] = "Doriţi într-adevăr să ştergeţi acest album foto și toate fotografiile sale?"; @@ -1371,12 +545,15 @@ $a->strings["a photo"] = "o poză"; $a->strings["Image exceeds size limit of "] = "Dimensiunea imaginii depăşeşte limita de"; $a->strings["Image file is empty."] = "Fișierul imagine este gol."; $a->strings["No photos selected"] = "Nici-o fotografie selectată"; +$a->strings["Access to this item is restricted."] = "Accesul la acest element este restricționat."; $a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Aţi folosit %1$.2f Mb din %2$.2f Mb de stocare foto."; $a->strings["Upload Photos"] = "Încărcare Fotografii"; $a->strings["New album name: "] = "Nume album nou:"; $a->strings["or existing album name: "] = "sau numele unui album existent:"; $a->strings["Do not show a status post for this upload"] = "Nu afișa un status pentru această încărcare"; $a->strings["Permissions"] = "Permisiuni"; +$a->strings["Show to Groups"] = "Afișare pentru Grupuri"; +$a->strings["Show to Contacts"] = "Afişează la Contacte"; $a->strings["Private Photo"] = "Poze private"; $a->strings["Public Photo"] = "Poze Publice"; $a->strings["Edit Album"] = "Editează Album"; @@ -1399,7 +576,139 @@ $a->strings["Add a Tag"] = "Adaugă un Tag"; $a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Exemplu: @Bob, @Barbara_Jensen, @jim@exemplu.com , #California, #camping"; $a->strings["Private photo"] = "Poze private"; $a->strings["Public photo"] = "Poze Publice"; +$a->strings["Share"] = "Partajează"; +$a->strings["View Album"] = "Vezi Album"; $a->strings["Recent Photos"] = "Poze Recente"; +$a->strings["No profile"] = "Niciun profil"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Înregistrarea s-a efectuat cu succes. Vă rugăm să vă verificaţi e-mailul pentru instrucţiuni suplimentare."; +$a->strings["Failed to send email message. Here your accout details:
login: %s
password: %s

You can change your password after login."] = ""; +$a->strings["Your registration can not be processed."] = "Înregistrarea dvs. nu poate fi procesată."; +$a->strings["Your registration is pending approval by the site owner."] = "Înregistrarea dvs. este în aşteptarea aprobării de către deținătorul site-ului."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Acest site a depăşit numărul zilnic permis al înregistrărilor de conturi. Vă rugăm să reîncercați mâine."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Puteți (opțional) să completaţi acest formular prin intermediul OpenID, introducând contul dvs. OpenID și apăsând pe 'Înregistrare'."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Dacă nu sunteţi familiarizați cu OpenID, vă rugăm să lăsaţi acest câmp gol iar apoi să completaţi restul elementelor."; +$a->strings["Your OpenID (optional): "] = "Contul dvs. OpenID (opţional):"; +$a->strings["Include your profile in member directory?"] = "Includeți profilul dvs în directorul de membru?"; +$a->strings["Membership on this site is by invitation only."] = "Aderare pe acest site, este posibilă doar pe bază de invitație."; +$a->strings["Your invitation ID: "] = "ID invitaţiei dvs:"; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Numele Complet (de ex. Joe Smith):"; +$a->strings["Your Email Address: "] = "Adresa dvs de mail:"; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Alegeţi un pseudonim de profil. Aceasta trebuie să înceapă cu un caracter text. Adresa profilului dvs. de pe acest site va fi de forma 'pseudonim@\$sitename'."; +$a->strings["Choose a nickname: "] = "Alegeţi un pseudonim:"; +$a->strings["Register"] = "Înregistrare"; +$a->strings["Import"] = "Import"; +$a->strings["Import your profile to this friendica instance"] = "Importați profilul dvs. în această instanță friendica"; +$a->strings["No valid account found."] = "Nici-un cont valid găsit."; +$a->strings["Password reset request issued. Check your email."] = "Solicitarea de Resetare Parolă a fost emisă. Verificați-vă emailul."; +$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"] = "Solicitarea de resetare a parolei a fost făcută la %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Solicitarea nu se poate verifica. (Este posibil să fi solicitat-o anterior.) Resetarea parolei a eșuat."; +$a->strings["Password Reset"] = "Resetare Parolă"; +$a->strings["Your password has been reset as requested."] = "Parola a fost resetată conform solicitării."; +$a->strings["Your new password is"] = "Noua dvs. parolă este"; +$a->strings["Save or copy your new password - and then"] = "Salvați sau copiați noua dvs. parolă - şi apoi"; +$a->strings["click here to login"] = "click aici pentru logare"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Parola poate fi schimbată din pagina de Configurări după autentificarea cu succes."; +$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"] = "Parola dumneavoastră a fost schimbată la %s"; +$a->strings["Forgot your Password?"] = "Ați uitat Parola?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Introduceţi adresa dumneavoastră de email şi trimiteți-o pentru a vă reseta parola. Apoi verificaţi-vă emailul pentru instrucţiuni suplimentare."; +$a->strings["Nickname or Email: "] = "Pseudonim sau Email:"; +$a->strings["Reset"] = "Reset"; +$a->strings["System down for maintenance"] = "Sistemul este suspendat pentru întreținere"; +$a->strings["Item not available."] = "Elementul nu este disponibil."; +$a->strings["Item was not found."] = "Element negăsit."; +$a->strings["Applications"] = "Aplicații"; +$a->strings["No installed applications."] = "Nu există aplicații instalate."; +$a->strings["Help:"] = "Ajutor:"; +$a->strings["Help"] = "Ajutor"; +$a->strings["%d contact edited."] = array( + 0 => "%d contact editat.", + 1 => "%d contacte editate.", + 2 => "%d de contacte editate.", +); +$a->strings["Could not access contact record."] = "Nu se poate accesa registrul contactului."; +$a->strings["Could not locate selected profile."] = "Nu se poate localiza profilul selectat."; +$a->strings["Contact updated."] = "Contact actualizat."; +$a->strings["Contact has been blocked"] = "Contactul a fost blocat"; +$a->strings["Contact has been unblocked"] = "Contactul a fost deblocat"; +$a->strings["Contact has been ignored"] = "Contactul a fost ignorat"; +$a->strings["Contact has been unignored"] = "Contactul a fost neignorat"; +$a->strings["Contact has been archived"] = "Contactul a fost arhivat"; +$a->strings["Contact has been unarchived"] = "Contactul a fost dezarhivat"; +$a->strings["Do you really want to delete this contact?"] = "Sigur doriți să ștergeți acest contact?"; +$a->strings["Contact has been removed."] = "Contactul a fost înlăturat."; +$a->strings["You are mutual friends with %s"] = "Sunteţi prieten comun cu %s"; +$a->strings["You are sharing with %s"] = "Împărtășiți cu %s"; +$a->strings["%s is sharing with you"] = "%s împărtăşeşte cu dvs."; +$a->strings["Private communications are not available for this contact."] = "Comunicaţiile private nu sunt disponibile pentru acest contact."; +$a->strings["(Update was successful)"] = "(Actualizare a reuşit)"; +$a->strings["(Update was not successful)"] = "(Actualizare nu a reuşit)"; +$a->strings["Suggest friends"] = "Sugeraţi prieteni"; +$a->strings["Network type: %s"] = "Tipul rețelei: %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d contact în comun", + 1 => "%d contacte în comun", + 2 => "%d de contacte în comun", +); +$a->strings["View all contacts"] = "Vezi toate contactele"; +$a->strings["Toggle Blocked status"] = "Comutare status Blocat"; +$a->strings["Unignore"] = "Anulare ignorare"; +$a->strings["Toggle Ignored status"] = "Comutaţi status Ignorat"; +$a->strings["Unarchive"] = "Dezarhivează"; +$a->strings["Archive"] = "Arhivează"; +$a->strings["Toggle Archive status"] = "Comutaţi status Arhivat"; +$a->strings["Repair"] = "Repară"; +$a->strings["Advanced Contact Settings"] = "Configurări Avansate Contacte"; +$a->strings["Communications lost with this contact!"] = "S-a pierdut conexiunea cu acest contact!"; +$a->strings["Contact Editor"] = "Editor Contact"; +$a->strings["Profile Visibility"] = "Vizibilitate Profil"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Vă rugăm să alegeţi profilul pe care doriţi să îl afişaţi pentru %s când acesta vă vizitează profuilul în mod securizat."; +$a->strings["Contact Information / Notes"] = "Informaţii de Contact / Note"; +$a->strings["Edit contact notes"] = "Editare note de contact"; +$a->strings["Block/Unblock contact"] = "Blocare/Deblocare contact"; +$a->strings["Ignore contact"] = "Ignorare contact"; +$a->strings["Repair URL settings"] = "Remediere configurări URL"; +$a->strings["View conversations"] = "Vizualizaţi conversaţii"; +$a->strings["Delete contact"] = "Şterge contact"; +$a->strings["Last update:"] = "Ultima actualizare:"; +$a->strings["Update public posts"] = "Actualizare postări publice"; +$a->strings["Currently blocked"] = "Blocat în prezent"; +$a->strings["Currently ignored"] = "Ignorat în prezent"; +$a->strings["Currently archived"] = "Arhivat în prezent"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Răspunsurile/aprecierile pentru postările dvs. publice ar putea fi încă vizibile"; +$a->strings["Notification for new posts"] = "Notificare de postări noi"; +$a->strings["Send a notification of every new post of this contact"] = "Trimiteți o notificare despre fiecare postare nouă a acestui contact"; +$a->strings["Fetch further information for feeds"] = "Preluare informaţii suplimentare pentru fluxuri"; +$a->strings["Suggestions"] = "Sugestii"; +$a->strings["Suggest potential friends"] = "Sugeraţi prieteni potențiali"; +$a->strings["All Contacts"] = "Toate Contactele"; +$a->strings["Show all contacts"] = "Afişează toate contactele"; +$a->strings["Unblocked"] = "Deblocat"; +$a->strings["Only show unblocked contacts"] = "Se afişează numai contactele deblocate"; +$a->strings["Blocked"] = "Blocat"; +$a->strings["Only show blocked contacts"] = "Se afişează numai contactele blocate"; +$a->strings["Ignored"] = "Ignorat"; +$a->strings["Only show ignored contacts"] = "Se afişează numai contactele ignorate"; +$a->strings["Archived"] = "Arhivat"; +$a->strings["Only show archived contacts"] = "Se afişează numai contactele arhivate"; +$a->strings["Hidden"] = "Ascuns"; +$a->strings["Only show hidden contacts"] = "Se afişează numai contactele ascunse"; +$a->strings["Mutual Friendship"] = "Prietenie Reciprocă"; +$a->strings["is a fan of yours"] = "este fanul dvs."; +$a->strings["you are a fan of"] = "sunteţi un fan al"; +$a->strings["Contacts"] = "Contacte"; +$a->strings["Search your contacts"] = "Căutare contacte"; +$a->strings["Finding: "] = "Găsire:"; +$a->strings["Find"] = "Căutare"; +$a->strings["Update"] = "Actualizare"; +$a->strings["No videos selected"] = "Nici-un clip video selectat"; +$a->strings["Recent Videos"] = "Clipuri video recente"; +$a->strings["Upload New Videos"] = "Încărcaţi Clipuri Video Noi"; +$a->strings["Common Friends"] = "Prieteni Comuni"; +$a->strings["No contacts in common."] = "Nici-un contact în comun"; $a->strings["Contact added"] = "Contact addăugat"; $a->strings["Move account"] = "Mutaţi contul"; $a->strings["You can import an account from another Friendica server."] = "Puteţi importa un cont dintr-un alt server Friendica."; @@ -1407,6 +716,53 @@ $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 (statusnet/identi.ca) or from Diaspora"] = "Această caracteristică este experimentală. Nu putem importa contactele din reţeaua OStatus (statusnet/identi.ca) sau din Diaspora"; $a->strings["Account file"] = "Fişier Cont"; $a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Pentru a vă exporta contul, deplasaţi-vă la \"Configurări- >Export date personale \" şi selectaţi \"Exportare cont \""; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s urmărește %3\$s postată %2\$s"; +$a->strings["Friends of %s"] = "Prieteni cu %s"; +$a->strings["No friends to display."] = "Nici-un prieten de afișat."; +$a->strings["Tag removed"] = "Etichetă eliminată"; +$a->strings["Remove Item Tag"] = "Eliminați Eticheta Elementului"; +$a->strings["Select a tag to remove: "] = "Selectați o etichetă de eliminat:"; +$a->strings["Remove"] = "Eliminare"; +$a->strings["Welcome to Friendica"] = "Bun Venit la Friendica"; +$a->strings["New Member Checklist"] = "Lista de Verificare Membrii Noi"; +$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."] = "Dorim să vă oferim câteva sfaturi şi legături pentru a vă ajuta să aveți o experienţă cât mai plăcută. Apăsați pe orice element pentru a vizita pagina relevantă. O legătură către această pagină va fi vizibilă de pe pagina principală, pentru două săptămâni după înregistrarea dvs. iniţială, iar apoi va dispare în tăcere."; +$a->strings["Getting Started"] = "Noțiuni de Bază"; +$a->strings["Friendica Walk-Through"] = "Ghidul de Prezentare 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."] = "Pe pagina dvs. de Pornire Rapidă - veți găsi o scurtă introducere pentru profilul dvs. şi pentru filele de reţea, veți face câteva conexiuni noi, şi veți găsi câteva grupuri la care să vă alăturați."; +$a->strings["Go to Your Settings"] = "Mergeți la Configurări"; +$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."] = "Din pagina dvs. de Configurări - schimbaţi-vă parola iniţială. De asemenea creați o notă pentru Adresa dvs. de Identificare. Aceasta arată exact ca o adresă de email - şi va fi utilă la stabilirea de prietenii pe rețeaua socială web gratuită."; +$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."] = "Revizuiți celelalte configurări, în special configurările de confidenţialitate. O listă de directoare nepublicate este ca și cum ați avea un număr de telefon necatalogat. În general, ar trebui probabil să vă publicați lista - cu excepţia cazului în care toți prietenii şi potenţialii prieteni, știu exact cum să vă găsească."; +$a->strings["Profile"] = "Profil"; +$a->strings["Upload Profile Photo"] = "Încărcare Fotografie Profil"; +$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."] = "Încărcaţi o fotografie de profil, dacă nu aţi făcut-o deja.Studiile au arătat că, pentru persoanele cu fotografiile lor reale, există de zece ori mai multe şanse să-și facă prieteni, decât cei care nu folosesc fotografii reale."; +$a->strings["Edit Your Profile"] = "Editare Profil"; +$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."] = "Editaţi-vă profilul Implicit după bunul plac. Revizuiți configurările pentru a ascunde lista dvs. de prieteni și pentru ascunderea profilului dvs., de vizitatorii necunoscuți."; +$a->strings["Profile Keywords"] = "Cuvinte-Cheie Profil"; +$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."] = "Stabiliți câteva cuvinte-cheie publice pentru profilul dvs. implicit, cuvinte ce descriu cel mai bine interesele dvs. Vom putea astfel găsi alte persoane cu interese similare și vă vom sugera prietenia lor."; +$a->strings["Connecting"] = "Conectare"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizați Conectorul Facebook dacă dețineți în prezent un cont pe Facebook, şi vom importa (opțional) toți prietenii și toate conversațiile de pe Facebook."; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Dacă aceasta este propriul dvs. server, instalarea suplimentului Facebook, vă poate uşura tranziţia la reţeaua socială web gratuită."; +$a->strings["Importing Emails"] = "Importare Email-uri"; +$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"] = "Introduceţi informațiile dvs. de acces la email adresa de email, în pagina dvs. de Configurări Conector, dacă doriți să importați și să interacționați cu prietenii sau cu listele de email din Căsuța dvs. de Mesaje Primite."; +$a->strings["Go to Your Contacts Page"] = "Dute la pagina ta Contacte "; +$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."] = "Pagina dvs. de Contact este poarta dvs. de acces către administrarea prieteniilor şi pentru conectarea cu prietenii din alte rețele. În general, introduceți adresa lor sau URL-ul către site, folosind dialogul Adăugare Contact Nou."; +$a->strings["Go to Your Site's Directory"] = "Mergeţi la Directorul Site-ului"; +$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."] = "Pagina Directorului vă permite să găsiţi alte persoane în această reţea sau în alte site-uri asociate. Căutaţi o legătură de Conectare sau Urmărire pe pagina lor de profil. Oferiți propria dvs. Adresă de Identitate dacă se solicită."; +$a->strings["Finding New People"] = "Găsire Persoane Noi"; +$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."] = "Pe panoul lateral al paginii Contacte sunt câteva unelte utile pentru a găsi noi prieteni. Putem asocia persoanele după interese, căuta persoane după nume sau interes, şi vă putem oferi sugestii bazate pe relaţiile din reţea. Pe un site nou-nouț, sugestiile de prietenie vor începe în mod normal să fie populate în termen de 24 de ore."; +$a->strings["Groups"] = "Groupuri"; +$a->strings["Group Your Contacts"] = "Grupați-vă Contactele"; +$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."] = "Odată ce v-aţi făcut unele prietenii, organizaţi-le în grupuri de conversaţii private din bara laterală a paginii dvs. de Contact şi apoi puteţi interacționa, privat cu fiecare grup pe pagina dumneavoastră de Reţea."; +$a->strings["Why Aren't My Posts Public?"] = "De ce nu sunt Postările Mele Publice?"; +$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 vă respectă confidenţialitatea. Implicit, postările dvs. vor fi afişate numai persoanelor pe care le-ați adăugat ca și prieteni. Pentru mai multe informaţii, consultaţi secţiunea de asistenţă din legătura de mai sus."; +$a->strings["Getting Help"] = "Obţinerea de Ajutor"; +$a->strings["Go to the Help Section"] = "Navigați la Secțiunea Ajutor"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Paginile noastre de ajutor pot fi consultate pentru detalii, prin alte funcții şi resurse de program."; +$a->strings["Remove term"] = "Eliminare termen"; +$a->strings["Saved Searches"] = "Căutări Salvate"; +$a->strings["Search"] = "Căutare"; +$a->strings["No results."] = "Nici-un rezultat."; $a->strings["Total invitation limit exceeded."] = "Limita totală a invitațiilor a fost depăşită."; $a->strings["%s : Not a valid email address."] = "%s : Nu este o adresă vaildă de email."; $a->strings["Please join us on Friendica"] = "Vă rugăm să veniți alături de noi pe Friendica"; @@ -1428,101 +784,157 @@ $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"] = "Va fi nevoie să furnizați acest cod de invitaţie: \$invite_code"; $a->strings["Once you have registered, please connect with me via my profile page at:"] = "Odată ce v-aţi înregistrat, vă rog să vă conectaţi cu mine prin pagina mea de profil de la:"; $a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Pentru mai multe informaţii despre proiectul Friendica, şi de ce credem că este important, vă rugăm să vizitaţi http://friendica.com"; -$a->strings["Access denied."] = "Accesul interzis."; -$a->strings["No valid account found."] = "Nici-un cont valid găsit."; -$a->strings["Password reset request issued. Check your email."] = "Solicitarea de Resetare Parolă a fost emisă. Verificați-vă emailul."; -$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"] = "Solicitarea de resetare a parolei a fost făcută la %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Solicitarea nu se poate verifica. (Este posibil să fi solicitat-o anterior.) Resetarea parolei a eșuat."; -$a->strings["Your password has been reset as requested."] = "Parola a fost resetată conform solicitării."; -$a->strings["Your new password is"] = "Noua dvs. parolă este"; -$a->strings["Save or copy your new password - and then"] = "Salvați sau copiați noua dvs. parolă - şi apoi"; -$a->strings["click here to login"] = "click aici pentru logare"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Parola poate fi schimbată din pagina de Configurări după autentificarea cu succes."; -$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"] = "Parola dumneavoastră a fost schimbată la %s"; -$a->strings["Forgot your Password?"] = "Ați uitat Parola?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Introduceţi adresa dumneavoastră de email şi trimiteți-o pentru a vă reseta parola. Apoi verificaţi-vă emailul pentru instrucţiuni suplimentare."; -$a->strings["Nickname or Email: "] = "Pseudonim sau Email:"; -$a->strings["Reset"] = "Reset"; -$a->strings["Source (bbcode) text:"] = "Text (bbcode) sursă:"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Text (Diaspora) sursă pentru a-l converti în BBcode:"; -$a->strings["Source input: "] = "Intrare Sursă:"; -$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): "] = "Intrare Sursă (Format Diaspora):"; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Tag removed"] = "Etichetă eliminată"; -$a->strings["Remove Item Tag"] = "Eliminați Eticheta Elementului"; -$a->strings["Select a tag to remove: "] = "Selectați o etichetă de eliminat:"; -$a->strings["Remove My Account"] = "Șterge Contul Meu"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Aceasta va elimina complet contul dvs. Odată ce a fostă, această acțiune este nerecuperabilă."; -$a->strings["Please enter your password for verification:"] = "Vă rugăm să introduceţi parola dvs. pentru verificare:"; -$a->strings["Invalid profile identifier."] = "Identificator profil, invalid."; -$a->strings["Profile Visibility Editor"] = "Editor Vizibilitate Profil"; -$a->strings["Visible To"] = "Vizibil Pentru"; -$a->strings["All Contacts (with secure profile access)"] = "Toate Contactele (cu acces profil securizat)"; -$a->strings["Profile Match"] = "Potrivire Profil"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nu există cuvinte cheie pentru a le potrivi. Vă rugăm să adăugaţi cuvinte cheie la profilul dvs implicit."; -$a->strings["is interested in:"] = "are interese pentru:"; -$a->strings["Event title and start time are required."] = "Titlul evenimentului şi timpul de pornire sunt necesare."; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Editează eveniment"; -$a->strings["Create New Event"] = "Crează eveniment nou"; -$a->strings["Previous"] = "Precedent"; -$a->strings["Next"] = "Next"; -$a->strings["hour:minute"] = "ore:minute"; -$a->strings["Event details"] = "Detalii eveniment"; -$a->strings["Format is %s %s. Starting date and Title are required."] = "Formatul este %s %s.Data de începere și Titlul sunt necesare."; -$a->strings["Event Starts:"] = "Evenimentul Începe:"; -$a->strings["Required"] = "Cerut"; -$a->strings["Finish date/time is not known or not relevant"] = "Data/ora de finalizare nu este cunoscută sau nu este relevantă"; -$a->strings["Event Finishes:"] = "Evenimentul se Finalizează:"; -$a->strings["Adjust for viewer timezone"] = "Reglați pentru fusul orar al vizitatorului"; -$a->strings["Description:"] = "Descriere:"; -$a->strings["Title:"] = "Titlu:"; -$a->strings["Share this event"] = "Partajează acest eveniment"; -$a->strings["{0} wants to be your friend"] = "{0} doreşte să vă fie prieten"; -$a->strings["{0} sent you a message"] = "{0} v-a trimis un mesaj"; -$a->strings["{0} requested registration"] = "{0} a solicitat înregistrarea"; -$a->strings["{0} commented %s's post"] = "{0} a comentat la articolul postat de %s"; -$a->strings["{0} liked %s's post"] = "{0} a apreciat articolul postat de %s"; -$a->strings["{0} disliked %s's post"] = "{0} nu a apreciat articolul postat de %s"; -$a->strings["{0} is now friends with %s"] = "{0} este acum prieten cu %s"; -$a->strings["{0} posted"] = "{0} a postat"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} a etichetat articolul postat de %s cu #%s"; -$a->strings["{0} mentioned you in a post"] = "{0} v-a menţionat într-o postare"; -$a->strings["Mood"] = "Stare de spirit"; -$a->strings["Set your current mood and tell your friends"] = "Stabiliți-vă starea de spirit curentă, şi comunicați-o prietenilor"; -$a->strings["No results."] = "Nici-un rezultat."; -$a->strings["Unable to locate contact information."] = "Nu se pot localiza informaţiile de contact."; -$a->strings["Do you really want to delete this message?"] = "Chiar doriţi să ştergeţi acest mesaj ?"; -$a->strings["Message deleted."] = "Mesaj şters"; -$a->strings["Conversation removed."] = "Conversaşie inlăturată."; -$a->strings["No messages."] = "Nici-un mesaj."; -$a->strings["Unknown sender - %s"] = "Expeditor necunoscut - %s"; -$a->strings["You and %s"] = "Tu şi %s"; -$a->strings["%s and You"] = "%s şi dvs"; -$a->strings["Delete conversation"] = "Ștergeți conversaţia"; -$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; -$a->strings["%d message"] = array( - 0 => "%d mesaj", - 1 => "%d mesaje", - 2 => "%d mesaje", -); -$a->strings["Message not available."] = "Mesaj nedisponibil"; -$a->strings["Delete message"] = "Şterge mesaj"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nici-o comunicaţie securizată disponibilă. Veți putea răspunde din pagina de profil a expeditorului."; -$a->strings["Send Reply"] = "Răspunde"; -$a->strings["Not available."] = "Indisponibil."; -$a->strings["Profile not found."] = "Profil negăsit."; +$a->strings["Additional features"] = "Caracteristici suplimentare"; +$a->strings["Display"] = "Afișare"; +$a->strings["Social Networks"] = "Rețele Sociale"; +$a->strings["Delegations"] = "Delegații"; +$a->strings["Connected apps"] = "Aplicații Conectate"; +$a->strings["Export personal data"] = "Exportare date personale"; +$a->strings["Remove account"] = "Ștergere cont"; +$a->strings["Missing some important data!"] = "Lipsesc unele date importante!"; +$a->strings["Failed to connect with email account using the settings provided."] = "A eşuat conectarea cu, contul de email, folosind configurările furnizate."; +$a->strings["Email settings updated."] = "Configurările de email au fost actualizate."; +$a->strings["Features updated"] = "Caracteristici actualizate"; +$a->strings["Relocate message has been send to your contacts"] = "Mesajul despre mutare, a fost trimis către contactele dvs."; +$a->strings["Passwords do not match. Password unchanged."] = "Parolele nu coincid. Parolă neschimbată."; +$a->strings["Empty passwords are not allowed. Password unchanged."] = "Parolele necompletate nu sunt permise. Parolă neschimbată."; +$a->strings["Wrong password."] = "Parolă greșită."; +$a->strings["Password changed."] = "Parola a fost schimbată."; +$a->strings["Password update failed. Please try again."] = "Actualizarea parolei a eșuat. Vă rugăm să reîncercați."; +$a->strings[" Please use a shorter name."] = "Vă rugăm să utilizaţi un nume mai scurt."; +$a->strings[" Name too short."] = "Numele este prea scurt."; +$a->strings["Wrong Password"] = "Parolă Greșită"; +$a->strings[" Not valid email."] = "Nu este un email valid."; +$a->strings[" Cannot change to that email."] = "Nu poate schimba cu acest email."; +$a->strings["Private forum has no privacy permissions. Using default privacy group."] = "Forumul privat nu are permisiuni de confidenţialitate. Se folosește confidențialitatea implicită de grup."; +$a->strings["Private forum has no privacy permissions and no default privacy group."] = "Forumul Privat nu are permisiuni de confidenţialitate şi nici o confidențialitate implicită de grup."; +$a->strings["Settings updated."] = "Configurări actualizate."; +$a->strings["Add application"] = "Adăugare aplicaţie"; +$a->strings["Consumer Key"] = "Cheia Utilizatorului"; +$a->strings["Consumer Secret"] = "Cheia Secretă a Utilizatorului"; +$a->strings["Redirect"] = "Redirecţionare"; +$a->strings["Icon url"] = "URL pictogramă"; +$a->strings["You can't edit this application."] = "Nu puteți edita această aplicaţie."; +$a->strings["Connected Apps"] = "Aplicații Conectate"; +$a->strings["Client key starts with"] = "Cheia clientului începe cu"; +$a->strings["No name"] = "Fără nume"; +$a->strings["Remove authorization"] = "Eliminare autorizare"; +$a->strings["No Plugin settings configured"] = "Nici-o configurare stabilită pentru modul"; +$a->strings["Plugin Settings"] = "Configurări Modul"; +$a->strings["Off"] = "Off"; +$a->strings["On"] = "On"; +$a->strings["Additional Features"] = "Caracteristici Suplimentare"; +$a->strings["Built-in support for %s connectivity is %s"] = "Suportul încorporat pentru conectivitatea %s este %s"; +$a->strings["enabled"] = "activat"; +$a->strings["disabled"] = "dezactivat"; +$a->strings["StatusNet"] = "StatusNet"; +$a->strings["Email access is disabled on this site."] = "Accesul de email este dezactivat pe acest site."; +$a->strings["Email/Mailbox Setup"] = "Configurare E-Mail/Căsuță poştală"; +$a->strings["If you wish to communicate with email contacts using this service (optional), please specify how to connect to your mailbox."] = "Dacă doriţi să comunicaţi cu contactele de email folosind acest serviciu (opţional), vă rugăm să precizaţi cum doriți să vă conectaţi la căsuța dvs. poştală."; +$a->strings["Last successful email check:"] = "Ultima verificare, cu succes, a email-ului:"; +$a->strings["IMAP server name:"] = "Nume server IMAP:"; +$a->strings["IMAP port:"] = "IMAP port:"; +$a->strings["Security:"] = "Securitate:"; +$a->strings["None"] = "Nimic"; +$a->strings["Email login name:"] = "Nume email autentificare:"; +$a->strings["Email password:"] = "Parolă de e-mail:"; +$a->strings["Reply-to address:"] = "Adresă pentru răspuns:"; +$a->strings["Send public posts to all email contacts:"] = "Trimiteți postările publice la toate contactele de email:"; +$a->strings["Action after import:"] = "Acţiune după importare:"; +$a->strings["Mark as seen"] = "Marcați ca și vizualizat"; +$a->strings["Move to folder"] = "Mutare în dosar"; +$a->strings["Move to folder:"] = "Mutare în dosarul:"; +$a->strings["Display Settings"] = "Preferințe Ecran"; +$a->strings["Display Theme:"] = "Temă Afişaj:"; +$a->strings["Mobile Theme:"] = "Temă pentru Mobile:"; +$a->strings["Update browser every xx seconds"] = "Actualizare browser la fiecare fiecare xx secunde"; +$a->strings["Minimum of 10 seconds, no maximum"] = "Minim 10 secunde, fără un maxim"; +$a->strings["Number of items to display per page:"] = "Numărul de elemente de afişat pe pagină:"; +$a->strings["Maximum of 100 items"] = "Maxim 100 de elemente"; +$a->strings["Number of items to display per page when viewed from mobile device:"] = "Numărul de elemente de afişat pe pagină atunci când se vizualizează de pe dispozitivul mobil:"; +$a->strings["Don't show emoticons"] = "Nu afișa emoticoane"; +$a->strings["Don't show notices"] = "Nu afișa notificări"; +$a->strings["Infinite scroll"] = "Derulare infinită"; +$a->strings["Automatic updates only at the top of the network page"] = "Actualizări automate doar la partea superioară a paginii de rețea "; +$a->strings["User Types"] = "Tipuri de Utilizator"; +$a->strings["Community Types"] = "Tipuri de Comunitare"; +$a->strings["Normal Account Page"] = "Pagină de Cont Simplu"; +$a->strings["This account is a normal personal profile"] = "Acest cont este un profil personal normal"; +$a->strings["Soapbox Page"] = "Pagină Soapbox"; +$a->strings["Automatically approve all connection/friend requests as read-only fans"] = "Aprobă automat toate conexiunile/solicitările de prietenie ca și fani cu drepturi doar pentru vizualizare"; +$a->strings["Community Forum/Celebrity Account"] = "Cont Comunitate Forum/Celebritate"; +$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "Aprobă automat toate conexiunile/solicitările de prietenie ca și fani cu drepturi doar pentru vizualizare"; +$a->strings["Automatic Friend Page"] = "Pagină Prietenie Automată"; +$a->strings["Automatically approve all connection/friend requests as friends"] = "Aprobă automat toate conexiunile/solicitările de prietenie ca și prieteni"; +$a->strings["Private Forum [Experimental]"] = "Forum Privat [Experimental]"; +$a->strings["Private forum - approved members only"] = "Forum Privat - numai membrii aprobați"; +$a->strings["OpenID:"] = "OpenID:"; +$a->strings["(Optional) Allow this OpenID to login to this account."] = "(Opţional) Permite acest OpenID să se conecteze la acest cont."; +$a->strings["Publish your default profile in your local site directory?"] = "Publicați profilul dvs. implicit în directorul site-ului dvs. local?"; +$a->strings["Publish your default profile in the global social directory?"] = "Publicați profilul dvs. implicit în directorul social global?"; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Ascundeţi lista dvs. de contacte/prieteni de vizitatorii profilului dvs. implicit?"; +$a->strings["Hide your profile details from unknown viewers?"] = "Ascundeţi detaliile profilului dvs. de vizitatorii necunoscuți?"; +$a->strings["Allow friends to post to your profile page?"] = "Permiteți prietenilor să posteze pe pagina dvs. de profil ?"; +$a->strings["Allow friends to tag your posts?"] = "Permiteți prietenilor să vă eticheteze postările?"; +$a->strings["Allow us to suggest you as a potential friend to new members?"] = "Ne permiteți să vă recomandăm ca și potențial prieten pentru membrii noi?"; +$a->strings["Permit unknown people to send you private mail?"] = "Permiteți persoanelor necunoscute să vă trimită mesaje private?"; +$a->strings["Profile is not published."] = "Profilul nu este publicat."; +$a->strings["or"] = "sau"; +$a->strings["Your Identity Address is"] = "Adresa Dvs. de Identitate este"; +$a->strings["Automatically expire posts after this many days:"] = "Postările vor expira automat după atâtea zile:"; +$a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Dacă se lasă necompletat, postările nu vor expira. Postările expirate vor fi şterse"; +$a->strings["Advanced expiration settings"] = "Configurări Avansate de Expirare"; +$a->strings["Advanced Expiration"] = "Expirare Avansată"; +$a->strings["Expire posts:"] = "Postările expiră:"; +$a->strings["Expire personal notes:"] = "Notele personale expiră:"; +$a->strings["Expire starred posts:"] = "Postările favorite expiră:"; +$a->strings["Expire photos:"] = "Fotografiile expiră:"; +$a->strings["Only expire posts by others:"] = "Expiră numai postările altora:"; +$a->strings["Account Settings"] = "Configurări Cont"; +$a->strings["Password Settings"] = "Configurări Parolă"; +$a->strings["New Password:"] = "Parola Nouă:"; +$a->strings["Confirm:"] = "Confirm:"; +$a->strings["Leave password fields blank unless changing"] = "Lăsaţi câmpurile, pentru parolă, goale dacă nu doriți să modificați"; +$a->strings["Current Password:"] = "Parola Curentă:"; +$a->strings["Your current password to confirm the changes"] = "Parola curentă pentru a confirma modificările"; +$a->strings["Password:"] = "Parola:"; +$a->strings["Basic Settings"] = "Configurări de Bază"; +$a->strings["Full Name:"] = "Nume complet:"; +$a->strings["Email Address:"] = "Adresa de email:"; +$a->strings["Your Timezone:"] = "Fusul dvs. orar:"; +$a->strings["Default Post Location:"] = "Locația Implicită pentru Postări"; +$a->strings["Use Browser Location:"] = "Folosește Locația Navigatorului:"; +$a->strings["Security and Privacy Settings"] = "Configurări de Securitate și Confidențialitate"; +$a->strings["Maximum Friend Requests/Day:"] = "Solicitări de Prietenie, Maxime/Zi"; +$a->strings["(to prevent spam abuse)"] = "(Pentru a preveni abuzul de tip spam)"; +$a->strings["Default Post Permissions"] = "Permisiuni Implicite Postări"; +$a->strings["(click to open/close)"] = "(apăsați pentru a deschide/închide)"; +$a->strings["Default Private Post"] = "Postare Privată Implicită"; +$a->strings["Default Public Post"] = "Postare Privată Implicită"; +$a->strings["Default Permissions for New Posts"] = "Permisiuni Implicite pentru Postările Noi"; +$a->strings["Maximum private messages per day from unknown people:"] = "Maximum de mesaje private pe zi, de la persoanele necunoscute:"; +$a->strings["Notification Settings"] = "Configurări de Notificare"; +$a->strings["By default post a status message when:"] = "Implicit, postează un mesaj de stare atunci când:"; +$a->strings["accepting a friend request"] = "se acceptă o solicitare de prietenie"; +$a->strings["joining a forum/community"] = "se aderă la un forum/o comunitate"; +$a->strings["making an interesting profile change"] = "se face o modificări de profilinteresantă"; +$a->strings["Send a notification email when:"] = "Trimiteți o notificare email atunci când:"; +$a->strings["You receive an introduction"] = "Primiți o introducere"; +$a->strings["Your introductions are confirmed"] = "Introducerile dvs. sunt confirmate"; +$a->strings["Someone writes on your profile wall"] = "Cineva scrie pe perete dvs. de profil"; +$a->strings["Someone writes a followup comment"] = "Cineva scrie un comentariu de urmărire"; +$a->strings["You receive a private message"] = "Primiți un mesaj privat"; +$a->strings["You receive a friend suggestion"] = "Primiți o sugestie de prietenie"; +$a->strings["You are tagged in a post"] = "Sunteți etichetat într-o postare"; +$a->strings["You are poked/prodded/etc. in a post"] = "Sunteți abordat/incitat/etc. într-o postare"; +$a->strings["Advanced Account/Page Type Settings"] = "Configurări Avansate Cont/Tip Pagină"; +$a->strings["Change the behaviour of this account for special situations"] = "Modificați comportamentul acestui cont pentru situațiile speciale"; +$a->strings["Relocate"] = "Mutare"; +$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."] = "Dacă aţi mutat acest profil dintr-un alt server, şi unele dintre contactele dvs. nu primesc actualizările dvs., încercaţi să apăsați acest buton."; +$a->strings["Resend relocate message to contacts"] = "Retrimiteți contactelor, mesajul despre mutare"; +$a->strings["Item has been removed."] = "Elementul a fost eliminat."; +$a->strings["People Search"] = "Căutare Persoane"; +$a->strings["No matches"] = "Nici-o potrivire"; $a->strings["Profile deleted."] = "Profilul a fost şters."; $a->strings["Profile-"] = "Profil-"; $a->strings["New profile created."] = "Profilul nou a fost creat."; @@ -1555,12 +967,11 @@ $a->strings["View this profile"] = "Vizualizați acest profil"; $a->strings["Create a new profile using these settings"] = "Creaţi un profil nou folosind aceste configurări"; $a->strings["Clone this profile"] = "Clonați acest profil"; $a->strings["Delete this profile"] = "Ştergeţi acest profil"; -$a->strings["Basic information"] = ""; -$a->strings["Profile picture"] = ""; -$a->strings["Preferences"] = ""; -$a->strings["Status information"] = ""; -$a->strings["Additional information"] = ""; -$a->strings["Upload Profile Photo"] = "Încărcare Fotografie Profil"; +$a->strings["Basic information"] = "Informaţii de bază"; +$a->strings["Profile picture"] = "Imagine profil"; +$a->strings["Preferences"] = "Preferinţe "; +$a->strings["Status information"] = "Informaţii Status"; +$a->strings["Additional information"] = "Informaţii suplimentare"; $a->strings["Profile Name:"] = "Nume profil:"; $a->strings["Your Full Name:"] = "Numele Complet:"; $a->strings["Title/Description:"] = "Titlu/Descriere"; @@ -1575,10 +986,15 @@ $a->strings[" Marital Status:"] = "strings["Who: (if applicable)"] = "Cine: (dacă este cazul)"; $a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "Exemple: cathy123, Cathy Williams, cathy@example.com"; $a->strings["Since [date]:"] = "Din [data]:"; +$a->strings["Sexual Preference:"] = "Orientare Sexuală:"; $a->strings["Homepage URL:"] = "Homepage URL:"; +$a->strings["Hometown:"] = "Domiciliu:"; +$a->strings["Political Views:"] = "Viziuni Politice:"; $a->strings["Religious Views:"] = "Viziuni Religioase:"; $a->strings["Public Keywords:"] = "Cuvinte cheie Publice:"; $a->strings["Private Keywords:"] = "Cuvinte cheie Private:"; +$a->strings["Likes:"] = "Îmi place:"; +$a->strings["Dislikes:"] = "Nu-mi place:"; $a->strings["Example: fishing photography software"] = "Exemplu: pescuit fotografii software"; $a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(Utilizat pentru a sugera potențiali prieteni, ce pot fi văzuți de către ceilalți)"; $a->strings["(Used for searching profiles, never shown to others)"] = "(Utilizat pentru a căuta profile, niciodată afișat altora)"; @@ -1595,6 +1011,97 @@ $a->strings["School/education"] = "Școală/educație"; $a->strings["This is your public profile.
It may be visible to anybody using the internet."] = "Acesta este profilul dvs. public.
El poate fi vizibil pentru oricine folosește internetul."; $a->strings["Age: "] = "Vârsta:"; $a->strings["Edit/Manage Profiles"] = "Editare/Gestionare Profile"; +$a->strings["Change profile photo"] = "Modificați Fotografia de Profil"; +$a->strings["Create New Profile"] = "Creați Profil Nou"; +$a->strings["Profile Image"] = "Imagine profil"; +$a->strings["visible to everybody"] = "vizibil pentru toata lumea"; +$a->strings["Edit visibility"] = "Editare vizibilitate"; +$a->strings["link"] = "link"; +$a->strings["Export account"] = "Exportare cont"; +$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."] = "Exportați-vă informațiile contului şi contactele. Utilizaţi aceasta pentru a face o copie de siguranţă a contului dumneavoastră şi/sau pentru a-l muta pe un alt server."; +$a->strings["Export all"] = "Exportare tot"; +$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)"] = "Exportați informațiile dvs. de cont, contactele şi toate elementele dvs., ca json. Ar putea fi un fișier foarte mare, şi ar putea lua mult timp. Utilizaţi aceasta pentru a face un backup complet al contului (fotografiile nu sunt exportate)"; +$a->strings["{0} wants to be your friend"] = "{0} doreşte să vă fie prieten"; +$a->strings["{0} sent you a message"] = "{0} v-a trimis un mesaj"; +$a->strings["{0} requested registration"] = "{0} a solicitat înregistrarea"; +$a->strings["{0} commented %s's post"] = "{0} a comentat la articolul postat de %s"; +$a->strings["{0} liked %s's post"] = "{0} a apreciat articolul postat de %s"; +$a->strings["{0} disliked %s's post"] = "{0} nu a apreciat articolul postat de %s"; +$a->strings["{0} is now friends with %s"] = "{0} este acum prieten cu %s"; +$a->strings["{0} posted"] = "{0} a postat"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} a etichetat articolul postat de %s cu #%s"; +$a->strings["{0} mentioned you in a post"] = "{0} v-a menţionat într-o postare"; +$a->strings["Nothing new here"] = "Nimic nou aici"; +$a->strings["Clear notifications"] = "Ştergeţi notificările"; +$a->strings["Not available."] = "Indisponibil."; +$a->strings["Community"] = "Comunitate"; +$a->strings["Save to Folder:"] = "Salvare în Dosar:"; +$a->strings["- select -"] = "- selectare -"; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Ne pare rău, este posibil ca fișierul pe care doriți să-l încărcați, este mai mare decât permite configuraţia PHP"; +$a->strings["Or - did you try to upload an empty file?"] = "Sau - ați încercat să încărcaţi un fişier gol?"; +$a->strings["File exceeds size limit of %d"] = "Fişierul depăşeşte dimensiunea limită de %d"; +$a->strings["File upload failed."] = "Încărcarea fișierului a eşuat."; +$a->strings["Invalid profile identifier."] = "Identificator profil, invalid."; +$a->strings["Profile Visibility Editor"] = "Editor Vizibilitate Profil"; +$a->strings["Click on a contact to add or remove."] = "Apăsați pe un contact pentru a-l adăuga sau elimina."; +$a->strings["Visible To"] = "Vizibil Pentru"; +$a->strings["All Contacts (with secure profile access)"] = "Toate Contactele (cu acces profil securizat)"; +$a->strings["Do you really want to delete this suggestion?"] = "Sigur doriți să ștergeți acesta sugestie?"; +$a->strings["Friend Suggestions"] = "Sugestii de Prietenie"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nici-o sugestie disponibilă. Dacă aceasta este un site nou, vă rugăm să încercaţi din nou în 24 de ore."; +$a->strings["Connect"] = "Conectare"; +$a->strings["Ignore/Hide"] = "Ignorare/Ascundere"; +$a->strings["Access denied."] = "Accesul interzis."; +$a->strings["%1\$s welcomes %2\$s"] = "%1\$s îi urează bun venit lui %2\$s"; +$a->strings["Manage Identities and/or Pages"] = "Administrare Identităţii şi/sau Pagini"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Comutați între diferitele identităţi sau pagini de comunitate/grup, care împărtășesc detaliile contului dvs. sau pentru care v-au fost acordate drepturi de \"gestionare \""; +$a->strings["Select an identity to manage: "] = "Selectaţi o identitate de gestionat:"; +$a->strings["No potential page delegates located."] = "Nici-un delegat potenţial de pagină, nu a putut fi localizat."; +$a->strings["Delegate Page Management"] = "Delegare Gestionare Pagină"; +$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."] = "Delegații sunt capabili să gestioneze toate aspectele acestui cont/pagină, cu excepţia configurărilor de bază ale contului. Vă rugăm să nu vă delegați, contul dvs. personal, cuiva în care nu aveţi încredere deplină."; +$a->strings["Existing Page Managers"] = "Gestionari Existenți Pagină"; +$a->strings["Existing Page Delegates"] = "Delegați Existenți Pagină"; +$a->strings["Potential Delegates"] = "Potenţiali Delegaţi"; +$a->strings["Add"] = "Adăugare"; +$a->strings["No entries."] = "Nu există intrări."; +$a->strings["No contacts."] = "Nici-un contact."; +$a->strings["View Contacts"] = "Vezi Contacte"; +$a->strings["Personal Notes"] = "Note Personale"; +$a->strings["Poke/Prod"] = "Abordare/Atragerea atenției"; +$a->strings["poke, prod or do other things to somebody"] = "abordați, atrageți atenția sau faceți alte lucruri cuiva"; +$a->strings["Recipient"] = "Destinatar"; +$a->strings["Choose what you wish to do to recipient"] = "Alegeți ce doriți să faceți cu destinatarul"; +$a->strings["Make this post private"] = "Faceți acest articol privat"; +$a->strings["Global Directory"] = "Director Global"; +$a->strings["Find on this site"] = "Căutați pe acest site"; +$a->strings["Site Directory"] = "Director Site"; +$a->strings["Gender: "] = "Sex:"; +$a->strings["Gender:"] = "Sex:"; +$a->strings["Status:"] = "Status:"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["About:"] = "Despre:"; +$a->strings["No entries (some entries may be hidden)."] = "Fără înregistrări (unele înregistrări pot fi ascunse)."; +$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; +$a->strings["Time Conversion"] = "Conversie Oră"; +$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica oferă acest serviciu pentru partajarea evenimentelor cu alte rețele și prieteni, în zonele cu fusuri orare necunoscute.\\v"; +$a->strings["UTC time: %s"] = "Fus orar UTC: %s"; +$a->strings["Current timezone: %s"] = "Fusul orar curent: %s"; +$a->strings["Converted localtime: %s"] = "Ora locală convertită: %s"; +$a->strings["Please select your timezone:"] = "Vă rugăm să vă selectaţi fusul orar:"; +$a->strings["Post successful."] = "Postat cu succes."; +$a->strings["Image uploaded but image cropping failed."] = "Imaginea a fost încărcată, dar decuparea imaginii a eşuat."; +$a->strings["Image size reduction [%s] failed."] = "Reducerea dimensiunea imaginii [%s] a eşuat."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Apăsați pe Shift și pe Reîncărcare Pagină sau ştergeţi memoria cache a browser-ului, dacă noua fotografie nu se afişează imediat."; +$a->strings["Unable to process image"] = "Nu s-a putut procesa imaginea."; +$a->strings["Upload File:"] = "Încărcare Fișier:"; +$a->strings["Select a profile:"] = "Selectați un profil:"; +$a->strings["Upload"] = "Încărcare"; +$a->strings["skip this step"] = "omiteți acest pas"; +$a->strings["select a photo from your photo albums"] = "selectaţi o fotografie din albumele dvs. foto"; +$a->strings["Crop Image"] = "Decupare Imagine"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Vă rugăm să ajustaţi decuparea imaginii pentru o vizualizare optimă."; +$a->strings["Done Editing"] = "Editare Realizată"; +$a->strings["Image uploaded successfully."] = "Imaginea a fost încărcată cu succes"; $a->strings["Friendica Communications Server - Setup"] = "Serverul de Comunicații Friendica - Instalare"; $a->strings["Could not connect to database."] = "Nu se poate face conectarea cu baza de date."; $a->strings["Could not create table."] = "Nu se poate crea tabelul."; @@ -1656,7 +1163,59 @@ $a->strings["Url rewrite is working"] = "Funcția de rescriere Url rewrite, func $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."] = "Fișierul de configurare baza de date \".htconfig.php\", nu a putut fi scris. Vă rugăm să utilizaţi textul închis pentru a crea un fişier de configurare în rădăcina serverului dvs. web."; $a->strings["

What next

"] = "

Ce urmează

"; $a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANT: Va trebui să configurați [manual] o sarcină programată pentru operatorul de sondaje."; -$a->strings["Help:"] = "Ajutor:"; +$a->strings["Group created."] = "Grupul a fost creat."; +$a->strings["Could not create group."] = "Grupul nu se poate crea."; +$a->strings["Group not found."] = "Grupul nu a fost găsit."; +$a->strings["Group name changed."] = "Numele grupului a fost schimbat."; +$a->strings["Save Group"] = "Salvare Grup"; +$a->strings["Create a group of contacts/friends."] = "Creaţi un grup de contacte/prieteni."; +$a->strings["Group Name: "] = "Nume Grup:"; +$a->strings["Group removed."] = "Grupul a fost eliminat."; +$a->strings["Unable to remove group."] = "Nu se poate elimina grupul."; +$a->strings["Group Editor"] = "Editor Grup"; +$a->strings["Members"] = "Membri"; +$a->strings["No such group"] = "Membrii"; +$a->strings["Group is empty"] = "Grupul este gol"; +$a->strings["Group: "] = "Grup:"; +$a->strings["View in context"] = "Vizualizare în context"; +$a->strings["Account approved."] = "Cont aprobat."; +$a->strings["Registration revoked for %s"] = "Înregistrare revocată pentru %s"; +$a->strings["Please login."] = "Vă rugăm să vă autentificați."; +$a->strings["Profile Match"] = "Potrivire Profil"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nu există cuvinte cheie pentru a le potrivi. Vă rugăm să adăugaţi cuvinte cheie la profilul dvs implicit."; +$a->strings["is interested in:"] = "are interese pentru:"; +$a->strings["Unable to locate original post."] = "Nu se poate localiza postarea originală."; +$a->strings["Empty post discarded."] = "Postarea goală a fost eliminată."; +$a->strings["System error. Post not saved."] = "Eroare de sistem. Articolul nu a fost salvat."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Acest mesaj v-a fost trimis de către %s, un membru al rețelei sociale Friendica."; +$a->strings["You may visit them online at %s"] = "Îi puteți vizita profilul online la %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Vă rugăm să contactați expeditorul răspunzând la această postare, dacă nu doriţi să primiţi aceste mesaje."; +$a->strings["%s posted an update."] = "%s a postat o actualizare."; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s este momentan %2\$s"; +$a->strings["Mood"] = "Stare de spirit"; +$a->strings["Set your current mood and tell your friends"] = "Stabiliți-vă starea de spirit curentă, şi comunicați-o prietenilor"; +$a->strings["Search Results For:"] = "Rezultatele Căutării Pentru:"; +$a->strings["add"] = "add"; +$a->strings["Commented Order"] = "Ordonare Comentarii"; +$a->strings["Sort by Comment Date"] = "Sortare după Data Comentariului"; +$a->strings["Posted Order"] = "Ordonare Postări"; +$a->strings["Sort by Post Date"] = "Sortare după Data Postării"; +$a->strings["Posts that mention or involve you"] = "Postări ce vă menționează sau vă implică"; +$a->strings["New"] = "Nou"; +$a->strings["Activity Stream - by date"] = "Flux Activități - după dată"; +$a->strings["Shared Links"] = "Linkuri partajate"; +$a->strings["Interesting Links"] = "Legături Interesante"; +$a->strings["Starred"] = "Cu steluță"; +$a->strings["Favourite Posts"] = "Postări Favorite"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Atenție: Acest grup conţine %s membru dintr-o reţea nesigură.", + 1 => "Atenție: Acest grup conţine %s membrii dintr-o reţea nesigură.", + 2 => "Atenție: Acest grup conţine %s de membrii dintr-o reţea nesigură.", +); +$a->strings["Private messages to this group are at risk of public disclosure."] = "Mesajele private către acest grup sunt supuse riscului de divulgare publică."; +$a->strings["Contact: "] = "Contact: "; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Mesajele private către această persoană sunt supuse riscului de divulgare publică."; +$a->strings["Invalid contact."] = "Invalid contact."; $a->strings["Contact settings applied."] = "Configurările Contactului au fost aplicate."; $a->strings["Contact update failed."] = "Actualizarea Contactului a eșuat."; $a->strings["Repair Contact Settings"] = "Remediere Configurări Contact"; @@ -1677,93 +1236,540 @@ $a->strings["Mark this contact as remote_self, this will cause friendica to repo $a->strings["No mirroring"] = ""; $a->strings["Mirror as forwarded posting"] = ""; $a->strings["Mirror as my own posting"] = ""; -$a->strings["Welcome to Friendica"] = "Bun Venit la Friendica"; -$a->strings["New Member Checklist"] = "Lista de Verificare Membrii Noi"; -$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."] = "Dorim să vă oferim câteva sfaturi şi legături pentru a vă ajuta să aveți o experienţă cât mai plăcută. Apăsați pe orice element pentru a vizita pagina relevantă. O legătură către această pagină va fi vizibilă de pe pagina principală, pentru două săptămâni după înregistrarea dvs. iniţială, iar apoi va dispare în tăcere."; -$a->strings["Getting Started"] = "Noțiuni de Bază"; -$a->strings["Friendica Walk-Through"] = "Ghidul de Prezentare 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."] = "Pe pagina dvs. de Pornire Rapidă - veți găsi o scurtă introducere pentru profilul dvs. şi pentru filele de reţea, veți face câteva conexiuni noi, şi veți găsi câteva grupuri la care să vă alăturați."; -$a->strings["Go to Your Settings"] = "Mergeți la Configurări"; -$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."] = "Din pagina dvs. de Configurări - schimbaţi-vă parola iniţială. De asemenea creați o notă pentru Adresa dvs. de Identificare. Aceasta arată exact ca o adresă de email - şi va fi utilă la stabilirea de prietenii pe rețeaua socială web gratuită."; -$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."] = "Revizuiți celelalte configurări, în special configurările de confidenţialitate. O listă de directoare nepublicate este ca și cum ați avea un număr de telefon necatalogat. În general, ar trebui probabil să vă publicați lista - cu excepţia cazului în care toți prietenii şi potenţialii prieteni, știu exact cum să vă găsească."; -$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."] = "Încărcaţi o fotografie de profil, dacă nu aţi făcut-o deja.Studiile au arătat că, pentru persoanele cu fotografiile lor reale, există de zece ori mai multe şanse să-și facă prieteni, decât cei care nu folosesc fotografii reale."; -$a->strings["Edit Your Profile"] = "Editare Profil"; -$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."] = "Editaţi-vă profilul Implicit după bunul plac. Revizuiți configurările pentru a ascunde lista dvs. de prieteni și pentru ascunderea profilului dvs., de vizitatorii necunoscuți."; -$a->strings["Profile Keywords"] = "Cuvinte-Cheie Profil"; -$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."] = "Stabiliți câteva cuvinte-cheie publice pentru profilul dvs. implicit, cuvinte ce descriu cel mai bine interesele dvs. Vom putea astfel găsi alte persoane cu interese similare și vă vom sugera prietenia lor."; -$a->strings["Connecting"] = "Conectare"; -$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizați Conectorul Facebook dacă dețineți în prezent un cont pe Facebook, şi vom importa (opțional) toți prietenii și toate conversațiile de pe Facebook."; -$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Dacă aceasta este propriul dvs. server, instalarea suplimentului Facebook, vă poate uşura tranziţia la reţeaua socială web gratuită."; -$a->strings["Importing Emails"] = "Importare Email-uri"; -$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"] = "Introduceţi informațiile dvs. de acces la email adresa de email, în pagina dvs. de Configurări Conector, dacă doriți să importați și să interacționați cu prietenii sau cu listele de email din Căsuța dvs. de Mesaje Primite."; -$a->strings["Go to Your Contacts Page"] = "Dute la pagina ta Contacte "; -$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."] = "Pagina dvs. de Contact este poarta dvs. de acces către administrarea prieteniilor şi pentru conectarea cu prietenii din alte rețele. În general, introduceți adresa lor sau URL-ul către site, folosind dialogul Adăugare Contact Nou."; -$a->strings["Go to Your Site's Directory"] = "Mergeţi la Directorul Site-ului"; -$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."] = "Pagina Directorului vă permite să găsiţi alte persoane în această reţea sau în alte site-uri asociate. Căutaţi o legătură de Conectare sau Urmărire pe pagina lor de profil. Oferiți propria dvs. Adresă de Identitate dacă se solicită."; -$a->strings["Finding New People"] = "Găsire Persoane Noi"; -$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."] = "Pe panoul lateral al paginii Contacte sunt câteva unelte utile pentru a găsi noi prieteni. Putem asocia persoanele după interese, căuta persoane după nume sau interes, şi vă putem oferi sugestii bazate pe relaţiile din reţea. Pe un site nou-nouț, sugestiile de prietenie vor începe în mod normal să fie populate în termen de 24 de ore."; -$a->strings["Group Your Contacts"] = "Grupați-vă Contactele"; -$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."] = "Odată ce v-aţi făcut unele prietenii, organizaţi-le în grupuri de conversaţii private din bara laterală a paginii dvs. de Contact şi apoi puteţi interacționa, privat cu fiecare grup pe pagina dumneavoastră de Reţea."; -$a->strings["Why Aren't My Posts Public?"] = "De ce nu sunt Postările Mele Publice?"; -$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 vă respectă confidenţialitatea. Implicit, postările dvs. vor fi afişate numai persoanelor pe care le-ați adăugat ca și prieteni. Pentru mai multe informaţii, consultaţi secţiunea de asistenţă din legătura de mai sus."; -$a->strings["Getting Help"] = "Obţinerea de Ajutor"; -$a->strings["Go to the Help Section"] = "Navigați la Secțiunea Ajutor"; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Paginile noastre de ajutor pot fi consultate pentru detalii, prin alte funcții şi resurse de program."; -$a->strings["Poke/Prod"] = "Abordare/Atragerea atenției"; -$a->strings["poke, prod or do other things to somebody"] = "abordați, atrageți atenția sau faceți alte lucruri cuiva"; -$a->strings["Recipient"] = "Destinatar"; -$a->strings["Choose what you wish to do to recipient"] = "Alegeți ce doriți să faceți cu destinatarul"; -$a->strings["Make this post private"] = "Faceți acest articol privat"; -$a->strings["\n\t\tDear $[username],\n\t\t\tYour password has been changed as requested. Please retain this\n\t\tinformation for your records (or change your password immediately to\n\t\tsomething that you will remember).\n\t"] = ""; -$a->strings["Item has been removed."] = "Elementul a fost eliminat."; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s urmărește %3\$s postată %2\$s"; -$a->strings["%1\$s welcomes %2\$s"] = "%1\$s îi urează bun venit lui %2\$s"; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Aceasta se poate întâmpla ocazional dacă contactul a fost solicitat de către ambele persoane şi acesta a fost deja aprobat."; -$a->strings["Response from remote site was not understood."] = "Răspunsul de la adresa de la distanţă, nu a fost înțeles."; -$a->strings["Unexpected response from remote site: "] = "Răspuns neaşteptat de la site-ul de la distanţă:"; -$a->strings["Confirmation completed successfully."] = "Confirmare încheiată cu succes."; -$a->strings["Remote site reported: "] = "Site-ul de la distanţă a raportat:"; -$a->strings["Temporary failure. Please wait and try again."] = "Eroare Temporară. Vă rugăm să aşteptaţi şi încercaţi din nou."; -$a->strings["Introduction failed or was revoked."] = "Introducerea a eşuat sau a fost revocată."; -$a->strings["Unable to set contact photo."] = "Imposibil de stabilit fotografia de contact."; -$a->strings["No user record found for '%s' "] = "Nici-o înregistrare de utilizator găsită pentru '%s'"; -$a->strings["Our site encryption key is apparently messed up."] = "Se pare că, cheia de criptare a site-ului nostru s-a încurcat."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "A fost furnizată o adresă URL goală, sau adresa URL nu poate fi decriptată de noi."; -$a->strings["Contact record was not found for you on our site."] = "Registrul contactului nu a fost găsit pe site-ul nostru."; -$a->strings["Site public key not available in contact record for URL %s."] = "Cheia publică a site-ului nu este disponibilă în registrul contactului pentru URL-ul %s."; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "ID-ul furnizat de către sistemul dumneavoastră este un duplicat pe sistemul nostru. Ar trebui să funcţioneze dacă încercaţi din nou."; -$a->strings["Unable to set your contact credentials on our system."] = "Imposibil de configurat datele dvs. de autentificare, pe sistemul nostru."; -$a->strings["Unable to update your contact profile details on our system"] = "Imposibil de actualizat detaliile de profil ale contactului dvs., pe sistemul nostru."; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s s-a alăturat lui %2\$s"; -$a->strings["Unable to locate original post."] = "Nu se poate localiza postarea originală."; -$a->strings["Empty post discarded."] = "Postarea goală a fost eliminată."; -$a->strings["System error. Post not saved."] = "Eroare de sistem. Articolul nu a fost salvat."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Acest mesaj v-a fost trimis de către %s, un membru al rețelei sociale Friendica."; -$a->strings["You may visit them online at %s"] = "Îi puteți vizita profilul online la %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Vă rugăm să contactați expeditorul răspunzând la această postare, dacă nu doriţi să primiţi aceste mesaje."; -$a->strings["%s posted an update."] = "%s a postat o actualizare."; -$a->strings["Image uploaded but image cropping failed."] = "Imaginea a fost încărcată, dar decuparea imaginii a eşuat."; -$a->strings["Image size reduction [%s] failed."] = "Reducerea dimensiunea imaginii [%s] a eşuat."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Apăsați pe Shift și pe Reîncărcare Pagină sau ştergeţi memoria cache a browser-ului, dacă noua fotografie nu se afişează imediat."; -$a->strings["Unable to process image"] = "Nu s-a putut procesa imaginea."; -$a->strings["Upload File:"] = "Încărcare Fișier:"; -$a->strings["Select a profile:"] = "Selectați un profil:"; -$a->strings["Upload"] = "Încărcare"; -$a->strings["skip this step"] = "omiteți acest pas"; -$a->strings["select a photo from your photo albums"] = "selectaţi o fotografie din albumele dvs. foto"; -$a->strings["Crop Image"] = "Decupare Imagine"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Vă rugăm să ajustaţi decuparea imaginii pentru o vizualizare optimă."; -$a->strings["Done Editing"] = "Editare Realizată"; -$a->strings["Image uploaded successfully."] = "Imaginea a fost încărcată cu succes"; -$a->strings["Friends of %s"] = "Prieteni cu %s"; -$a->strings["No friends to display."] = "Nici-un prieten de afișat."; -$a->strings["Find on this site"] = "Căutați pe acest site"; -$a->strings["Site Directory"] = "Director Site"; -$a->strings["Gender: "] = "Sex:"; -$a->strings["No entries (some entries may be hidden)."] = "Fără înregistrări (unele înregistrări pot fi ascunse)."; -$a->strings["Time Conversion"] = "Conversie Oră"; -$a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica oferă acest serviciu pentru partajarea evenimentelor cu alte rețele și prieteni, în zonele cu fusuri orare necunoscute.\\v"; -$a->strings["UTC time: %s"] = "Fus orar UTC: %s"; -$a->strings["Current timezone: %s"] = "Fusul orar curent: %s"; -$a->strings["Converted localtime: %s"] = "Ora locală convertită: %s"; -$a->strings["Please select your timezone:"] = "Vă rugăm să vă selectaţi fusul orar:"; +$a->strings["Your posts and conversations"] = "Postările şi conversaţiile dvs."; +$a->strings["Your profile page"] = "Pagina dvs. de profil"; +$a->strings["Your contacts"] = "Contactele dvs."; +$a->strings["Your photos"] = "Fotografiile dvs."; +$a->strings["Your events"] = "Evenimentele dvs."; +$a->strings["Personal notes"] = "Note Personale"; +$a->strings["Your personal photos"] = "Fotografii dvs. personale"; +$a->strings["Community Pages"] = "Community Pagini"; +$a->strings["Community Profiles"] = "Profile de Comunitate"; +$a->strings["Last users"] = "Ultimii utilizatori"; +$a->strings["Last likes"] = "Ultimele aprecieri"; +$a->strings["event"] = "eveniment"; +$a->strings["Last photos"] = "Ultimele fotografii"; +$a->strings["Find Friends"] = "Găsire Prieteni"; +$a->strings["Local Directory"] = "Director Local"; +$a->strings["Similar Interests"] = "Interese Similare"; +$a->strings["Invite Friends"] = "Invită Prieteni"; +$a->strings["Earth Layers"] = "Straturi Pământ"; +$a->strings["Set zoomfactor for Earth Layers"] = "Stabilire factor de magnificare pentru Straturi Pământ"; +$a->strings["Set longitude (X) for Earth Layers"] = "Stabilire longitudine (X) pentru Straturi Pământ"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Stabilire latitudine (Y) pentru Straturi Pământ"; +$a->strings["Help or @NewHere ?"] = "Ajutor sau @NouAici ?"; +$a->strings["Connect Services"] = "Conectare Servicii"; +$a->strings["don't show"] = "nu afișa"; +$a->strings["show"] = "afișare"; +$a->strings["Show/hide boxes at right-hand column:"] = "Afişare/ascundere casete din coloana din dreapta:"; +$a->strings["Theme settings"] = "Configurări Temă"; +$a->strings["Set font-size for posts and comments"] = "Stabilire dimensiune font pentru postări şi comentarii"; +$a->strings["Set line-height for posts and comments"] = "Stabilire înălțime linie pentru postări şi comentarii"; +$a->strings["Set resolution for middle column"] = "Stabilire rezoluţie pentru coloana din mijloc"; +$a->strings["Set color scheme"] = "Stabilire schemă de culori"; +$a->strings["Set zoomfactor for Earth Layer"] = "Stabilire factor de magnificare pentru Straturi Pământ"; +$a->strings["Set style"] = "Stabilire stil"; +$a->strings["Set colour scheme"] = "Stabilire schemă de culori"; +$a->strings["default"] = "implicit"; +$a->strings["greenzero"] = "zeroverde"; +$a->strings["purplezero"] = "zeroviolet"; +$a->strings["easterbunny"] = ""; +$a->strings["darkzero"] = "zeronegru"; +$a->strings["comix"] = ""; +$a->strings["slackr"] = ""; +$a->strings["Variations"] = ""; +$a->strings["Alignment"] = "Aliniere"; +$a->strings["Left"] = "Stânga"; +$a->strings["Center"] = "Centrat"; +$a->strings["Color scheme"] = "Schemă culoare"; +$a->strings["Posts font size"] = "Dimensiune font postări"; +$a->strings["Textareas font size"] = "Dimensiune font zone text"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Stabiliți nivelul de redimensionare a imaginilor din postări și comentarii (lăţimea şi înălţimea)"; +$a->strings["Set theme width"] = "Stabilire lăţime temă"; +$a->strings["Delete this item?"] = "Ștergeți acest element?"; +$a->strings["show fewer"] = "afișare mai puține"; +$a->strings["Update %s failed. See error logs."] = "Actualizarea %s a eșuat. Consultaţi jurnalele de eroare."; +$a->strings["Create a New Account"] = "Creaţi un Cont Nou"; +$a->strings["Logout"] = "Deconectare"; +$a->strings["Login"] = "Login"; +$a->strings["Nickname or Email address: "] = "Pseudonimul sau Adresa de email:"; +$a->strings["Password: "] = "Parola:"; +$a->strings["Remember me"] = "Reține autentificarea"; +$a->strings["Or login using OpenID: "] = "Sau conectaţi-vă utilizând OpenID:"; +$a->strings["Forgot your password?"] = "Ați uitat parola?"; +$a->strings["Website Terms of Service"] = "Condiții de Utilizare Site Web"; +$a->strings["terms of service"] = "condiții de utilizare"; +$a->strings["Website Privacy Policy"] = "Politica de Confidențialitate Site Web"; +$a->strings["privacy policy"] = "politica de confidențialitate"; +$a->strings["Requested account is not available."] = "Contul solicitat nu este disponibil."; +$a->strings["Edit profile"] = "Editare profil"; +$a->strings["Message"] = "Mesaj"; +$a->strings["Profiles"] = "Profile"; +$a->strings["Manage/edit profiles"] = "Gestionare/editare profile"; +$a->strings["Network:"] = "Reţea:"; +$a->strings["g A l F d"] = "g A l F d"; +$a->strings["F d"] = "F d"; +$a->strings["[today]"] = "[azi]"; +$a->strings["Birthday Reminders"] = "Memento Zile naştere "; +$a->strings["Birthdays this week:"] = "Zi;e Naştere această săptămînă:"; +$a->strings["[No description]"] = "[Fără descriere]"; +$a->strings["Event Reminders"] = "Memento Eveniment"; +$a->strings["Events this week:"] = "Evenimente în această săptămână:"; +$a->strings["Status"] = "Status"; +$a->strings["Status Messages and Posts"] = "Status Mesaje şi Postări"; +$a->strings["Profile Details"] = "Detalii Profil"; +$a->strings["Videos"] = "Clipuri video"; +$a->strings["Events and Calendar"] = "Evenimente şi Calendar"; +$a->strings["Only You Can See This"] = "Numai Dvs. Puteţi Vizualiza"; +$a->strings["General Features"] = "Caracteristici Generale"; +$a->strings["Multiple Profiles"] = "Profile Multiple"; +$a->strings["Ability to create multiple profiles"] = "Capacitatea de a crea profile multiple"; +$a->strings["Post Composition Features"] = "Caracteristici Compoziţie Postare"; +$a->strings["Richtext Editor"] = "Editor Text Îmbogățit"; +$a->strings["Enable richtext editor"] = "Activare editor text îmbogățit"; +$a->strings["Post Preview"] = "Previzualizare Postare"; +$a->strings["Allow previewing posts and comments before publishing them"] = "Permiteți previzualizarea postărilor şi comentariilor înaintea publicării lor"; +$a->strings["Auto-mention Forums"] = "Auto-menţionare Forumuri"; +$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Adăugaţi/eliminaţi mențiunea când o pagină de forum este selectată/deselectată în fereastra ACL."; +$a->strings["Network Sidebar Widgets"] = "Aplicaţii widget de Rețea în Bara Laterală"; +$a->strings["Search by Date"] = "Căutare după Dată"; +$a->strings["Ability to select posts by date ranges"] = "Abilitatea de a selecta postări după intervalele de timp"; +$a->strings["Group Filter"] = "Filtru Grup"; +$a->strings["Enable widget to display Network posts only from selected group"] = "Permiteți aplicației widget să afișeze postări din Rețea, numai din grupul selectat"; +$a->strings["Network Filter"] = "Filtru Reţea"; +$a->strings["Enable widget to display Network posts only from selected network"] = "Permiteți aplicației widget să afișeze postări din Rețea, numai din rețeaua selectată"; +$a->strings["Save search terms for re-use"] = "Salvați termenii de căutare pentru reutilizare"; +$a->strings["Network Tabs"] = "File Reţea"; +$a->strings["Network Personal Tab"] = "Filă Personală de Reţea"; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Permiteți filei să afişeze numai postările Reţelei cu care ați interacţionat"; +$a->strings["Network New Tab"] = "Filă Nouă de Reţea"; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Permiteți filei să afişeze numai postările noi din Reţea (din ultimele 12 ore)"; +$a->strings["Network Shared Links Tab"] = "Filă Legături Distribuite în Rețea"; +$a->strings["Enable tab to display only Network posts with links in them"] = "Permiteți filei să afişeze numai postările din Reţea ce conțin legături"; +$a->strings["Post/Comment Tools"] = "Instrumente Postare/Comentariu"; +$a->strings["Multiple Deletion"] = "Ştergere Multiplă"; +$a->strings["Select and delete multiple posts/comments at once"] = "Selectaţi şi ştergeţi postări/comentarii multiple simultan"; +$a->strings["Edit Sent Posts"] = "Editare Postări Trimise"; +$a->strings["Edit and correct posts and comments after sending"] = "Editarea şi corectarea postărilor şi comentariilor după postarea lor"; +$a->strings["Tagging"] = "Etichetare"; +$a->strings["Ability to tag existing posts"] = "Capacitatea de a eticheta postările existente"; +$a->strings["Post Categories"] = "Categorii Postări"; +$a->strings["Add categories to your posts"] = "Adăugaţi categorii la postările dvs."; +$a->strings["Saved Folders"] = "Dosare Salvate"; +$a->strings["Ability to file posts under folders"] = "Capacitatea de a atribui postări în dosare"; +$a->strings["Dislike Posts"] = "Respingere Postări"; +$a->strings["Ability to dislike posts/comments"] = "Capacitatea de a marca postări/comentarii ca fiind neplăcute"; +$a->strings["Star Posts"] = "Postări cu Steluță"; +$a->strings["Ability to mark special posts with a star indicator"] = "Capacitatea de a marca posturile speciale cu o stea ca şi indicator"; +$a->strings["Mute Post Notifications"] = ""; +$a->strings["Ability to mute notifications for a thread"] = ""; +$a->strings["Logged out."] = "Deconectat."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Am întâmpinat o problemă în timpul autentificării cu datele OpenID pe care le-ați furnizat."; +$a->strings["The error message was:"] = "Mesajul de eroare a fost:"; +$a->strings["Starts:"] = "Începe:"; +$a->strings["Finishes:"] = "Se finalizează:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Zile Naştere :"; +$a->strings["Age:"] = "Vârsta:"; +$a->strings["for %1\$d %2\$s"] = "pentru %1\$d %2\$s"; +$a->strings["Tags:"] = "Etichete:"; +$a->strings["Religion:"] = "Religie:"; +$a->strings["Hobbies/Interests:"] = "Hobby/Interese:"; +$a->strings["Contact information and Social Networks:"] = "Informaţii de Contact şi Reţele Sociale:"; +$a->strings["Musical interests:"] = "Preferințe muzicale:"; +$a->strings["Books, literature:"] = "Cărti, literatură:"; +$a->strings["Television:"] = "Programe TV:"; +$a->strings["Film/dance/culture/entertainment:"] = "Film/dans/cultură/divertisment:"; +$a->strings["Love/Romance:"] = "Dragoste/Romantism:"; +$a->strings["Work/employment:"] = "Loc de Muncă/Slujbă:"; +$a->strings["School/education:"] = "Școală/educatie:"; +$a->strings["[no subject]"] = "[fără subiect]"; +$a->strings[" on Last.fm"] = "pe Last.fm"; +$a->strings["newer"] = "mai noi"; +$a->strings["older"] = "mai vechi"; +$a->strings["prev"] = "preced"; +$a->strings["first"] = "prima"; +$a->strings["last"] = "ultima"; +$a->strings["next"] = "următor"; +$a->strings["No contacts"] = "Nici-un contact"; +$a->strings["%d Contact"] = array( + 0 => "%d Contact", + 1 => "%d Contacte", + 2 => "%d de Contacte", +); +$a->strings["poke"] = "abordare"; +$a->strings["poked"] = "a fost abordat(ă)"; +$a->strings["ping"] = "ping"; +$a->strings["pinged"] = "i s-a trimis ping"; +$a->strings["prod"] = "prod"; +$a->strings["prodded"] = "i s-a atras atenția"; +$a->strings["slap"] = "plesnire"; +$a->strings["slapped"] = "a fost plesnit(ă)"; +$a->strings["finger"] = "indicare"; +$a->strings["fingered"] = "a fost indicat(ă)"; +$a->strings["rebuff"] = "respingere"; +$a->strings["rebuffed"] = "a fost respins(ă)"; +$a->strings["happy"] = "fericit(ă)"; +$a->strings["sad"] = "trist(ă)"; +$a->strings["mellow"] = "trist(ă)"; +$a->strings["tired"] = "obosit(ă)"; +$a->strings["perky"] = "arogant(ă)"; +$a->strings["angry"] = "supărat(ă)"; +$a->strings["stupified"] = "stupefiat(ă)"; +$a->strings["puzzled"] = "nedumerit(ă)"; +$a->strings["interested"] = "interesat(ă)"; +$a->strings["bitter"] = "amarnic"; +$a->strings["cheerful"] = "vesel(ă)"; +$a->strings["alive"] = "plin(ă) de viață"; +$a->strings["annoyed"] = "enervat(ă)"; +$a->strings["anxious"] = "neliniştit(ă)"; +$a->strings["cranky"] = "irascibil(ă)"; +$a->strings["disturbed"] = "perturbat(ă)"; +$a->strings["frustrated"] = "frustrat(ă)"; +$a->strings["motivated"] = "motivat(ă)"; +$a->strings["relaxed"] = "relaxat(ă)"; +$a->strings["surprised"] = "surprins(ă)"; +$a->strings["Monday"] = "Luni"; +$a->strings["Tuesday"] = "Marţi"; +$a->strings["Wednesday"] = "Miercuri"; +$a->strings["Thursday"] = "Joi"; +$a->strings["Friday"] = "Vineri"; +$a->strings["Saturday"] = "Sâmbătă"; +$a->strings["Sunday"] = "Duminică"; +$a->strings["January"] = "Ianuarie"; +$a->strings["February"] = "Februarie"; +$a->strings["March"] = "Martie"; +$a->strings["April"] = "Aprilie"; +$a->strings["May"] = "Mai"; +$a->strings["June"] = "Iunie"; +$a->strings["July"] = "Iulie"; +$a->strings["August"] = "August"; +$a->strings["September"] = "Septembrie"; +$a->strings["October"] = "Octombrie"; +$a->strings["November"] = "Noiembrie"; +$a->strings["December"] = "Decembrie"; +$a->strings["bytes"] = "octeţi"; +$a->strings["Click to open/close"] = "Apăsați pentru a deschide/închide"; +$a->strings["Select an alternate language"] = "Selectați o limbă alternativă"; +$a->strings["activity"] = "activitate"; +$a->strings["post"] = "postare"; +$a->strings["Item filed"] = "Element îndosariat"; +$a->strings["User not found."] = "Utilizatorul nu a fost găsit."; +$a->strings["There is no status with this id."] = "Nu există nici-un status cu acest id."; +$a->strings["There is no conversation with this id."] = "Nu există nici-o conversație cu acest id."; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Nu se pot localiza informațiile DNS pentru serverul de bază de date '%s'"; +$a->strings["%s's birthday"] = "%s's zi de naştere"; +$a->strings["Happy Birthday %s"] = "La mulţi ani %s"; +$a->strings["Do you really want to delete this item?"] = "Sigur doriți să ștergeți acest element?"; +$a->strings["Archives"] = "Arhive"; +$a->strings["(no subject)"] = "(fără subiect)"; +$a->strings["noreply"] = "nu-răspundeţi"; +$a->strings["Sharing notification from Diaspora network"] = "Partajarea notificării din reţeaua Diaspora"; +$a->strings["Attachments:"] = "Atașări:"; +$a->strings["Connect URL missing."] = "Lipseşte URL-ul de conectare."; +$a->strings["This site is not configured to allow communications with other networks."] = "Acest site nu este configurat pentru a permite comunicarea cu alte reţele."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Nu au fost descoperite protocoale de comunicaţii sau fluxuri compatibile."; +$a->strings["The profile address specified does not provide adequate information."] = "Adresa de profil specificată nu furnizează informații adecvate."; +$a->strings["An author or name was not found."] = "Un autor sau nume nu a fost găsit."; +$a->strings["No browser URL could be matched to this address."] = "Nici un URL de browser nu a putut fi corelat cu această adresă."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Nu se poate corela @-stilul pentru Adresa de Identitatea cu un protocol cunoscut sau contact de email."; +$a->strings["Use mailto: in front of address to force email check."] = "Utilizaţi mailto: în faţa adresei pentru a forţa verificarea de email."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Adresa de profil specificată aparţine unei reţele care a fost dezactivată pe acest site."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profil limitat. Această persoană nu va putea primi notificări directe/personale, de la dvs."; +$a->strings["Unable to retrieve contact information."] = "Nu se pot localiza informaţiile de contact."; +$a->strings["following"] = "urmărire"; +$a->strings["Welcome "] = "Bine ați venit"; +$a->strings["Please upload a profile photo."] = "Vă rugăm să încărcaţi o fotografie de profil."; +$a->strings["Welcome back "] = "Bine ați revenit"; +$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."] = "Formarea codului de securitate, nu a fost corectă. Aceasta probabil s-a întâmplat pentru că formularul a fost deschis pentru prea mult timp ( >3 ore) înainte de a-l transmite."; +$a->strings["Male"] = "Bărbat"; +$a->strings["Female"] = "Femeie"; +$a->strings["Currently Male"] = "În prezent Bărbat"; +$a->strings["Currently Female"] = "În prezent Femeie"; +$a->strings["Mostly Male"] = "Mai mult Bărbat"; +$a->strings["Mostly Female"] = "Mai mult Femeie"; +$a->strings["Transgender"] = "Transsexual"; +$a->strings["Intersex"] = "Intersexual"; +$a->strings["Transsexual"] = "Transsexual"; +$a->strings["Hermaphrodite"] = "Hermafrodit"; +$a->strings["Neuter"] = "Neutru"; +$a->strings["Non-specific"] = "Non-specific"; +$a->strings["Other"] = "Alta"; +$a->strings["Undecided"] = "Indecisă"; +$a->strings["Males"] = "Bărbați"; +$a->strings["Females"] = "Femei"; +$a->strings["Gay"] = "Gay"; +$a->strings["Lesbian"] = "Lesbiană"; +$a->strings["No Preference"] = "Fără Preferințe"; +$a->strings["Bisexual"] = "Bisexual"; +$a->strings["Autosexual"] = "Autosexual"; +$a->strings["Abstinent"] = "Abstinent(ă)"; +$a->strings["Virgin"] = "Virgin(ă)"; +$a->strings["Deviant"] = "Deviant"; +$a->strings["Fetish"] = "Fetish"; +$a->strings["Oodles"] = "La grămadă"; +$a->strings["Nonsexual"] = "Nonsexual"; +$a->strings["Single"] = "Necăsătorit(ă)"; +$a->strings["Lonely"] = "Singur(ă)"; +$a->strings["Available"] = "Disponibil(ă)"; +$a->strings["Unavailable"] = "Indisponibil(ă)"; +$a->strings["Has crush"] = "Îndrăgostit(ă)"; +$a->strings["Infatuated"] = "Îndrăgostit(ă) nebunește"; +$a->strings["Dating"] = "Am întâlniri"; +$a->strings["Unfaithful"] = "Infidel(ă)"; +$a->strings["Sex Addict"] = "Dependent(ă) de Sex"; +$a->strings["Friends"] = "Prieteni"; +$a->strings["Friends/Benefits"] = "Prietenii/Prestaţii"; +$a->strings["Casual"] = "Ocazional"; +$a->strings["Engaged"] = "Cuplat"; +$a->strings["Married"] = "Căsătorit(ă)"; +$a->strings["Imaginarily married"] = "Căsătorit(ă) imaginar"; +$a->strings["Partners"] = "Parteneri"; +$a->strings["Cohabiting"] = "În conviețuire"; +$a->strings["Common law"] = "Drept Comun"; +$a->strings["Happy"] = "Fericit(ă)"; +$a->strings["Not looking"] = "Nu caut"; +$a->strings["Swinger"] = "Swinger"; +$a->strings["Betrayed"] = "Înșelat(ă)"; +$a->strings["Separated"] = "Separat(ă)"; +$a->strings["Unstable"] = "Instabil(ă)"; +$a->strings["Divorced"] = "Divorţat(ă)"; +$a->strings["Imaginarily divorced"] = "Divorţat(ă) imaginar"; +$a->strings["Widowed"] = "Văduv(ă)"; +$a->strings["Uncertain"] = "Incert"; +$a->strings["It's complicated"] = "E complicat"; +$a->strings["Don't care"] = "Nu-mi pasă"; +$a->strings["Ask me"] = "Întreabă-mă"; +$a->strings["Error decoding account file"] = "Eroare la decodarea fişierului de cont"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Eroare! Nu există data versiunii în fişier! Acesta nu este un fișier de cont Friendica?"; +$a->strings["Error! Cannot check nickname"] = "Eroare! Nu pot verifica pseudonimul"; +$a->strings["User '%s' already exists on this server!"] = "Utilizatorul '%s' există deja pe acest server!"; +$a->strings["User creation error"] = "Eroare la crearea utilizatorului"; +$a->strings["User profile creation error"] = "Eroare la crearea profilului utilizatorului"; +$a->strings["%d contact not imported"] = array( + 0 => "%d contact neimportat", + 1 => "%d contacte neimportate", + 2 => "%d de contacte neimportate", +); +$a->strings["Done. You can now login with your username and password"] = "Realizat. Vă puteţi conecta acum cu parola şi numele dumneavoastră de utilizator"; +$a->strings["Click here to upgrade."] = "Apăsați aici pentru a actualiza."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Această acţiune depăşeşte limitele stabilite de planul abonamentului dvs."; +$a->strings["This action is not available under your subscription plan."] = "Această acţiune nu este disponibilă în planul abonamentului dvs."; +$a->strings["%1\$s poked %2\$s"] = "%1\$s a abordat pe %2\$s"; +$a->strings["post/item"] = "post/element"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s a marcat %3\$s de la %2\$s ca favorit"; +$a->strings["remove"] = "eliminare"; +$a->strings["Delete Selected Items"] = "Ștergeți Elementele Selectate"; +$a->strings["Follow Thread"] = "Urmăriți Firul Conversației"; +$a->strings["View Status"] = "Vizualizare Status"; +$a->strings["View Profile"] = "Vizualizare Profil"; +$a->strings["View Photos"] = "Vizualizare Fotografii"; +$a->strings["Network Posts"] = "Postări din Rețea"; +$a->strings["Edit Contact"] = "Edit Contact"; +$a->strings["Send PM"] = "Trimiteți mesaj personal"; +$a->strings["Poke"] = "Abordare"; +$a->strings["%s likes this."] = "%s apreciază aceasta."; +$a->strings["%s doesn't like this."] = "%s nu apreciază aceasta."; +$a->strings["%2\$d people like this"] = "%2\$d persoane apreciază aceasta"; +$a->strings["%2\$d people don't like this"] = "%2\$d persoanenu apreciază aceasta"; +$a->strings["and"] = "şi"; +$a->strings[", and %d other people"] = ", şi %d alte persoane"; +$a->strings["%s like this."] = "%s apreciază aceasta."; +$a->strings["%s don't like this."] = "%s nu apreciază aceasta."; +$a->strings["Visible to everybody"] = "Vizibil pentru toți"; +$a->strings["Please enter a video link/URL:"] = "Vă rugăm să introduceți un URL/legătură pentru clip video"; +$a->strings["Please enter an audio link/URL:"] = "Vă rugăm să introduceți un URL/legătură pentru clip audio"; +$a->strings["Tag term:"] = "Termen etichetare:"; +$a->strings["Where are you right now?"] = "Unde vă aflați acum?"; +$a->strings["Delete item(s)?"] = "Ștergeți element(e)?"; +$a->strings["Post to Email"] = "Postați prin Email"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Conectorii au fost dezactivați, din moment ce \"%s\" este activat."; +$a->strings["permissions"] = "permisiuni"; +$a->strings["Post to Groups"] = "Postați în Grupuri"; +$a->strings["Post to Contacts"] = "Post către Contacte"; +$a->strings["Private post"] = "Articol privat"; +$a->strings["Add New Contact"] = "Add Contact Nou"; +$a->strings["Enter address or web location"] = "Introduceţi adresa sau locaţia web"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Exemplu: bob@example.com, http://example.com/barbara"; +$a->strings["%d invitation available"] = array( + 0 => "%d invitație disponibilă", + 1 => "%d invitații disponibile", + 2 => "%d de invitații disponibile", +); +$a->strings["Find People"] = "Căutați Persoane"; +$a->strings["Enter name or interest"] = "Introduceţi numele sau interesul"; +$a->strings["Connect/Follow"] = "Conectare/Urmărire"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Exemple: Robert Morgenstein, Pescuit"; +$a->strings["Random Profile"] = "Profil Aleatoriu"; +$a->strings["Networks"] = "Rețele"; +$a->strings["All Networks"] = "Toate Reţelele"; +$a->strings["Everything"] = "Totul"; +$a->strings["Categories"] = "Categorii"; +$a->strings["End this session"] = "Finalizați această sesiune"; +$a->strings["Your videos"] = "Fișierele tale video"; +$a->strings["Your personal notes"] = "Notele tale personale"; +$a->strings["Sign in"] = "Autentificare"; +$a->strings["Home Page"] = "Home Pagina"; +$a->strings["Create an account"] = "Creați un cont"; +$a->strings["Help and documentation"] = "Ajutor şi documentaţie"; +$a->strings["Apps"] = "Aplicații"; +$a->strings["Addon applications, utilities, games"] = "Suplimente la aplicații, utilitare, jocuri"; +$a->strings["Search site content"] = "Căutare în conținut site"; +$a->strings["Conversations on this site"] = "Conversaţii pe acest site"; +$a->strings["Directory"] = "Director"; +$a->strings["People directory"] = "Director persoane"; +$a->strings["Information"] = "Informaţii"; +$a->strings["Information about this friendica instance"] = "Informaţii despre această instanță friendica"; +$a->strings["Conversations from your friends"] = "Conversaţiile prieteniilor dvs."; +$a->strings["Network Reset"] = "Resetare Reţea"; +$a->strings["Load Network page with no filters"] = "Încărcare pagina de Reţea fără filtre"; +$a->strings["Friend Requests"] = "Solicitări Prietenie"; +$a->strings["See all notifications"] = "Consultaţi toate notificările"; +$a->strings["Mark all system notifications seen"] = "Marcaţi toate notificările de sistem, ca și vizualizate"; +$a->strings["Private mail"] = "Mail privat"; +$a->strings["Inbox"] = "Mesaje primite"; +$a->strings["Outbox"] = "Căsuță de Ieșire"; +$a->strings["Manage"] = "Gestionare"; +$a->strings["Manage other pages"] = "Gestionează alte pagini"; +$a->strings["Account settings"] = "Configurări Cont"; +$a->strings["Manage/Edit Profiles"] = "Gestionare/Editare Profile"; +$a->strings["Manage/edit friends and contacts"] = "Gestionare/Editare prieteni şi contacte"; +$a->strings["Site setup and configuration"] = "Instalare şi configurare site"; +$a->strings["Navigation"] = "Navigare"; +$a->strings["Site map"] = "Hartă Site"; +$a->strings["Unknown | Not categorised"] = "Necunoscut | Fără categorie"; +$a->strings["Block immediately"] = "Blocare Imediată"; +$a->strings["Shady, spammer, self-marketer"] = "Dubioșii, spammerii, auto-promoterii"; +$a->strings["Known to me, but no opinion"] = "Cunoscut mie, dar fără o opinie"; +$a->strings["OK, probably harmless"] = "OK, probabil inofensiv"; +$a->strings["Reputable, has my trust"] = "Cu reputație, are încrederea mea"; +$a->strings["Weekly"] = "Săptămânal"; +$a->strings["Monthly"] = "Lunar"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$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"] = "Conector Diaspora"; +$a->strings["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = "App.net"; +$a->strings["Friendica Notification"] = "Notificare Friendica"; +$a->strings["Thank You,"] = "Vă mulțumim,"; +$a->strings["%s Administrator"] = "%s Administrator"; +$a->strings["%s "] = "%s "; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notificare] Mail nou primit la %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s v-a trimis un nou mesaj privat la %2\$s."; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s v-a trimis %2\$s"; +$a->strings["a private message"] = "un mesaj privat"; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la mesaje private."; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s a comentat la [url=%2\$s]a %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s a comentat la [url=%2\$s]%4\$s postat de %3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s a comentat la [url=%2\$s]%3\$s dvs.[/url]"; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Notificare] Comentariu la conversaţia #%1\$d postată de %2\$s"; +$a->strings["%s commented on an item/conversation you have been following."] = "%s a comentat la un element/conversaţie pe care o urmăriți."; +$a->strings["Please visit %s to view and/or reply to the conversation."] = "Vă rugăm să vizitați %s pentru a vizualiza şi/sau răspunde la conversație."; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Notificare] %s a postat pe peretele dvs. de profil"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s a postat pe peretele dvs. de profil la %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s a postat pe [url=%2\$s]peretele dvs.[/url]"; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Notificare] %s v-a etichetat"; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s v-a etichetat la %2\$s"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]v-a etichetat[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notificare] %s a distribuit o nouă postare"; +$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s a distribuit o nouă postare la %2\$s"; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s] a distribuit o postare[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Notificare] %1\$s v-a abordat"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s v-a abordat la %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]v-a abordat[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Notificare] %s v-a etichetat postarea"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$sv-a etichetat postarea la %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s a etichetat [url=%2\$s]postarea dvs.[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Notificare] Prezentare primită"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Aţi primit o prezentare de la '%1\$s' at %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Aţi primit [url=%1\$s]o prezentare[/url] de la %2\$s."; +$a->strings["You may visit their profile at %s"] = "Le puteți vizita profilurile, online pe %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge prezentarea."; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = ""; +$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s împărtăşeşte cu dvs. la %2\$s"; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Notify] Aveţi un nou susținător la"; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "Aveţi un nou susținător la %2\$s : %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notificare] Ați primit o sugestie de prietenie"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Ați primit o sugestie de prietenie de la '%1\$s' la %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Aţi primit [url=%1\$s]o sugestie de prietenie[/url] pentru %2\$s de la %3\$s."; +$a->strings["Name:"] = "Nume:"; +$a->strings["Photo:"] = "Foto:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge sugestia."; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Notificare] Conectare acceptată"; +$a->strings["'%1\$s' has acepted 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\n\twithout 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["[Friendica System:Notify] registration request"] = ""; +$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."] = "Vă rugăm să vizitați %s pentru a aproba sau pentru a respinge cererea."; +$a->strings["An invitation is required."] = "O invitaţie este necesară."; +$a->strings["Invitation could not be verified."] = "Invitația nu s-a putut verifica."; +$a->strings["Invalid OpenID url"] = "URL OpenID invalid"; +$a->strings["Please enter the required information."] = "Vă rugăm să introduceți informațiile solicitate."; +$a->strings["Please use a shorter name."] = "Vă rugăm să utilizaţi un nume mai scurt."; +$a->strings["Name too short."] = "Numele este prea scurt."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Acesta nu pare a fi Numele (Prenumele) dvs. complet"; +$a->strings["Your email domain is not among those allowed on this site."] = "Domeniul dvs. de email nu este printre cele permise pe acest site."; +$a->strings["Not a valid email address."] = "Nu este o adresă vaildă de email."; +$a->strings["Cannot use that email."] = "Nu se poate utiliza acest email."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = " \"Pseudonimul\" dvs. poate conţine numai \"a-z\", \"0-9\", \"-\",, şi \"_\", şi trebuie de asemenea să înceapă cu o literă."; +$a->strings["Nickname is already registered. Please choose another."] = "Pseudonimul este deja înregistrat. Vă rugăm, alegeți un altul."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Pseudonimul a fost înregistrat aici, şi e posibil să nu mai poată fi reutilizat. Vă rugăm, alegeți altul."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "EROARE GRAVĂ: Generarea de chei de securitate a eşuat."; +$a->strings["An error occurred during registration. Please try again."] = "A intervenit o eroare în timpul înregistrării. Vă rugăm să reîncercați."; +$a->strings["An error occurred creating your default profile. Please try again."] = "A intervenit o eroare la crearea profilului dvs. implicit. Vă rugăm să reîncercați."; +$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["Visible to everybody"] = "Vizibil pentru toata lumea"; +$a->strings["Image/photo"] = "Imagine/fotografie"; +$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; +$a->strings["%s wrote the following post"] = "%s a scris următoarea postare"; +$a->strings["$1 wrote:"] = "$1 a scris:"; +$a->strings["Encrypted content"] = "Conţinut criptat"; +$a->strings["Embedded content"] = "Conţinut încorporat"; +$a->strings["Embedding disabled"] = "Încorporarea conținuturilor este dezactivată"; +$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."] = "Un grup şters cu acest nume a fost restabilit. Permisiunile existente ale elementului, potfi aplicate acestui grup şi oricăror viitori membrii. Dacă aceasta nu este ceea ați intenționat să faceți, vă rugăm să creaţi un alt grup cu un un nume diferit."; +$a->strings["Default privacy group for new contacts"] = "Confidenţialitatea implicită a grupului pentru noi contacte"; +$a->strings["Everybody"] = "Toată lumea"; +$a->strings["edit"] = "editare"; +$a->strings["Edit group"] = "Editare grup"; +$a->strings["Create a new group"] = "Creați un nou grup"; +$a->strings["Contacts not in any group"] = "Contacte ce nu se află în orice grup"; +$a->strings["stopped following"] = "urmărire întreruptă"; +$a->strings["Drop Contact"] = "Eliminare Contact"; +$a->strings["Miscellaneous"] = "Diverse"; +$a->strings["year"] = "an"; +$a->strings["month"] = "lună"; +$a->strings["day"] = "zi"; +$a->strings["never"] = "niciodată"; +$a->strings["less than a second ago"] = "acum mai puțin de o secundă"; +$a->strings["years"] = "ani"; +$a->strings["months"] = "luni"; +$a->strings["week"] = "săptămână"; +$a->strings["weeks"] = "săptămâni"; +$a->strings["days"] = "zile"; +$a->strings["hour"] = "oră"; +$a->strings["hours"] = "ore"; +$a->strings["minute"] = "minut"; +$a->strings["minutes"] = "minute"; +$a->strings["second"] = "secundă"; +$a->strings["seconds"] = "secunde"; +$a->strings["%1\$d %2\$s ago"] = "acum %1\$d %2\$s"; +$a->strings["view full size"] = "vezi intreaga mărime"; +$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]"] = "Mesajul de eroare este\n[pre]%s[/pre]"; +$a->strings["Errors encountered creating database tables."] = "Erori întâlnite la crearea tabelelor bazei de date."; +$a->strings["Errors encountered performing database changes."] = "Erori întâlnite la operarea de modificări în baza de date."; From 086b3e30c60803b76e1b99a4157f3f5203f3c7e6 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Fri, 12 Dec 2014 23:03:23 +0100 Subject: [PATCH 003/294] Clarification for the hidewall property. --- mod/settings.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mod/settings.php b/mod/settings.php index b7148bb360..8fa0d86a90 100644 --- a/mod/settings.php +++ b/mod/settings.php @@ -1022,7 +1022,7 @@ function settings_content(&$a) { )); $hide_wall = replace_macros($opt_tpl,array( - '$field' => array('hidewall', t('Hide your profile details from unknown viewers?'), $a->user['hidewall'], '', array(t('No'),t('Yes'))), + '$field' => array('hidewall', t('Hide your profile details from unknown viewers?'), $a->user['hidewall'], t("If enabled, posting public messages to Diaspora and other networks isn't possible."), array(t('No'),t('Yes'))), )); From 3d26e1d233496afc28420d42b6071538f2f058ba Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sat, 13 Dec 2014 23:07:15 +0100 Subject: [PATCH 004/294] When converting bbcode for Libertree then an empty line has to be before a honrizontal ruler. --- include/bb2diaspora.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/include/bb2diaspora.php b/include/bb2diaspora.php index d836f325e8..7107c49139 100644 --- a/include/bb2diaspora.php +++ b/include/bb2diaspora.php @@ -90,8 +90,9 @@ function bb2diaspora($Text,$preserve_nl = false, $fordiaspora = true) { } else { $Text = bbcode($Text, $preserve_nl, false, 4); + // Libertree doesn't convert a harizontal rule if there isn't a linefeed - $Text = str_replace("
", "

", $Text); + $Text = str_replace(array("
", "
"), array("

", "

"), $Text); } // Now convert HTML to Markdown From 8b433c2d11036026667d3e5e9db78ef2c92fc144 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sat, 13 Dec 2014 23:13:34 +0100 Subject: [PATCH 005/294] Vier: New style "dark" --- view/theme/vier/config.php | 3 +- view/theme/vier/dark.css | 61 ++++++++++++++++++++++++++++++++++++++ view/theme/vier/flat.css | 11 +++++-- view/theme/vier/theme.php | 2 ++ 4 files changed, 74 insertions(+), 3 deletions(-) create mode 100644 view/theme/vier/dark.css diff --git a/view/theme/vier/config.php b/view/theme/vier/config.php index 286639d285..72279daebc 100644 --- a/view/theme/vier/config.php +++ b/view/theme/vier/config.php @@ -45,7 +45,8 @@ function vier_form(&$a, $style){ "flat"=>"Flat", "netcolour"=>"Coloured Networks", "breathe"=>"Breathe", - "plus"=>"Plus" + "plus"=>"Plus", + "dark"=>"Dark" ); $t = get_markup_template("theme_settings.tpl" ); $o .= replace_macros($t, array( diff --git a/view/theme/vier/dark.css b/view/theme/vier/dark.css new file mode 100644 index 0000000000..d9e4cdb3d0 --- /dev/null +++ b/view/theme/vier/dark.css @@ -0,0 +1,61 @@ +*{ + box-shadow: 0 0 0 0 !important; + border-color: #343434 !important; +} + +hr { background-color: #343434 !important; } + +a, .wall-item-name, .fakelink { + color: #989898 !important; +} + +nav { + color: #989898 !important; + background-color: #1C2126 !important; +} + +nav .nav-notify { + background-color: #2C77AE !important +} + +a.on { + color: #FFFFFF !important; + background-color: #2C77AE !important +} + +aside, .menu-popup, .fc-state-highlight, a.off, .autocomplete { + color: #989898 !important; + background-color: #252C33 !important; + border-right: 1px solid #D2D2D2; +} + +body, section, blockquote, blockquote.shared_content, #profile-jot-form, +.dspr, .twit, .pump, .dfrn, .tread-wrapper, code, .mail-list-wrapper, div.pager, ul.tabs { + color: #989898 !important; + background-color: #171B1F !important; +} + +div.rte, .mceContentBody { +background:none repeat scroll 0 0 #333333!important; +color:#FFF!important; +text-align:left; +} + +div.pager, ul.tabs { + box-shadow: unset; + border-bottom: unset; +} + +input, option, textarea, select { + color: #989898 !important; + border: 2px solid #0C1116 !important; + background-color: #0C1116 !important; +} + +input#side-peoplefind-submit, input#side-follow-submit { + margin-top: 2px !important; +} + +li :hover { + color: #767676 !important; +} \ No newline at end of file diff --git a/view/theme/vier/flat.css b/view/theme/vier/flat.css index d71ab2177b..5e6b474390 100644 --- a/view/theme/vier/flat.css +++ b/view/theme/vier/flat.css @@ -1,4 +1,11 @@ -*{ box-shadow: 0 0 0 0 !important;} +*{ + box-shadow: 0 0 0 0 !important; + border-color: #EAEAEA !important; +} + +nav { background-color: #27333F !important; } +aside { background-color: #EAEEF4 !important } + body, section { background-color: #ffffff !important;} #profile-jot-form { background-color: #ffffff !important;} .dspr, .twit, .pump, .dfrn { background-color: #ffffff !important;} @@ -11,4 +18,4 @@ div.pager, ul.tabs { aside { border-right: 1px solid #D2D2D2; -} +} \ No newline at end of file diff --git a/view/theme/vier/theme.php b/view/theme/vier/theme.php index 6b1e4d5df8..62bbbcbf0e 100644 --- a/view/theme/vier/theme.php +++ b/view/theme/vier/theme.php @@ -22,6 +22,8 @@ if ($style == "") if ($style == "flat") $a->page['htmlhead'] .= ''."\n"; +if ($style == "dark") + $a->page['htmlhead'] .= ''."\n"; else if ($style == "netcolour") $a->page['htmlhead'] .= ''."\n"; else if ($style == "breathe") From bc5c470cac4adde3d637860b70c0ff600786e60d Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 14 Dec 2014 12:47:16 +0100 Subject: [PATCH 006/294] Fix for issue 1191 - Embedded Youtube video isn't playing when SSL is active --- include/oembed.php | 5 +++++ mod/oembed.php | 5 +++-- 2 files changed, 8 insertions(+), 2 deletions(-) diff --git a/include/oembed.php b/include/oembed.php index 2ecb11e1f5..0d7e5ee84f 100755 --- a/include/oembed.php +++ b/include/oembed.php @@ -78,6 +78,11 @@ function oembed_fetch_url($embedurl, $no_rich_type = false){ if (!is_object($j)) return false; + // Always embed the SSL version + if (isset($j->html)) + $j->html = str_replace(array("http://www.youtube.com/", "http://player.vimeo.com/"), + array("https://www.youtube.com/", "https://player.vimeo.com/"), $j->html); + $j->embedurl = $embedurl; // If fetching information doesn't work, then improve via internal functions diff --git a/mod/oembed.php b/mod/oembed.php index 236625f68a..f79f66a483 100644 --- a/mod/oembed.php +++ b/mod/oembed.php @@ -9,17 +9,18 @@ function oembed_content(&$a){ echo oembed_replacecb($url); killme(); } - + if ($a->argv[1]=='h2b'){ $text = trim(hex2bin($_REQUEST['text'])); echo oembed_html2bbcode($text); killme(); } - + if ($a->argc == 2){ echo ""; $url = base64url_decode($a->argv[1]); $j = oembed_fetch_url($url); + echo $j->html; // logger('mod-oembed ' . $j->html, LOGGER_ALL); echo ""; From 15f43d8ca3be780e6ee7117696acaa7e198a096a Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Wed, 17 Dec 2014 21:57:38 +0100 Subject: [PATCH 007/294] Generate preview pictures from enclosed data from feeds. --- include/items.php | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/include/items.php b/include/items.php index 0398f54588..bd1f48c5e3 100644 --- a/include/items.php +++ b/include/items.php @@ -872,9 +872,18 @@ function get_atom_elements($feed, $item, $contact = array()) { } if (isset($contact["network"]) AND ($contact["network"] == NETWORK_FEED) AND $contact['fetch_further_information']) { - $res["body"] = $res["title"].add_page_info($res['plink'], false, "", ($contact['fetch_further_information'] == 2), $contact['ffi_keyword_blacklist']); + $preview = ""; + + // Handle enclosures and treat them as preview picture + if (isset($attach)) + foreach ($attach AS $attachment) + if ($attachment->type == "image/jpeg") + $preview = $attachment->link; + + $res["body"] = $res["title"].add_page_info($res['plink'], false, $preview, ($contact['fetch_further_information'] == 2), $contact['ffi_keyword_blacklist']); $res["title"] = ""; $res["object-type"] = ACTIVITY_OBJ_BOOKMARK; + unset($res["attach"]); } elseif (isset($contact["network"]) AND ($contact["network"] == NETWORK_OSTATUS)) $res["body"] = add_page_info_to_body($res["body"]); elseif (isset($contact["network"]) AND ($contact["network"] == NETWORK_FEED) AND strstr($res['plink'], ".app.net/")) { @@ -941,6 +950,9 @@ function add_page_info($url, $no_photos = false, $photo = "", $keywords = false, $data = parseurl_getsiteinfo($url, true); + if ($photo != "") + $data["images"][0]["src"] = $photo; + logger('add_page_info: fetch page info for '.$url.' '.print_r($data, true), LOGGER_DEBUG); if (!$keywords AND isset($data["keywords"])) From 2ac42036fb0e42d9291d193b1bbbf715e4ade5e9 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 01:59:38 +0100 Subject: [PATCH 008/294] Fix for error in delete function, improved query for community. --- include/threads.php | 8 ++++++-- mod/community.php | 7 +++++-- 2 files changed, 11 insertions(+), 4 deletions(-) diff --git a/include/threads.php b/include/threads.php index 2645098f57..0ad1d396df 100644 --- a/include/threads.php +++ b/include/threads.php @@ -17,7 +17,11 @@ function add_thread($itemid) { logger("add_thread: Add thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); - // Adding a shadow item entry + // Store a shadow copy of public items for displaying a global community page? + if (!get_config('system', 'global_community')) + return; + + // is it already a copy? if (($itemid == 0) OR ($item['uid'] == 0)) return; @@ -139,7 +143,7 @@ function delete_thread($itemid) { logger("delete_thread: Deleted thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); - if ($count($item)) { + if (count($item)) { $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND NOT (`uid` IN (%d, 0))", dbesc($item["uri"]), intval($item["uid"]) diff --git a/mod/community.php b/mod/community.php index 5b3f40a798..30eb6ebb03 100644 --- a/mod/community.php +++ b/mod/community.php @@ -114,7 +114,9 @@ function community_content(&$a, $update = 0) { } function community_getitems($start, $itemspage) { -// Work in progress return(community_getpublicitems($start, $itemspage)); + // Work in progress + if (get_config('system', 'global_community')) + return(community_getpublicitems($start, $itemspage)); $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, @@ -143,12 +145,13 @@ function community_getpublicitems($start, $itemspage) { $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `author-name` AS `name`, `owner-avatar` AS `photo`, `owner-link` AS `url`, `owner-avatar` AS `thumb` - FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s') + FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s', '%s') AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' ORDER BY `item`.`received` DESC LIMIT %d, %d", dbesc(NETWORK_DFRN), dbesc(NETWORK_DIASPORA), + dbesc(NETWORK_OSTATUS), intval($start), intval($itemspage) ); From 4fb059095f7ed058af0f77af5f3a68a401e71bc6 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 02:03:06 +0100 Subject: [PATCH 009/294] Performance stuff: Caching for getsiteinfo function, check before running onepoll.php --- include/items.php | 7 ++++++- include/onepoll.php | 16 +++++++++------- include/poller.php | 16 +++++++++++----- 3 files changed, 26 insertions(+), 13 deletions(-) diff --git a/include/items.php b/include/items.php index bd1f48c5e3..22ae2f60a7 100644 --- a/include/items.php +++ b/include/items.php @@ -948,7 +948,12 @@ function add_page_info_data($data) { function add_page_info($url, $no_photos = false, $photo = "", $keywords = false, $keyword_blacklist = "") { require_once("mod/parse_url.php"); - $data = parseurl_getsiteinfo($url, true); + $data = Cache::get("parse_url:".$url); + if (is_null($data)){ + $data = parseurl_getsiteinfo($url, true); + Cache::set("parse_url:".$url,serialize($data)); + } else + $data = unserialize($data); if ($photo != "") $data["images"][0]["src"] = $photo; diff --git a/include/onepoll.php b/include/onepoll.php index 9052937fdc..bb5b8905ab 100644 --- a/include/onepoll.php +++ b/include/onepoll.php @@ -15,7 +15,7 @@ function onepoll_run(&$argv, &$argc){ if(is_null($a)) { $a = new App; } - + if(is_null($db)) { @include(".htconfig.php"); require_once("include/dba.php"); @@ -57,28 +57,30 @@ function onepoll_run(&$argv, &$argc){ return; } - // Test $lockpath = get_lockpath(); if ($lockpath != '') { $pidfile = new pidfile($lockpath, 'onepoll'.$contact_id); - if($pidfile->is_already_running()) { + if ($pidfile->is_already_running()) { logger("onepoll: Already running for contact ".$contact_id); + if ($pidfile->running_time() > 9*60) { + $pidfile->kill(); + logger("killed stale process"); + } exit; } } - $d = datetime_convert(); // Only poll from those with suitable relationships, - // and which have a polling address and ignore Diaspora since + // and which have a polling address and ignore Diaspora since // we are unable to match those posts with a Diaspora GUID and prevent duplicates. - $contacts = q("SELECT `contact`.* FROM `contact` + $contacts = q("SELECT `contact`.* FROM `contact` WHERE ( `rel` = %d OR `rel` = %d ) AND `poll` != '' AND NOT `network` IN ( '%s', '%s', '%s' ) AND `contact`.`id` = %d - AND `self` = 0 AND `contact`.`blocked` = 0 AND `contact`.`readonly` = 0 + AND `self` = 0 AND `contact`.`blocked` = 0 AND `contact`.`readonly` = 0 AND `contact`.`archive` = 0 LIMIT 1", intval(CONTACT_IS_SHARING), intval(CONTACT_IS_FRIEND), diff --git a/include/poller.php b/include/poller.php index e94ab8746f..0edda8170a 100644 --- a/include/poller.php +++ b/include/poller.php @@ -240,14 +240,14 @@ function poller_run(&$argv, &$argc){ // We should be getting everything via a hub. But just to be sure, let's check once a day. // (You can make this more or less frequent if desired by setting 'pushpoll_frequency' appropriately) // This also lets us update our subscription to the hub, and add or replace hubs in case it - // changed. We will only update hubs once a day, regardless of 'pushpoll_frequency'. + // changed. We will only update hubs once a day, regardless of 'pushpoll_frequency'. if($contact['subhub']) { $poll_interval = get_config('system','pushpoll_frequency'); $contact['priority'] = (($poll_interval !== false) ? intval($poll_interval) : 3); $hub_update = false; - + if((datetime_convert('UTC','UTC', 'now') > datetime_convert('UTC','UTC', $t . " + 1 day")) || $force) $hub_update = true; } @@ -256,13 +256,13 @@ function poller_run(&$argv, &$argc){ /** * Based on $contact['priority'], should we poll this site now? Or later? - */ + */ switch ($contact['priority']) { case 5: if(datetime_convert('UTC','UTC', 'now') > datetime_convert('UTC','UTC', $t . " + 1 month")) $update = true; - break; + break; case 4: if(datetime_convert('UTC','UTC', 'now') > datetime_convert('UTC','UTC', $t . " + 1 week")) $update = true; @@ -285,7 +285,13 @@ function poller_run(&$argv, &$argc){ continue; } - proc_run('php','include/onepoll.php',$contact['id']); + // Don't run onepoll.php if the contact isn't pollable + // This check also is inside the onepoll.php - but this will reduce the load + if (in_array($contact["rel"], array(CONTACT_IS_SHARING, CONTACT_IS_FRIEND)) AND ($contact["poll"] != "") + AND !in_array($contact['network'], array(NETWORK_DIASPORA, NETWORK_FACEBOOK, NETWORK_PUMPIO, NETWORK_TWITTER, NETWORK_APPNET)) + AND !$contact["self"] AND !$contact["blocked"] AND !$contact["readonly"] AND !$contact["archive"]) + proc_run('php','include/onepoll.php',$contact['id']); + if($interval) @time_sleep_until(microtime(true) + (float) $interval); } From 2c5281cbf1c1334151f6d661e484532e0b8d6c7f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 02:10:49 +0100 Subject: [PATCH 010/294] reverted a change that wasn't intended to be published yet/Delete thread was missing at Diaspora items. --- include/diaspora.php | 2 + include/threads.php | 109 ++++--------------------------------------- mod/community.php | 25 +--------- 3 files changed, 12 insertions(+), 124 deletions(-) diff --git a/include/diaspora.php b/include/diaspora.php index 8b85e7b955..99288b773c 100755 --- a/include/diaspora.php +++ b/include/diaspora.php @@ -2028,6 +2028,7 @@ function diaspora_retraction($importer,$xml) { dbesc(datetime_convert()), intval($r[0]['id']) ); + delete_thread($r[0]['id']); } } } @@ -2100,6 +2101,7 @@ function diaspora_signed_retraction($importer,$xml,$msg) { dbesc(datetime_convert()), intval($r[0]['id']) ); + delete_thread($r[0]['id']); // Now check if the retraction needs to be relayed by us // diff --git a/include/threads.php b/include/threads.php index 0ad1d396df..6b1c4342f7 100644 --- a/include/threads.php +++ b/include/threads.php @@ -13,51 +13,9 @@ function add_thread($itemid) { .implode("`, `", array_keys($item)) ."`) VALUES ('" .implode("', '", array_values($item)) - ."')"); + ."')" ); logger("add_thread: Add thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); - - // Store a shadow copy of public items for displaying a global community page? - if (!get_config('system', 'global_community')) - return; - - // is it already a copy? - if (($itemid == 0) OR ($item['uid'] == 0)) - return; - - // Check, if hide-friends is activated - then don't do a shadow entry - $r = q("SELECT `hide-friends` FROM `profile` WHERE `is-default` AND `uid` = %d AND NOT `hide-friends`", - $item['uid']); - if (!count($r)) - return; - - // Only add a shadow, if the profile isn't hidden - $r = q("SELECT `uid` FROM `user` where `uid` = %d AND NOT `hidewall`", $item['uid']); - if (!count($r)) - return; - - $item = q("SELECT * FROM `item` WHERE `id` = %d", - intval($itemid)); - - if (count($item) AND ($item[0]["visible"] == 1) AND ($item[0]["deleted"] == 0) AND - (($item[0]["id"] == $item[0]["parent"]) OR ($item[0]["parent"] == 0)) AND - ($item[0]["moderated"] == 0) AND ($item[0]["allow_cid"] == '') AND ($item[0]["allow_gid"] == '') AND - ($item[0]["deny_cid"] == '') AND ($item[0]["deny_gid"] == '') AND ($item[0]["private"] == 0)) { - - $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", - dbesc($item['uri'])); - - if (!$r) { - // Preparing public shadow (removing user specific data) - require_once("include/items.php"); - unset($item[0]['id']); - $item[0]['uid'] = 0; - $item[0]['contact-id'] = 0; - - $public_shadow = item_store($item[0],false); - logger("add_thread: Stored public shadow for post ".$itemid." under id ".$public_shadow, LOGGER_DEBUG); - } - } } function update_thread_uri($itemuri, $uid) { @@ -69,7 +27,7 @@ function update_thread_uri($itemuri, $uid) { } function update_thread($itemid, $setmention = false) { - $items = q("SELECT `uid`, `uri`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, + $items = q("SELECT `uid`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, `deleted`, `origin`, `forum_mode`, `network` FROM `item` WHERE `id` = %d AND (`parent` = %d OR `parent` = 0) LIMIT 1", intval($itemid), intval($itemid)); if (!$items) @@ -82,50 +40,16 @@ function update_thread($itemid, $setmention = false) { $sql = ""; - foreach ($item AS $field => $data) - if ($field != "uri") { - if ($sql != "") - $sql .= ", "; + foreach ($item AS $field => $data) { + if ($sql != "") + $sql .= ", "; - $sql .= "`".$field."` = '".dbesc($data)."'"; - } + $sql .= "`".$field."` = '".$data."'"; + } - $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", intval($itemid)); + $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", $itemid); logger("update_thread: Update thread for item ".$itemid." - ".print_r($result, true)." ".print_r($item, true), LOGGER_DEBUG); - - // Updating a shadow item entry - $items = q("SELECT `id`, `title`, `body`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, - `moderated`, `visible`, `spam`, `starred`, `bookmark`, `deleted`, `origin`, `forum_mode`, `network` - FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", dbesc($item["uri"])); - - if (!$items) - return; - - $item = $items[0]; - - $result = q("UPDATE `item` SET `title` = '%s', `body` = '%s', `network` = '%s' WHERE `id` = %d", - dbesc($item["title"]), - dbesc($item["body"]), - dbesc($item["network"]), - intval($item["id"]) - ); - logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); - - /* - $sql = ""; - - foreach ($item AS $field => $data) - if ($field != "id") { - if ($sql != "") - $sql .= ", "; - - $sql .= "`".$field."` = '".dbesc($data)."'"; - } - //logger("update_thread: Updating public shadow for post ".$item["id"]." SQL: ".$sql, LOGGER_DEBUG); - $result = q("UPDATE `item` SET ".$sql." WHERE `id` = %d", intval($item["id"])); - logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); - */ } function delete_thread_uri($itemuri, $uid) { @@ -137,28 +61,13 @@ function delete_thread_uri($itemuri, $uid) { } function delete_thread($itemid) { - $item = q("SELECT `uri`, `uid` FROM `thread` WHERE `iid` = %d", intval($itemid)); - $result = q("DELETE FROM `thread` WHERE `iid` = %d", intval($itemid)); logger("delete_thread: Deleted thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); - - if (count($item)) { - $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND NOT (`uid` IN (%d, 0))", - dbesc($item["uri"]), - intval($item["uid"]) - ); - if (!count($r)) { - $r = q("DELETE FROM `item` WHERE `uri` = '%s' AND `uid` = 0)", - dbesc($item["uri"]) - ); - logger("delete_thread: Deleted shadow for item ".$item["uri"]." - ".print_r($result, true), LOGGER_DEBUG); - } - } } function update_threads() { - global $db; + global $db; logger("update_threads: start"); diff --git a/mod/community.php b/mod/community.php index 30eb6ebb03..8d23c4af28 100644 --- a/mod/community.php +++ b/mod/community.php @@ -114,10 +114,6 @@ function community_content(&$a, $update = 0) { } function community_getitems($start, $itemspage) { - // Work in progress - if (get_config('system', 'global_community')) - return(community_getpublicitems($start, $itemspage)); - $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, @@ -129,7 +125,7 @@ function community_getitems($start, $itemspage) { AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' INNER JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` - AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND (`contact`.`self` OR `contact`.`remote_self`) + AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND `contact`.`self` WHERE `thread`.`visible` = 1 AND `thread`.`deleted` = 0 and `thread`.`moderated` = 0 AND `thread`.`private` = 0 AND `thread`.`wall` = 1 ORDER BY `thread`.`received` DESC LIMIT %d, %d ", @@ -140,22 +136,3 @@ function community_getitems($start, $itemspage) { return($r); } - -function community_getpublicitems($start, $itemspage) { - $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, - `author-name` AS `name`, `owner-avatar` AS `photo`, - `owner-link` AS `url`, `owner-avatar` AS `thumb` - FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s', '%s') - AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' - AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' - ORDER BY `item`.`received` DESC LIMIT %d, %d", - dbesc(NETWORK_DFRN), - dbesc(NETWORK_DIASPORA), - dbesc(NETWORK_OSTATUS), - intval($start), - intval($itemspage) - ); - - return($r); - -} From 4757bf5331851400c482fd62de0315e2717cf533 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 10:55:15 +0100 Subject: [PATCH 011/294] Applied a change to the community query that was already done in another branch. --- mod/community.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/mod/community.php b/mod/community.php index 30eb6ebb03..4d1e84cba9 100644 --- a/mod/community.php +++ b/mod/community.php @@ -129,7 +129,7 @@ function community_getitems($start, $itemspage) { AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' INNER JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` - AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND (`contact`.`self` OR `contact`.`remote_self`) + AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 AND `contact`.`self` WHERE `thread`.`visible` = 1 AND `thread`.`deleted` = 0 and `thread`.`moderated` = 0 AND `thread`.`private` = 0 AND `thread`.`wall` = 1 ORDER BY `thread`.`received` DESC LIMIT %d, %d ", From d054ac8d9c12d022382359a7eb3dc1086d63d523 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 11:02:31 +0100 Subject: [PATCH 012/294] redone the changes I accidentally overwrote ... Me and GIT will never be in love ... --- include/threads.php | 109 ++++++++++++++++++++++++++++++++++++++++---- mod/community.php | 23 ++++++++++ 2 files changed, 123 insertions(+), 9 deletions(-) diff --git a/include/threads.php b/include/threads.php index 6b1c4342f7..0ad1d396df 100644 --- a/include/threads.php +++ b/include/threads.php @@ -13,9 +13,51 @@ function add_thread($itemid) { .implode("`, `", array_keys($item)) ."`) VALUES ('" .implode("', '", array_values($item)) - ."')" ); + ."')"); logger("add_thread: Add thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); + + // Store a shadow copy of public items for displaying a global community page? + if (!get_config('system', 'global_community')) + return; + + // is it already a copy? + if (($itemid == 0) OR ($item['uid'] == 0)) + return; + + // Check, if hide-friends is activated - then don't do a shadow entry + $r = q("SELECT `hide-friends` FROM `profile` WHERE `is-default` AND `uid` = %d AND NOT `hide-friends`", + $item['uid']); + if (!count($r)) + return; + + // Only add a shadow, if the profile isn't hidden + $r = q("SELECT `uid` FROM `user` where `uid` = %d AND NOT `hidewall`", $item['uid']); + if (!count($r)) + return; + + $item = q("SELECT * FROM `item` WHERE `id` = %d", + intval($itemid)); + + if (count($item) AND ($item[0]["visible"] == 1) AND ($item[0]["deleted"] == 0) AND + (($item[0]["id"] == $item[0]["parent"]) OR ($item[0]["parent"] == 0)) AND + ($item[0]["moderated"] == 0) AND ($item[0]["allow_cid"] == '') AND ($item[0]["allow_gid"] == '') AND + ($item[0]["deny_cid"] == '') AND ($item[0]["deny_gid"] == '') AND ($item[0]["private"] == 0)) { + + $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", + dbesc($item['uri'])); + + if (!$r) { + // Preparing public shadow (removing user specific data) + require_once("include/items.php"); + unset($item[0]['id']); + $item[0]['uid'] = 0; + $item[0]['contact-id'] = 0; + + $public_shadow = item_store($item[0],false); + logger("add_thread: Stored public shadow for post ".$itemid." under id ".$public_shadow, LOGGER_DEBUG); + } + } } function update_thread_uri($itemuri, $uid) { @@ -27,7 +69,7 @@ function update_thread_uri($itemuri, $uid) { } function update_thread($itemid, $setmention = false) { - $items = q("SELECT `uid`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, + $items = q("SELECT `uid`, `uri`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, `moderated`, `visible`, `spam`, `starred`, `bookmark`, `contact-id`, `deleted`, `origin`, `forum_mode`, `network` FROM `item` WHERE `id` = %d AND (`parent` = %d OR `parent` = 0) LIMIT 1", intval($itemid), intval($itemid)); if (!$items) @@ -40,16 +82,50 @@ function update_thread($itemid, $setmention = false) { $sql = ""; - foreach ($item AS $field => $data) { - if ($sql != "") - $sql .= ", "; + foreach ($item AS $field => $data) + if ($field != "uri") { + if ($sql != "") + $sql .= ", "; - $sql .= "`".$field."` = '".$data."'"; - } + $sql .= "`".$field."` = '".dbesc($data)."'"; + } - $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", $itemid); + $result = q("UPDATE `thread` SET ".$sql." WHERE `iid` = %d", intval($itemid)); logger("update_thread: Update thread for item ".$itemid." - ".print_r($result, true)." ".print_r($item, true), LOGGER_DEBUG); + + // Updating a shadow item entry + $items = q("SELECT `id`, `title`, `body`, `created`, `edited`, `commented`, `received`, `changed`, `wall`, `private`, `pubmail`, + `moderated`, `visible`, `spam`, `starred`, `bookmark`, `deleted`, `origin`, `forum_mode`, `network` + FROM `item` WHERE `uri` = '%s' AND `uid` = 0 LIMIT 1", dbesc($item["uri"])); + + if (!$items) + return; + + $item = $items[0]; + + $result = q("UPDATE `item` SET `title` = '%s', `body` = '%s', `network` = '%s' WHERE `id` = %d", + dbesc($item["title"]), + dbesc($item["body"]), + dbesc($item["network"]), + intval($item["id"]) + ); + logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); + + /* + $sql = ""; + + foreach ($item AS $field => $data) + if ($field != "id") { + if ($sql != "") + $sql .= ", "; + + $sql .= "`".$field."` = '".dbesc($data)."'"; + } + //logger("update_thread: Updating public shadow for post ".$item["id"]." SQL: ".$sql, LOGGER_DEBUG); + $result = q("UPDATE `item` SET ".$sql." WHERE `id` = %d", intval($item["id"])); + logger("update_thread: Updating public shadow for post ".$item["id"]." Result: ".print_r($result, true), LOGGER_DEBUG); + */ } function delete_thread_uri($itemuri, $uid) { @@ -61,13 +137,28 @@ function delete_thread_uri($itemuri, $uid) { } function delete_thread($itemid) { + $item = q("SELECT `uri`, `uid` FROM `thread` WHERE `iid` = %d", intval($itemid)); + $result = q("DELETE FROM `thread` WHERE `iid` = %d", intval($itemid)); logger("delete_thread: Deleted thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); + + if (count($item)) { + $r = q("SELECT `id` FROM `item` WHERE `uri` = '%s' AND NOT (`uid` IN (%d, 0))", + dbesc($item["uri"]), + intval($item["uid"]) + ); + if (!count($r)) { + $r = q("DELETE FROM `item` WHERE `uri` = '%s' AND `uid` = 0)", + dbesc($item["uri"]) + ); + logger("delete_thread: Deleted shadow for item ".$item["uri"]." - ".print_r($result, true), LOGGER_DEBUG); + } + } } function update_threads() { - global $db; + global $db; logger("update_threads: start"); diff --git a/mod/community.php b/mod/community.php index 8d23c4af28..4d1e84cba9 100644 --- a/mod/community.php +++ b/mod/community.php @@ -114,6 +114,10 @@ function community_content(&$a, $update = 0) { } function community_getitems($start, $itemspage) { + // Work in progress + if (get_config('system', 'global_community')) + return(community_getpublicitems($start, $itemspage)); + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, @@ -136,3 +140,22 @@ function community_getitems($start, $itemspage) { return($r); } + +function community_getpublicitems($start, $itemspage) { + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, + `author-name` AS `name`, `owner-avatar` AS `photo`, + `owner-link` AS `url`, `owner-avatar` AS `thumb` + FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s', '%s') + AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' + AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' + ORDER BY `item`.`received` DESC LIMIT %d, %d", + dbesc(NETWORK_DFRN), + dbesc(NETWORK_DIASPORA), + dbesc(NETWORK_OSTATUS), + intval($start), + intval($itemspage) + ); + + return($r); + +} From 043c406091492a61f256a73086c2f8448d93993f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 21:19:37 +0100 Subject: [PATCH 013/294] Update function for creating the shadow entries. --- include/items.php | 6 ++-- include/shadowupdate.php | 22 +++++++++++++++ include/tags.php | 18 ++++++------ include/threads.php | 60 +++++++++++++++++++++++++++++----------- mod/community.php | 5 +--- 5 files changed, 80 insertions(+), 31 deletions(-) create mode 100644 include/shadowupdate.php diff --git a/include/items.php b/include/items.php index 22ae2f60a7..ed91fc7e4e 100644 --- a/include/items.php +++ b/include/items.php @@ -1044,7 +1044,7 @@ function encode_rel_links($links) { -function item_store($arr,$force_parent = false, $notify = false) { +function item_store($arr,$force_parent = false, $notify = false, $dontcache = false) { // If it is a posting where users should get notifications, then define it as wall posting if ($notify) { @@ -1469,7 +1469,7 @@ function item_store($arr,$force_parent = false, $notify = false) { // current post can be deleted if is for a communuty page and no mention are // in it. - if (!$deleted) { + if (!$deleted AND !$dontcache) { // Store the fresh generated item into the cache $cachefile = get_cachefile(urlencode($arr["guid"])."-".hash("md5", $arr['body'])); @@ -1491,7 +1491,7 @@ function item_store($arr,$force_parent = false, $notify = false) { } } - create_tags_from_item($current_post); + create_tags_from_item($current_post, $dontcache); create_files_from_item($current_post); if ($notify) diff --git a/include/shadowupdate.php b/include/shadowupdate.php new file mode 100644 index 0000000000..74c2a43ebd --- /dev/null +++ b/include/shadowupdate.php @@ -0,0 +1,22 @@ + diff --git a/include/tags.php b/include/tags.php index ea7eed84c3..05e11b47ed 100644 --- a/include/tags.php +++ b/include/tags.php @@ -1,5 +1,5 @@ get_baseurl(); @@ -26,14 +26,16 @@ function create_tags_from_item($itemid) { if ($message["deleted"]) return; - $cachefile = get_cachefile(urlencode($message["guid"])."-".hash("md5", $message['body'])); + if (!$dontcache) { + $cachefile = get_cachefile(urlencode($message["guid"])."-".hash("md5", $message['body'])); - if (($cachefile != '') AND !file_exists($cachefile)) { - $s = prepare_text($message['body']); - $stamp1 = microtime(true); - file_put_contents($cachefile, $s); - $a->save_timestamp($stamp1, "file"); - logger('create_tags_from_item: put item '.$message["id"].' into cachefile '.$cachefile); + if (($cachefile != '') AND !file_exists($cachefile)) { + $s = prepare_text($message['body']); + $stamp1 = microtime(true); + file_put_contents($cachefile, $s); + $a->save_timestamp($stamp1, "file"); + logger('create_tags_from_item: put item '.$message["id"].' into cachefile '.$cachefile); + } } $taglist = explode(",", $message["tag"]); diff --git a/include/threads.php b/include/threads.php index 0ad1d396df..0db8586354 100644 --- a/include/threads.php +++ b/include/threads.php @@ -1,5 +1,5 @@ q(sprintf("SELECT `iid` FROM `thread` WHERE `uid` != 0 AND `network` IN ('', '%s', '%s', '%s', '%s') + AND `visible` AND NOT `deleted` AND NOT `moderated` AND NOT `private` ORDER BY `created`", + NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_FEED, NETWORK_OSTATUS), true); + + logger("fetched messages: ".count($messages)); + while ($message = $db->qfetch()) + add_thread($message["iid"], true); + + $db->qclose(); +} ?> diff --git a/mod/community.php b/mod/community.php index 4d1e84cba9..e231151579 100644 --- a/mod/community.php +++ b/mod/community.php @@ -145,13 +145,10 @@ function community_getpublicitems($start, $itemspage) { $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `author-name` AS `name`, `owner-avatar` AS `photo`, `owner-link` AS `url`, `owner-avatar` AS `thumb` - FROM `item` WHERE `item`.`uid` = 0 AND `network` IN ('%s', '%s', '%s') + FROM `item` WHERE `item`.`uid` = 0 AND `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' ORDER BY `item`.`received` DESC LIMIT %d, %d", - dbesc(NETWORK_DFRN), - dbesc(NETWORK_DIASPORA), - dbesc(NETWORK_OSTATUS), intval($start), intval($itemspage) ); From 2ab38de59c15d949b27563a261ac858d7ac4266e Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 21 Dec 2014 23:47:19 +0100 Subject: [PATCH 014/294] Additional check if the duplicated entry isn't from a hidden or blocked contact. --- include/threads.php | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/include/threads.php b/include/threads.php index 0db8586354..f80212fad4 100644 --- a/include/threads.php +++ b/include/threads.php @@ -35,13 +35,18 @@ function add_thread($itemid, $onlyshadow = false) { if (!in_array($item["network"], array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, NETWORK_FEED, ""))) return; - // Check, if hide-friends is activated - then don't do a shadow entry - // Only do this check if the post isn't a wall post + // Only do these checks if the post isn't a wall post if (!$item["wall"]) { + // Check, if hide-friends is activated - then don't do a shadow entry $r = q("SELECT `hide-friends` FROM `profile` WHERE `is-default` AND `uid` = %d AND NOT `hide-friends`", $item['uid']); if (!count($r)) return; + // Check if the contact is hidden or blocked + $r = q("SELECT `id` FROM `contact` WHERE NOT `hidden` AND NOT `blocked` AND `id` = %d", + $item['contact-id']); + if (!count($r)) + return; } // Only add a shadow, if the profile isn't hidden From 41014735f1b71d47556852b15acbd477ef588d53 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 22 Dec 2014 07:32:04 +0100 Subject: [PATCH 015/294] Feeds are never public so the posts can never be duplicated. --- include/threads.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/include/threads.php b/include/threads.php index f80212fad4..28bf87f4da 100644 --- a/include/threads.php +++ b/include/threads.php @@ -32,7 +32,7 @@ function add_thread($itemid, $onlyshadow = false) { return; // is it an entry from a connector? Only add an entry for natively connected networks - if (!in_array($item["network"], array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, NETWORK_FEED, ""))) + if (!in_array($item["network"], array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, ""))) return; // Only do these checks if the post isn't a wall post @@ -210,9 +210,9 @@ function update_shadow_copy() { logger("start"); - $messages = $db->q(sprintf("SELECT `iid` FROM `thread` WHERE `uid` != 0 AND `network` IN ('', '%s', '%s', '%s', '%s') + $messages = $db->q(sprintf("SELECT `iid` FROM `thread` WHERE `uid` != 0 AND `network` IN ('', '%s', '%s', '%s') AND `visible` AND NOT `deleted` AND NOT `moderated` AND NOT `private` ORDER BY `created`", - NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_FEED, NETWORK_OSTATUS), true); + NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS), true); logger("fetched messages: ".count($messages)); while ($message = $db->qfetch()) From dc47ef65f91643ac2accfe16b517ed847f6275f9 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 23 Dec 2014 00:55:36 +0100 Subject: [PATCH 016/294] Issue 1234: Add the account name to the notification mails. --- include/enotify.php | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/include/enotify.php b/include/enotify.php index 51263871b6..8b5002cb2a 100644 --- a/include/enotify.php +++ b/include/enotify.php @@ -21,6 +21,7 @@ function notification($params) { $thanks = t('Thank You,'); $sitename = $a->config['sitename']; $site_admin = sprintf( t('%s Administrator'), $sitename); + $nickname = ""; $sender_name = $product; $hostname = $a->get_hostname(); @@ -29,6 +30,10 @@ function notification($params) { $sender_email = t('noreply') . '@' . $hostname; + $user = q("SELECT `nickname` FROM `user` WHERE `uid` = %d", intval($params['uid'])); + if ($user) + $nickname = $user[0]["nickname"]; + // with $params['show_in_notification_page'] == false, the notification isn't inserted into // the database, and an email is sent if applicable. // default, if not specified: true @@ -37,6 +42,7 @@ function notification($params) { $additional_mail_header = ""; $additional_mail_header .= "Precedence: list\n"; $additional_mail_header .= "X-Friendica-Host: ".$hostname."\n"; + $additional_mail_header .= "X-Friendica-Account: <".$nickname."@".$hostname.">\n"; $additional_mail_header .= "X-Friendica-Platform: ".FRIENDICA_PLATFORM."\n"; $additional_mail_header .= "X-Friendica-Version: ".FRIENDICA_VERSION."\n"; $additional_mail_header .= "List-ID: \n"; @@ -344,7 +350,7 @@ function notification($params) { $show_in_notification_page = false; } - + $subject .= " (".$nickname."@".$hostname.")"; $h = array( 'params' => $params, From 73f9d06e3e28e9146eb82254d5dcd2ccd497aff9 Mon Sep 17 00:00:00 2001 From: Rabuzarus Date: Thu, 25 Dec 2014 16:20:55 +0100 Subject: [PATCH 017/294] move some html code from photos.php to photo_album.tpl --- mod/photos.php | 50 ++++++++++++++++++++-------------- view/templates/photo_album.tpl | 17 ++++++++++-- 2 files changed, 43 insertions(+), 24 deletions(-) diff --git a/mod/photos.php b/mod/photos.php index 605f6153ae..8fc26d9858 100644 --- a/mod/photos.php +++ b/mod/photos.php @@ -1211,25 +1211,18 @@ function photos_content(&$a) { else { if(($album !== t('Profile Photos')) && ($album !== 'Contact Photos') && ($album !== t('Contact Photos'))) { if($can_post) { - $o .= ''; + $edit = array(t('Edit Album'), $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/album/' . bin2hex($album) . '/edit'); } } } if($_GET['order'] === 'posted') - $o .= ''; + $order = array(t('Show Newest First'), $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/album/' . bin2hex($album)); else - $o .= ''; + $order = array(t('Show Oldest First'), $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/album/' . bin2hex($album) . '?f=&order=posted'); + $photos = array(); - if($can_post) { - $o .= ''; - } - - - $tpl = get_markup_template('photo_album.tpl'); if(count($r)) $twist = 'rotright'; foreach($r as $rr) { @@ -1248,19 +1241,34 @@ function photos_content(&$a) { $imgalt_e = $rr['filename']; $desc_e = $rr['desc']; } + + $rel=("photo"); - $o .= replace_macros($tpl,array( - '$id' => $rr['id'], - '$twist' => ' ' . $twist . rand(2,4), - '$photolink' => $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/image/' . $rr['resource-id'] + $photos[] = array( + 'id' => $rr['id'], + 'twist' => ' ' . $twist . rand(2,4), + 'link' => $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/image/' . $rr['resource-id'] . (($_GET['order'] === 'posted') ? '?f=&order=posted' : ''), - '$phototitle' => t('View Photo'), - '$imgsrc' => $a->get_baseurl() . '/photo/' . $rr['resource-id'] . '-' . $rr['scale'] . '.' .$ext, - '$imgalt' => $imgalt_e, - '$desc'=> $desc_e - )); - + 'rel' => $rel, + 'title' => t('View Photo'), + 'src' => $a->get_baseurl() . '/photo/' . $rr['resource-id'] . '-' . $rr['scale'] . '.' .$ext, + 'alt' => $imgalt_e, + 'desc'=> $desc_e, + 'ext' => $ext, + 'hash'=> $rr['resource_id'], + ); } + + $tpl = get_markup_template('photo_album.tpl'); + $o .= replace_macros($tpl, array( + '$photos' => $photos, + '$album' => $album, + '$can_post' => $can_post, + '$upload' => array(t('Upload New Photos'), $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/upload/' . bin2hex($album)), + '$order' => $order, + '$edit' => $edit + )); + $o .= '
'; $o .= paginate($a); diff --git a/view/templates/photo_album.tpl b/view/templates/photo_album.tpl index 20162a91a2..882070d20d 100644 --- a/view/templates/photo_album.tpl +++ b/view/templates/photo_album.tpl @@ -1,8 +1,19 @@ +

{{$album}}

+{{if $edit}} + +{{/if}} + +{{if $can_post}} + +{{/if}} + +{{foreach $photos as $photo}}
+{{/foreach}} \ No newline at end of file From 432cf6f2ce26b8a3b8271476a5a58b94b2024b15 Mon Sep 17 00:00:00 2001 From: Rabuzarus Date: Thu, 25 Dec 2014 16:31:52 +0100 Subject: [PATCH 018/294] insert new line at the end --- view/templates/photo_album.tpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/view/templates/photo_album.tpl b/view/templates/photo_album.tpl index 882070d20d..770eaf14cf 100644 --- a/view/templates/photo_album.tpl +++ b/view/templates/photo_album.tpl @@ -16,4 +16,4 @@
-{{/foreach}} \ No newline at end of file +{{/foreach}} From cb47fdfcb9f61fd3c6b0c308448e66481482aafb Mon Sep 17 00:00:00 2001 From: Rabuzarus Date: Fri, 26 Dec 2014 03:32:21 +0100 Subject: [PATCH 019/294] minor change: rel should not be part of the PHP --- mod/photos.php | 3 --- 1 file changed, 3 deletions(-) diff --git a/mod/photos.php b/mod/photos.php index 8fc26d9858..2521a1cf0b 100644 --- a/mod/photos.php +++ b/mod/photos.php @@ -1242,14 +1242,11 @@ function photos_content(&$a) { $desc_e = $rr['desc']; } - $rel=("photo"); - $photos[] = array( 'id' => $rr['id'], 'twist' => ' ' . $twist . rand(2,4), 'link' => $a->get_baseurl() . '/photos/' . $a->data['user']['nickname'] . '/image/' . $rr['resource-id'] . (($_GET['order'] === 'posted') ? '?f=&order=posted' : ''), - 'rel' => $rel, 'title' => t('View Photo'), 'src' => $a->get_baseurl() . '/photo/' . $rr['resource-id'] . '-' . $rr['scale'] . '.' .$ext, 'alt' => $imgalt_e, From f59e574068e1bab0345fb66a6e9877871f755040 Mon Sep 17 00:00:00 2001 From: Rabuzarus Date: Fri, 26 Dec 2014 12:54:23 +0100 Subject: [PATCH 020/294] removed Pagination --- mod/photos.php | 1 - 1 file changed, 1 deletion(-) diff --git a/mod/photos.php b/mod/photos.php index 2521a1cf0b..d3300c8005 100644 --- a/mod/photos.php +++ b/mod/photos.php @@ -1267,7 +1267,6 @@ function photos_content(&$a) { )); $o .= '
'; - $o .= paginate($a); return $o; From 5939a8cea59dd94ee18704c955666c3d0083989f Mon Sep 17 00:00:00 2001 From: Rabuzarus Date: Fri, 26 Dec 2014 14:44:48 +0100 Subject: [PATCH 021/294] revert last commit f59e574, remove some html code --- mod/photos.php | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/mod/photos.php b/mod/photos.php index d3300c8005..003bcd9150 100644 --- a/mod/photos.php +++ b/mod/photos.php @@ -1183,8 +1183,6 @@ function photos_content(&$a) { intval($a->pager['itemspage']) ); - $o .= '

' . $album . '

'; - if($cmd === 'edit') { if(($album !== t('Profile Photos')) && ($album !== 'Contact Photos') && ($album !== t('Contact Photos'))) { if($can_post) { @@ -1266,7 +1264,7 @@ function photos_content(&$a) { '$edit' => $edit )); - $o .= '
'; + $o .= paginate($a); return $o; From 0b0c574385091c812324296a2065f03f0cfdd4a5 Mon Sep 17 00:00:00 2001 From: Silke Meyer Date: Sun, 28 Dec 2014 14:50:43 +0100 Subject: [PATCH 022/294] Fixed a small typo --- doc/Home.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/doc/Home.md b/doc/Home.md index 6020f2c01c..b0220bc169 100644 --- a/doc/Home.md +++ b/doc/Home.md @@ -10,7 +10,7 @@ Friendica Documentation and Resources * [BBCode tag reference](help/BBCode) * [Comment, sort and delete posts](help/Text_comment) * [Profiles](help/Profiles) -* You and other user +* You and other users * [Connectors](help/Connectors) * [Making Friends](help/Making-Friends) * [Groups and Privacy](help/Groups-and-Privacy) From a72d60f481e221354ed61152c6ab07899660d9e9 Mon Sep 17 00:00:00 2001 From: hauke Date: Sun, 28 Dec 2014 15:48:24 +0100 Subject: [PATCH 023/294] Added h-card and functionality for IndieAuth/Web-sign-in --- view/templates/profile_vcard.tpl | 24 ++++++++++----------- view/theme/vier/templates/profile_vcard.tpl | 16 +++++++------- 2 files changed, 20 insertions(+), 20 deletions(-) diff --git a/view/templates/profile_vcard.tpl b/view/templates/profile_vcard.tpl index 4ec3cdf3c7..e72d25371d 100644 --- a/view/templates/profile_vcard.tpl +++ b/view/templates/profile_vcard.tpl @@ -1,39 +1,39 @@ -
+
-
{{$profile.name}}
+
{{$profile.name}}
{{if $pdesc}}
{{$profile.pdesc}}
{{/if}} {{if $profile.picdate}} -
{{$profile.name}}
+
{{$profile.name}}
{{else}} -
{{$profile.name}}
+
{{$profile.name}}
{{/if}} {{if $profile.network_name}}
{{$network}}
{{$profile.network_name}}
{{/if}} {{if $location}}
{{$location}}
- {{if $profile.address}}
{{$profile.address}}
{{/if}} + {{if $profile.address}}
{{$profile.address}}
{{/if}} - {{$profile.locality}}{{if $profile.locality}}, {{/if}} - {{$profile.region}} - {{$profile.postal_code}} + {{$profile.locality}}{{if $profile.locality}}, {{/if}} + {{$profile.region}} + {{$profile.postal_code}} - {{if $profile.country_name}}{{$profile.country_name}}{{/if}} + {{if $profile.country_name}}{{$profile.country_name}}{{/if}}
{{/if}} - {{if $gender}}
{{$gender}}
{{$profile.gender}}
{{/if}} + {{if $gender}}
{{$gender}}
{{$profile.gender}}
{{/if}} - {{if $profile.pubkey}}{{/if}} + {{if $profile.pubkey}}{{/if}} {{if $marital}}
{{$marital}}
{{$profile.marital}}
{{/if}} - {{if $homepage}}
{{$homepage}}
{{$profile.homepage}}
{{/if}} + {{if $homepage}}
{{$homepage}}
{{$profile.homepage}}
{{/if}} {{include file="diaspora_vcard.tpl"}} diff --git a/view/theme/vier/templates/profile_vcard.tpl b/view/theme/vier/templates/profile_vcard.tpl index 669acbef7f..644c3d7e5d 100644 --- a/view/theme/vier/templates/profile_vcard.tpl +++ b/view/theme/vier/templates/profile_vcard.tpl @@ -1,15 +1,15 @@ -
+
-
{{$profile.name}}
+
{{$profile.name}}
{{if $profile.edit}}
{{$profile.edit.1}}

{{$diagnosticstxt}}

-
    + From a97d4383a136492e3480fe25586858944d8a7d5f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 8 Feb 2015 15:59:22 +0100 Subject: [PATCH 161/294] Searching for items now always searches public entries from the central item storage with uid=0. --- include/threads.php | 4 ++-- mod/search.php | 41 +++++++++++++++++++++++++++++++++++------ 2 files changed, 37 insertions(+), 8 deletions(-) diff --git a/include/threads.php b/include/threads.php index bd0cb04899..9bc51052e8 100644 --- a/include/threads.php +++ b/include/threads.php @@ -20,8 +20,8 @@ function add_thread($itemid, $onlyshadow = false) { } // Store a shadow copy of public items for displaying a global community page? - if (!get_config('system', 'global_community')) - return; + //if (!get_config('system', 'global_community')) + // return; // is it already a copy? if (($itemid == 0) OR ($item['uid'] == 0)) diff --git a/mod/search.php b/mod/search.php index 57f42d640c..3f17e7a7ae 100644 --- a/mod/search.php +++ b/mod/search.php @@ -151,6 +151,7 @@ function search_content(&$a) { // No items will be shown if the member has a blocked profile wall. if(get_config('system', 'old_pager')) { +/* $r = q("SELECT distinct(`item`.`uri`) as `total` FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 @@ -161,7 +162,16 @@ function search_content(&$a) { $sql_extra ", intval(local_user()) ); -// $sql_extra group by `item`.`uri` ", +*/ + $r = q("SELECT distinct(`item`.`uri`) as `total` + FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` + AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 + WHERE `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0 + AND ((`item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' AND `item`.`private` = 0 AND `item`.`uid` = 0) + OR (`item`.`uid` = %d)) + $sql_extra ", + intval(local_user()) + ); if(count($r)) $a->set_pager_total(count($r)); @@ -172,25 +182,44 @@ function search_content(&$a) { } } +/* $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, - `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, + `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`, `user`.`nickname`, `user`.`uid`, `user`.`hidewall` FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 INNER JOIN `user` ON `user`.`uid` = `item`.`uid` WHERE `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0 - AND (( `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' AND `item`.`private` = 0 AND `user`.`hidewall` = 0 ) - OR ( `item`.`uid` = %d )) - $sql_extra GROUP BY `item`.`uri` + AND ((`item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' AND `item`.`private` = 0 AND `user`.`hidewall` = 0) + OR (`item`.`uid` = %d)) + $sql_extra + GROUP BY `item`.`uri` + ORDER BY $sql_order DESC LIMIT %d , %d ", + intval(local_user()), + intval($a->pager['start']), + intval($a->pager['itemspage']) + + ); +*/ + $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, + `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, + `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, + `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid` + FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` + AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 + WHERE `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0 + AND ((`item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' AND `item`.`private` = 0 AND `item`.`uid`=0) + OR `item`.`uid` = %d) + $sql_extra + GROUP BY `item`.`uri` ORDER BY $sql_order DESC LIMIT %d , %d ", intval(local_user()), intval($a->pager['start']), intval($a->pager['itemspage']) ); -// group by `item`.`uri` if(! count($r)) { info( t('No results.') . EOL); From 10c7ab76a2e89738a08fdb25ccf31b4c11826448 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 8 Feb 2015 16:03:23 +0100 Subject: [PATCH 162/294] Added thread update for central item storage in the update procedure. --- boot.php | 2 +- update.php | 9 ++++++++- 2 files changed, 9 insertions(+), 2 deletions(-) diff --git a/boot.php b/boot.php index dd6bc6ac5d..8e337dda6e 100644 --- a/boot.php +++ b/boot.php @@ -18,7 +18,7 @@ define ( 'FRIENDICA_PLATFORM', 'Friendica'); define ( 'FRIENDICA_CODENAME', 'Ginger'); define ( 'FRIENDICA_VERSION', '3.3.3-RC' ); define ( 'DFRN_PROTOCOL_VERSION', '2.23' ); -define ( 'DB_UPDATE_VERSION', 1178 ); +define ( 'DB_UPDATE_VERSION', 1179 ); define ( 'EOL', "
    \r\n" ); define ( 'ATOM_TIME', 'Y-m-d\TH:i:s\Z' ); diff --git a/update.php b/update.php index e80de3526a..57500b10d9 100644 --- a/update.php +++ b/update.php @@ -1,6 +1,6 @@ Date: Sun, 8 Feb 2015 20:35:40 +0100 Subject: [PATCH 163/294] Moved several settings from .htconfig.php to the admin settings page. --- boot.php | 5 ++++ include/bbcode.php | 6 ----- include/html2plain.php | 6 ----- include/nav.php | 4 ++- mod/admin.php | 46 ++++++++++++++++++++++++++--------- mod/community.php | 2 +- update.php | 3 +++ view/templates/admin_site.tpl | 7 +++++- 8 files changed, 52 insertions(+), 27 deletions(-) diff --git a/boot.php b/boot.php index 8e337dda6e..c136dc5744 100644 --- a/boot.php +++ b/boot.php @@ -127,6 +127,11 @@ define ( 'PAGE_FREELOVE', 3 ); define ( 'PAGE_BLOG', 4 ); define ( 'PAGE_PRVGROUP', 5 ); +// Type of the community page +define ( 'CP_NO_COMMUNITY_PAGE', -1 ); +define ( 'CP_USERS_ON_SERVER', 0 ); +define ( 'CP_GLOBAL_COMMUNITY', 1 ); + /** * Network and protocol family types */ diff --git a/include/bbcode.php b/include/bbcode.php index c08c6d4d95..9a3563527a 100644 --- a/include/bbcode.php +++ b/include/bbcode.php @@ -1183,12 +1183,6 @@ function bbcode($Text,$preserve_nl = false, $tryoembed = true, $simplehtml = fal //$Text = str_replace('
  • ','
  • ', $Text); // $Text = str_replace('
    save_timestamp($stamp1, "parser"); diff --git a/include/html2plain.php b/include/html2plain.php index f09087e0b0..1d5910d83b 100644 --- a/include/html2plain.php +++ b/include/html2plain.php @@ -113,12 +113,6 @@ function html2plain($html, $wraplength = 75, $compact = false) $message = str_replace("\r", "", $html); - // replace all hashtag addresses -/* if (get_config("system", "remove_hashtags_on_export")) { - $pattern = '/#(.*?)<\/a>/is'; - $message = preg_replace($pattern, '#$2', $message); - } -*/ $doc = new DOMDocument(); $doc->preserveWhiteSpace = false; diff --git a/include/nav.php b/include/nav.php index 7708f09e6b..9ea3b4b7f5 100644 --- a/include/nav.php +++ b/include/nav.php @@ -125,8 +125,10 @@ function nav_info(&$a) { if(strlen($gdir)) $gdirpath = $gdir; } - elseif(! get_config('system','no_community_page')) + elseif(get_config('system','community_page_style') == CP_USERS_ON_SERVER) $nav['community'] = array('community', t('Community'), "", t('Conversations on this site')); + elseif(get_config('system','community_page_style') == CP_GLOBAL_COMMUNITY) + $nav['community'] = array('community', t('Community'), "", t('Conversations on the network')); $nav['directory'] = array($gdirpath, t('Directory'), "", t('People directory')); diff --git a/mod/admin.php b/mod/admin.php index 923795e426..0aa9023738 100644 --- a/mod/admin.php +++ b/mod/admin.php @@ -312,8 +312,10 @@ function admin_page_site_post(&$a){ $sitename = ((x($_POST,'sitename')) ? notags(trim($_POST['sitename'])) : ''); $hostname = ((x($_POST,'hostname')) ? notags(trim($_POST['hostname'])) : ''); - $sender_email = ((x($_POST,'sender_email')) ? notags(trim($_POST['sender_email'])) : ''); + $sender_email = ((x($_POST,'sender_email')) ? notags(trim($_POST['sender_email'])) : ''); $banner = ((x($_POST,'banner')) ? trim($_POST['banner']) : false); + $shortcut_icon = ((x($_POST,'shortcut_icon')) ? notags(trim($_POST['shortcut_icon'])) : ''); + $touch_icon = ((x($_POST,'touch_icon')) ? notags(trim($_POST['touch_icon'])) : ''); $info = ((x($_POST,'info')) ? trim($_POST['info']) : false); $language = ((x($_POST,'language')) ? notags(trim($_POST['language'])) : ''); $theme = ((x($_POST,'theme')) ? notags(trim($_POST['theme'])) : ''); @@ -345,7 +347,8 @@ function admin_page_site_post(&$a){ $no_openid = !((x($_POST,'no_openid')) ? True : False); $no_regfullname = !((x($_POST,'no_regfullname')) ? True : False); $no_utf = !((x($_POST,'no_utf')) ? True : False); - $no_community_page = !((x($_POST,'no_community_page')) ? True : False); + $community_page_style = ((x($_POST,'community_page_style')) ? intval(trim($_POST['community_page_style'])) : 0); + $max_author_posts_community_page = ((x($_POST,'max_author_posts_community_page')) ? intval(trim($_POST['max_author_posts_community_page'])) : 0); $verifyssl = ((x($_POST,'verifyssl')) ? True : False); $proxyuser = ((x($_POST,'proxyuser')) ? notags(trim($_POST['proxyuser'])) : ''); @@ -356,13 +359,14 @@ function admin_page_site_post(&$a){ $maxloadavg = ((x($_POST,'maxloadavg')) ? intval(trim($_POST['maxloadavg'])) : 50); $dfrn_only = ((x($_POST,'dfrn_only')) ? True : False); $ostatus_disabled = !((x($_POST,'ostatus_disabled')) ? True : False); - $ostatus_poll_interval = ((x($_POST,'ostatus_poll_interval')) ? intval(trim($_POST['ostatus_poll_interval'])) : 0); + $ostatus_poll_interval = ((x($_POST,'ostatus_poll_interval')) ? intval(trim($_POST['ostatus_poll_interval'])) : 0); $diaspora_enabled = ((x($_POST,'diaspora_enabled')) ? True : False); $ssl_policy = ((x($_POST,'ssl_policy')) ? intval($_POST['ssl_policy']) : 0); $force_ssl = ((x($_POST,'force_ssl')) ? True : False); $old_share = ((x($_POST,'old_share')) ? True : False); $hide_help = ((x($_POST,'hide_help')) ? True : False); $suppress_language = ((x($_POST,'suppress_language')) ? True : False); + $suppress_tags = ((x($_POST,'suppress_tags')) ? True : False); $use_fulltext_engine = ((x($_POST,'use_fulltext_engine')) ? True : False); $itemcache = ((x($_POST,'itemcache')) ? notags(trim($_POST['itemcache'])) : ''); $itemcache_duration = ((x($_POST,'itemcache_duration')) ? intval($_POST['itemcache_duration']) : 0); @@ -373,6 +377,7 @@ function admin_page_site_post(&$a){ $singleuser = ((x($_POST,'singleuser')) ? notags(trim($_POST['singleuser'])) : ''); $proxy_disabled = ((x($_POST,'proxy_disabled')) ? True : False); $old_pager = ((x($_POST,'old_pager')) ? True : False); + $only_tag_search = ((x($_POST,'only_tag_search')) ? True : False); if($ssl_policy != intval(get_config('system','ssl_policy'))) { if($ssl_policy == SSL_POLICY_FULL) { @@ -422,6 +427,9 @@ function admin_page_site_post(&$a){ set_config('config','hostname',$hostname); set_config('config','sender_email', $sender_email); set_config('system','suppress_language',$suppress_language); + set_config('system','suppress_tags',$suppress_tags); + set_config('system','shortcut_icon',$shortcut_icon); + set_config('system','touch_icon',$touch_icon); if ($banner==""){ // don't know why, but del_config doesn't work... q("DELETE FROM `config` WHERE `cat` = '%s' AND `k` = '%s' LIMIT 1", @@ -478,7 +486,8 @@ function admin_page_site_post(&$a){ set_config('system','block_extended_register', $no_multi_reg); set_config('system','no_openid', $no_openid); set_config('system','no_regfullname', $no_regfullname); - set_config('system','no_community_page', $no_community_page); + set_config('system','community_page_style', $community_page_style); + set_config('system','max_author_posts_community_page', $max_author_posts_community_page); set_config('system','no_utf', $no_utf); set_config('system','verifyssl', $verifyssl); set_config('system','proxyuser', $proxyuser); @@ -486,7 +495,7 @@ function admin_page_site_post(&$a){ set_config('system','curl_timeout', $timeout); set_config('system','dfrn_only', $dfrn_only); set_config('system','ostatus_disabled', $ostatus_disabled); - set_config('system','ostatus_poll_interval', $ostatus_poll_interval); + set_config('system','ostatus_poll_interval', $ostatus_poll_interval); set_config('system','diaspora_enabled', $diaspora_enabled); set_config('config','private_addons', $private_addons); @@ -502,6 +511,7 @@ function admin_page_site_post(&$a){ set_config('system','basepath', $basepath); set_config('system','proxy_disabled', $proxy_disabled); set_config('system','old_pager', $old_pager); + set_config('system','only_tag_search', $only_tag_search); info( t('Site settings updated.') . EOL); goaway($a->get_baseurl(true) . '/admin/site' ); @@ -547,14 +557,21 @@ function admin_page_site(&$a) { } } + /* Community page style */ + $community_page_style_choices = array( + CP_NO_COMMUNITY_PAGE => t("No community page"), + CP_USERS_ON_SERVER => t("Public postings from users of this site"), + CP_GLOBAL_COMMUNITY => t("Global community page") + ); + /* OStatus conversation poll choices */ $ostatus_poll_choices = array( - "-2" => t("Never"), - "-1" => t("At post arrival"), - "0" => t("Frequently"), - "60" => t("Hourly"), - "720" => t("Twice daily"), - "1440" => t("Daily") + "-2" => t("Never"), + "-1" => t("At post arrival"), + "0" => t("Frequently"), + "60" => t("Hourly"), + "720" => t("Twice daily"), + "1440" => t("Daily") ); /* get user names to make the install a personal install of X */ @@ -613,6 +630,8 @@ function admin_page_site(&$a) { '$hostname' => array('hostname', t("Host name"), $a->config['hostname'], ""), '$sender_email' => array('sender_email', t("Sender Email"), $a->config['sender_email'], "The email address your server shall use to send notification emails from.", "", "", "email"), '$banner' => array('banner', t("Banner/Logo"), $banner, ""), + '$shortcut_icon' => array('shortcut_icon', t("Shortcut icon"), get_config('system','shortcut_icon'), "Link to an icon that will be used for browsers."), + '$touch_icon' => array('touch_icon', t("Touch icon"), get_config('system','touch_icon'), "Link to an icon that will be used for tablets and mobiles."), '$info' => array('info',t('Additional Info'), $info, t('For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo.')), '$language' => array('language', t("System language"), get_config('system','language'), "", $lang_choices), '$theme' => array('theme', t("System theme"), get_config('system','theme'), t("Default system theme - may be over-ridden by user profiles - change theme settings"), $theme_choices), @@ -645,7 +664,8 @@ function admin_page_site(&$a) { '$no_openid' => array('no_openid', t("OpenID support"), !get_config('system','no_openid'), t("OpenID support for registration and logins.")), '$no_regfullname' => array('no_regfullname', t("Fullname check"), !get_config('system','no_regfullname'), t("Force users to register with a space between firstname and lastname in Full name, as an antispam measure")), '$no_utf' => array('no_utf', t("UTF-8 Regular expressions"), !get_config('system','no_utf'), t("Use PHP UTF8 regular expressions")), - '$no_community_page' => array('no_community_page', t("Show Community Page"), !get_config('system','no_community_page'), t("Display a Community page showing all recent public postings on this site.")), + '$community_page_style' => array('community_page_style', t("Community Page Style"), get_config('system','community_page_style'), t("Type of community page to show. 'Global community' shows every public posting from an open distributed network that arrived on this server."), $community_page_style_choices), + '$max_author_posts_community_page' => array('max_author_posts_community_page', t("Posts per user on community page"), get_config('system','max_author_posts_community_page'), t("The maximum number of posts per user on the community page. (Not valid for 'Global Community')")), '$ostatus_disabled' => array('ostatus_disabled', t("Enable OStatus support"), !get_config('system','ostatus_disabled'), t("Provide built-in OStatus \x28StatusNet, GNU Social etc.\x29 compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed.")), '$ostatus_poll_interval' => array('ostatus_poll_interval', t("OStatus conversation completion interval"), (string) intval(get_config('system','ostatus_poll_interval')), t("How often shall the poller check for new entries in OStatus conversations? This can be a very ressource task."), $ostatus_poll_choices), '$diaspora_enabled' => array('diaspora_enabled', t("Enable Diaspora support"), get_config('system','diaspora_enabled'), t("Provide built-in Diaspora network compatibility.")), @@ -660,6 +680,7 @@ function admin_page_site(&$a) { '$use_fulltext_engine' => array('use_fulltext_engine', t("Use MySQL full text engine"), get_config('system','use_fulltext_engine'), t("Activates the full text engine. Speeds up search - but can only search for four and more characters.")), '$suppress_language' => array('suppress_language', t("Suppress Language"), get_config('system','suppress_language'), t("Suppress language information in meta information about a posting.")), + '$suppress_tags' => array('suppress_tags', t("Suppress Tags"), get_config('system','suppress_tags'), t("Suppress showing a list of hashtags at the end of the posting.")), '$itemcache' => array('itemcache', t("Path to item cache"), get_config('system','itemcache'), "The item caches buffers generated bbcode and external images."), '$itemcache_duration' => array('itemcache_duration', t("Cache duration in seconds"), get_config('system','itemcache_duration'), t("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.")), '$max_comments' => array('max_comments', t("Maximum numbers of comments per post"), get_config('system','max_comments'), t("How much comments should be shown for each post? Default value is 100.")), @@ -668,6 +689,7 @@ function admin_page_site(&$a) { '$basepath' => array('basepath', t("Base path to installation"), get_config('system','basepath'), "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."), '$proxy_disabled' => array('proxy_disabled', t("Disable picture proxy"), get_config('system','proxy_disabled'), t("The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith.")), '$old_pager' => array('old_pager', t("Enable old style pager"), get_config('system','old_pager'), t("The old style pager has page numbers but slows down massively the page speed.")), + '$only_tag_search' => array('only_tag_search', t("Only search in tags"), get_config('system','only_tag_search'), t("On large systems the text search can slow down the system extremely.")), '$relocate_url' => array('relocate_url', t("New base url"), $a->get_baseurl(), "Change base url for this server. Sends relocate message to all DFRN contacts of all users."), '$form_security_token' => get_form_security_token("admin_site") diff --git a/mod/community.php b/mod/community.php index e3d2b77c00..a32b0d7ac9 100644 --- a/mod/community.php +++ b/mod/community.php @@ -19,7 +19,7 @@ function community_content(&$a, $update = 0) { return; } - if(get_config('system','no_community_page')) { + if(get_config('system','community_page_style') == CP_NO_COMMUNITY_PAGE) { notice( t('Not available.') . EOL); return; } diff --git a/update.php b/update.php index 57500b10d9..53cd0e305c 100644 --- a/update.php +++ b/update.php @@ -1632,6 +1632,9 @@ function update_1177() { } function update_1178() { + if (get_config('system','no_community_page')) + set_config('system','community_page_style', CP_NO_COMMUNITY_PAGE); + // Update the central item storage with uid=0 proc_run('php',"include/threadupdate.php"); diff --git a/view/templates/admin_site.tpl b/view/templates/admin_site.tpl index e1930bc5cb..38db510a3c 100644 --- a/view/templates/admin_site.tpl +++ b/view/templates/admin_site.tpl @@ -48,6 +48,8 @@ {{include file="field_input.tpl" field=$hostname}} {{include file="field_input.tpl" field=$sender_email}} {{include file="field_textarea.tpl" field=$banner}} + {{include file="field_input.tpl" field=$shortcut_icon}} + {{include file="field_input.tpl" field=$touch_icon}} {{include file="field_textarea.tpl" field=$info}} {{include file="field_select.tpl" field=$language}} {{include file="field_select.tpl" field=$theme}} @@ -81,7 +83,8 @@ {{include file="field_input.tpl" field=$allowed_email}} {{include file="field_checkbox.tpl" field=$block_public}} {{include file="field_checkbox.tpl" field=$force_publish}} - {{include file="field_checkbox.tpl" field=$no_community_page}} + {{include file="field_select.tpl" field=$community_page_style}} + {{include file="field_input.tpl" field=$max_author_posts_community_page}} {{include file="field_checkbox.tpl" field=$ostatus_disabled}} {{include file="field_select.tpl" field=$ostatus_poll_interval}} {{include file="field_checkbox.tpl" field=$diaspora_enabled}} @@ -109,9 +112,11 @@ {{include file="field_input.tpl" field=$temppath}} {{include file="field_input.tpl" field=$basepath}} {{include file="field_checkbox.tpl" field=$suppress_language}} + {{include file="field_checkbox.tpl" field=$suppress_tags}}

    {{$performance}}

    {{include file="field_checkbox.tpl" field=$use_fulltext_engine}} + {{include file="field_checkbox.tpl" field=$only_tag_search}} {{include file="field_input.tpl" field=$itemcache}} {{include file="field_input.tpl" field=$itemcache_duration}} {{include file="field_input.tpl" field=$max_comments}} From 456b6b17c09cb79e64d1176b901b6905b4b95cb0 Mon Sep 17 00:00:00 2001 From: fabrixxm Date: Sun, 8 Feb 2015 20:53:30 +0100 Subject: [PATCH 164/294] Update CHANGELOG fix spelling --- CHANGELOG | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG b/CHANGELOG index 5484c5511a..c6de0ae49a 100644 --- a/CHANGELOG +++ b/CHANGELOG @@ -1,17 +1,17 @@ Version 3.3.3 More separation between php and html in photo album (issue #1258) (rabuzarus) - Enhanced community page shows pubblic posts from public contacts of public profiles (annando) + Enhanced community page shows public posts from public contacts of public profiles (annando) Support for IndieAuth/Web-sign-in (hauke) New hooks "emailer_send_prepare" and "emailer_send" (fabrixxm) New hook "oembed_fetch_url" (annando) Add un/ignore function to quattro theme (tobiasd) - Enanched POCO data (annando) + Enhanced POCO data (annando) Use HTML5 features to validate inputs in install wizard and in some settings fields (tobiasd) Option to receive text-only notification emails (fabrixxm) Better OStatus support (annando) Share-it button support (annando) - More reliable reshare to Diaspora (annando) + More reliable reshare from Diaspora (annando) Load more images via proxy (annando) util/typo.php uses "php -l" insead of "eval()" to validate code (fabrixxm) Use $_SERVER array in cli script instead of $argv/$argc (issue #1218) (annando) @@ -21,7 +21,7 @@ Version 3.3.3 Fix missing spaces in photo URLs (issue #920) (annando) Fix avatar for "remote-self" items (annando) Fix encodings issues with scrape functionality (annando) - Fix site info scaping when URL points to big file (annando) + Fix site info scraping when URL points to big file (annando) Fix tools for translations (ddorian1) Fix API login via LDAP (issue #1286) (fabrixxm) Fix to link URL in tabs, pager (issues #1341, #1190) (ddorian1) From 2a02e1cb9ce3306be22865417fa04b05571edd36 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 8 Feb 2015 20:55:48 +0100 Subject: [PATCH 165/294] Just cleaning up the code. --- mod/search.php | 33 --------------------------------- 1 file changed, 33 deletions(-) diff --git a/mod/search.php b/mod/search.php index 3f17e7a7ae..d3cf2b1286 100644 --- a/mod/search.php +++ b/mod/search.php @@ -151,18 +151,6 @@ function search_content(&$a) { // No items will be shown if the member has a blocked profile wall. if(get_config('system', 'old_pager')) { -/* - $r = q("SELECT distinct(`item`.`uri`) as `total` - FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` - AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 - INNER JOIN `user` ON `user`.`uid` = `item`.`uid` - WHERE `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0 - AND (( `item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' AND `item`.`private` = 0 AND `user`.`hidewall` = 0) - OR ( `item`.`uid` = %d )) - $sql_extra ", - intval(local_user()) - ); -*/ $r = q("SELECT distinct(`item`.`uri`) as `total` FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 @@ -182,27 +170,6 @@ function search_content(&$a) { } } -/* - $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, - `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, - `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, - `contact`.`id` AS `cid`, `contact`.`uid` AS `contact-uid`, - `user`.`nickname`, `user`.`uid`, `user`.`hidewall` - FROM $sql_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` - AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 - INNER JOIN `user` ON `user`.`uid` = `item`.`uid` - WHERE `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0 - AND ((`item`.`allow_cid` = '' AND `item`.`allow_gid` = '' AND `item`.`deny_cid` = '' AND `item`.`deny_gid` = '' AND `item`.`private` = 0 AND `user`.`hidewall` = 0) - OR (`item`.`uid` = %d)) - $sql_extra - GROUP BY `item`.`uri` - ORDER BY $sql_order DESC LIMIT %d , %d ", - intval(local_user()), - intval($a->pager['start']), - intval($a->pager['itemspage']) - - ); -*/ $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, `contact`.`name`, `contact`.`photo`, `contact`.`url`, `contact`.`alias`, `contact`.`rel`, `contact`.`network`, `contact`.`thumb`, `contact`.`self`, `contact`.`writable`, From 136626c1996b93ecaadaa5f1a84092a20fae1d28 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 8 Feb 2015 21:03:04 +0100 Subject: [PATCH 166/294] Just a little bit more code clean up. --- include/threads.php | 4 ---- 1 file changed, 4 deletions(-) diff --git a/include/threads.php b/include/threads.php index 9bc51052e8..cefba2d6c0 100644 --- a/include/threads.php +++ b/include/threads.php @@ -19,10 +19,6 @@ function add_thread($itemid, $onlyshadow = false) { logger("add_thread: Add thread for item ".$itemid." - ".print_r($result, true), LOGGER_DEBUG); } - // Store a shadow copy of public items for displaying a global community page? - //if (!get_config('system', 'global_community')) - // return; - // is it already a copy? if (($itemid == 0) OR ($item['uid'] == 0)) return; From 842ac46857b7cc10f2fc2e653b350be2a3508cfe Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 8 Feb 2015 23:35:29 +0100 Subject: [PATCH 167/294] Scrape now contains the number of contacts as well. --- boot.php | 15 ++++++++++++++- mod/noscrape.php | 13 +++++++++++++ view/templates/profile_vcard.tpl | 2 ++ view/theme/vier/templates/profile_vcard.tpl | 2 ++ 4 files changed, 31 insertions(+), 1 deletion(-) diff --git a/boot.php b/boot.php index dd6bc6ac5d..96b19add13 100644 --- a/boot.php +++ b/boot.php @@ -1673,8 +1673,20 @@ if(! function_exists('profile_sidebar')) { if (!$block){ $contact_block = contact_block(); - } + if(is_array($a->profile) AND !$a->profile['hide-friends']) { + $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 + AND `network` IN ('%s', '%s', '%s', '%s', '')", + intval($a->profile['uid']), + dbesc(NETWORK_DFRN), + dbesc(NETWORK_DIASPORA), + dbesc(NETWORK_OSTATUS), + dbesc(NETWORK_STATUSNET) + ); + if(count($r)) + $contacts = intval($r[0]['total']); + } + } $p = array(); foreach($profile as $k => $v) { @@ -1699,6 +1711,7 @@ if(! function_exists('profile_sidebar')) { '$homepage' => $homepage, '$about' => $about, '$network' => t('Network:'), + '$contacts' => $contacts, '$diaspora' => $diaspora, '$contact_block' => $contact_block, )); diff --git a/mod/noscrape.php b/mod/noscrape.php index 10df72eeb8..a93abd29a8 100644 --- a/mod/noscrape.php +++ b/mod/noscrape.php @@ -31,6 +31,19 @@ function noscrape_init(&$a) { 'tags' => $keywords ); + if(is_array($a->profile) AND !$a->profile['hide-friends']) { + $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 + AND `network` IN ('%s', '%s', '%s', '%s', '')", + intval($a->profile['uid']), + dbesc(NETWORK_DFRN), + dbesc(NETWORK_DIASPORA), + dbesc(NETWORK_OSTATUS), + dbesc(NETWORK_STATUSNET) + ); + if(count($r)) + $json_info["contacts"] = intval($r[0]['total']); + } + //These are optional fields. $profile_fields = array('pdesc', 'locality', 'region', 'postal-code', 'country-name', 'gender', 'marital', 'about'); foreach($profile_fields as $field) diff --git a/view/templates/profile_vcard.tpl b/view/templates/profile_vcard.tpl index 9bbb7f8a42..097d44cc3b 100644 --- a/view/templates/profile_vcard.tpl +++ b/view/templates/profile_vcard.tpl @@ -31,6 +31,8 @@ {{if $profile.pubkey}}{{/if}} + {{if $contacts}}{{/if}} + {{if $marital}}
    {{$marital}}
    {{$profile.marital}}
    {{/if}} {{if $homepage}}
    {{$homepage}}
    {{$profile.homepage}}
    {{/if}} diff --git a/view/theme/vier/templates/profile_vcard.tpl b/view/theme/vier/templates/profile_vcard.tpl index 9d0c65601a..ca5f44cf1c 100644 --- a/view/theme/vier/templates/profile_vcard.tpl +++ b/view/theme/vier/templates/profile_vcard.tpl @@ -40,6 +40,8 @@ {{if $profile.pubkey}}{{/if}} + {{if $contacts}}{{/if}} + {{if $marital}}
    {{$marital}}
    {{$profile.marital}}
    {{/if}} {{if $homepage}}
    {{$homepage}}
    {{$profile.homepage}}
    {{/if}} From c0411ae25a792c100216f651ec784c047e7df7fd Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 8 Feb 2015 23:50:45 +0100 Subject: [PATCH 168/294] Enhanced SQL query so that the search is faster. --- mod/search.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/mod/search.php b/mod/search.php index d3cf2b1286..338b377e8d 100644 --- a/mod/search.php +++ b/mod/search.php @@ -130,8 +130,8 @@ function search_content(&$a) { if($tag) { $sql_extra = ""; - $sql_table = sprintf("`item` INNER JOIN (SELECT `oid` FROM `term` WHERE `term` = '%s' AND `otype` = %d AND `type` = %d) AS `term` ON `item`.`id` = `term`.`oid` ", - dbesc(protect_sprintf($search)), intval(TERM_OBJ_POST), intval(TERM_HASHTAG)); + $sql_table = sprintf("`item` INNER JOIN (SELECT `oid` FROM `term` WHERE `term` = '%s' AND `otype` = %d AND `type` = %d AND `uid` IN (%d, 0)) AS `term` ON `item`.`id` = `term`.`oid` ", + dbesc(protect_sprintf($search)), intval(TERM_OBJ_POST), intval(TERM_HASHTAG), intval(local_user())); $sql_order = "`item`.`id`"; } else { From 898d4b2a62306083f8517a816a7870e7c6651d1e Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 9 Feb 2015 07:57:03 +0100 Subject: [PATCH 169/294] CS update to the strings --- view/cs/messages.po | 46 ++++++++++++++++++++++----------------------- view/cs/strings.php | 42 ++++++++++++++++++++--------------------- 2 files changed, 44 insertions(+), 44 deletions(-) diff --git a/view/cs/messages.po b/view/cs/messages.po index ba1cb061f4..5d8a5096ea 100644 --- a/view/cs/messages.po +++ b/view/cs/messages.po @@ -10,8 +10,8 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2015-02-04 11:35+0100\n" -"PO-Revision-Date: 2015-02-05 09:47+0000\n" -"Last-Translator: fabrixxm \n" +"PO-Revision-Date: 2015-02-08 22:34+0000\n" +"Last-Translator: Michal Šupler \n" "Language-Team: Czech (http://www.transifex.com/projects/p/friendica/language/cs/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -614,77 +614,77 @@ msgstr "standardní" #: ../../view/theme/clean/config.php:57 msgid "Midnight" -msgstr "" +msgstr "půlnoc" #: ../../view/theme/clean/config.php:58 msgid "Bootstrap" -msgstr "" +msgstr "Bootstrap" #: ../../view/theme/clean/config.php:59 msgid "Shades of Pink" -msgstr "" +msgstr "Odstíny růžové" #: ../../view/theme/clean/config.php:60 msgid "Lime and Orange" -msgstr "" +msgstr "Limetka a pomeranč" #: ../../view/theme/clean/config.php:61 msgid "GeoCities Retro" -msgstr "" +msgstr "GeoCities Retro" #: ../../view/theme/clean/config.php:85 msgid "Background Image" -msgstr "" +msgstr "Obrázek pozadí" #: ../../view/theme/clean/config.php:85 msgid "" "The URL to a picture (e.g. from your photo album) that should be used as " "background image." -msgstr "" +msgstr "URL odkaz na obrázek (např. z Vašeho foto alba), který bude použit jako obrázek na pozadí." #: ../../view/theme/clean/config.php:86 msgid "Background Color" -msgstr "" +msgstr "Barva pozadí" #: ../../view/theme/clean/config.php:86 msgid "HEX value for the background color. Don't include the #" -msgstr "" +msgstr "HEXadecimální hodnota barvy pozadí. Nevkládejte znak #" #: ../../view/theme/clean/config.php:88 msgid "font size" -msgstr "" +msgstr "velikost fondu" #: ../../view/theme/clean/config.php:88 msgid "base font size for your interface" -msgstr "" +msgstr "základní velikost fontu" #: ../../view/theme/duepuntozero/config.php:45 msgid "greenzero" -msgstr "" +msgstr "zelená nula" #: ../../view/theme/duepuntozero/config.php:46 msgid "purplezero" -msgstr "" +msgstr "fialová nula" #: ../../view/theme/duepuntozero/config.php:47 msgid "easterbunny" -msgstr "" +msgstr "velikonoční zajíček" #: ../../view/theme/duepuntozero/config.php:48 msgid "darkzero" -msgstr "" +msgstr "tmavá nula" #: ../../view/theme/duepuntozero/config.php:49 msgid "comix" -msgstr "" +msgstr "komiksová" #: ../../view/theme/duepuntozero/config.php:50 msgid "slackr" -msgstr "" +msgstr "flákač" #: ../../view/theme/duepuntozero/config.php:62 msgid "Variations" -msgstr "" +msgstr "Variace" #: ../../view/theme/vier/config.php:56 #: ../../view/theme/vier-mobil/config.php:50 @@ -2050,11 +2050,11 @@ msgstr "Logy" #: ../../mod/admin.php:124 msgid "probe address" -msgstr "" +msgstr "vyzkoušet adresu" #: ../../mod/admin.php:125 msgid "check webfinger" -msgstr "" +msgstr "vyzkoušet webfinger" #: ../../mod/admin.php:130 ../../include/nav.php:182 msgid "Admin" @@ -6233,7 +6233,7 @@ msgid "" "\n" "\n" "\t\tThank you and welcome to %2$s." -msgstr "" +msgstr "\n\t\tVaše přihlašovací údaje jsou následující:\n\t\t\tAdresa webu:\t%3$s\n\t\t\tpřihlašovací jméno:\t%1$s\n\t\t\theslo:\t%5$s\n\n\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou.\n\n\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné.\n\t\tPokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\n\t\tDíky a vítejte na %2$s." #: ../../include/conversation.php:207 #, php-format diff --git a/view/cs/strings.php b/view/cs/strings.php index 1dcc73c40a..d8c9eda05f 100644 --- a/view/cs/strings.php +++ b/view/cs/strings.php @@ -120,24 +120,24 @@ $a->strings["Set resize level for images in posts and comments (width and height $a->strings["Set theme width"] = "Nastavení šířku grafické šablony"; $a->strings["Set colour scheme"] = "Nastavit barevné schéma"; $a->strings["default"] = "standardní"; -$a->strings["Midnight"] = ""; -$a->strings["Bootstrap"] = ""; -$a->strings["Shades of Pink"] = ""; -$a->strings["Lime and Orange"] = ""; -$a->strings["GeoCities Retro"] = ""; -$a->strings["Background Image"] = ""; -$a->strings["The URL to a picture (e.g. from your photo album) that should be used as background image."] = ""; -$a->strings["Background Color"] = ""; -$a->strings["HEX value for the background color. Don't include the #"] = ""; -$a->strings["font size"] = ""; -$a->strings["base font size for your interface"] = ""; -$a->strings["greenzero"] = ""; -$a->strings["purplezero"] = ""; -$a->strings["easterbunny"] = ""; -$a->strings["darkzero"] = ""; -$a->strings["comix"] = ""; -$a->strings["slackr"] = ""; -$a->strings["Variations"] = ""; +$a->strings["Midnight"] = "půlnoc"; +$a->strings["Bootstrap"] = "Bootstrap"; +$a->strings["Shades of Pink"] = "Odstíny růžové"; +$a->strings["Lime and Orange"] = "Limetka a pomeranč"; +$a->strings["GeoCities Retro"] = "GeoCities Retro"; +$a->strings["Background Image"] = "Obrázek pozadí"; +$a->strings["The URL to a picture (e.g. from your photo album) that should be used as background image."] = "URL odkaz na obrázek (např. z Vašeho foto alba), který bude použit jako obrázek na pozadí."; +$a->strings["Background Color"] = "Barva pozadí"; +$a->strings["HEX value for the background color. Don't include the #"] = "HEXadecimální hodnota barvy pozadí. Nevkládejte znak #"; +$a->strings["font size"] = "velikost fondu"; +$a->strings["base font size for your interface"] = "základní velikost fontu"; +$a->strings["greenzero"] = "zelená nula"; +$a->strings["purplezero"] = "fialová nula"; +$a->strings["easterbunny"] = "velikonoční zajíček"; +$a->strings["darkzero"] = "tmavá nula"; +$a->strings["comix"] = "komiksová"; +$a->strings["slackr"] = "flákač"; +$a->strings["Variations"] = "Variace"; $a->strings["Set style"] = "Nastavit styl"; $a->strings["Delete this item?"] = "Odstranit tuto položku?"; $a->strings["show fewer"] = "zobrazit méně"; @@ -421,8 +421,8 @@ $a->strings["Plugins"] = "Pluginy"; $a->strings["Themes"] = "Témata"; $a->strings["DB updates"] = "Aktualizace databáze"; $a->strings["Logs"] = "Logy"; -$a->strings["probe address"] = ""; -$a->strings["check webfinger"] = ""; +$a->strings["probe address"] = "vyzkoušet adresu"; +$a->strings["check webfinger"] = "vyzkoušet webfinger"; $a->strings["Admin"] = "Administrace"; $a->strings["Plugin Features"] = "Funkčnosti rozšíření"; $a->strings["diagnostics"] = "diagnostika"; @@ -1405,7 +1405,7 @@ $a->strings["An error occurred during registration. Please try again."] = "Došl $a->strings["An error occurred creating your default profile. Please try again."] = "Došlo k chybě při vytváření Vašeho výchozího profilu. Zkuste to prosím znovu."; $a->strings["Friends"] = "Přátelé"; $a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\n\t\tDrahý %1\$s,\n\t\t\tDěkujeme Vám za registraci na %2\$s. Váš účet byl vytvořen.\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["\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."] = "\n\t\tVaše přihlašovací údaje jsou následující:\n\t\t\tAdresa webu:\t%3\$s\n\t\t\tpřihlašovací jméno:\t%1\$s\n\t\t\theslo:\t%5\$s\n\n\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou.\n\n\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné.\n\t\tPokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\n\t\tDíky a vítejte na %2\$s."; $a->strings["%1\$s poked %2\$s"] = "%1\$s šťouchnul %2\$s"; $a->strings["poked"] = "šťouchnut"; $a->strings["post/item"] = "příspěvek/položka"; From e7b2c5dbf38343964a6d728bd62f2ced9505b444 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 9 Feb 2015 08:25:12 +0100 Subject: [PATCH 170/294] Bugfix: The value for "global community" wasn't read. --- mod/community.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/mod/community.php b/mod/community.php index a32b0d7ac9..3f0adff04f 100644 --- a/mod/community.php +++ b/mod/community.php @@ -113,8 +113,7 @@ function community_content(&$a, $update = 0) { } function community_getitems($start, $itemspage) { - // Work in progress - if (get_config('system', 'global_community')) + if (get_config('system','community_page_style') == CP_GLOBAL_COMMUNITY) return(community_getpublicitems($start, $itemspage)); $r = q("SELECT `item`.`uri`, `item`.*, `item`.`id` AS `item_id`, From e8155a6df054999d4e20545d1f70f3b08d87ab10 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 9 Feb 2015 08:58:22 +0100 Subject: [PATCH 171/294] regenerated master strings --- util/messages.po | 10001 ++++++++++++++++++++++----------------------- 1 file changed, 4984 insertions(+), 5017 deletions(-) diff --git a/util/messages.po b/util/messages.po index aad50fa448..8da90654a1 100644 --- a/util/messages.po +++ b/util/messages.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: \n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-02-04 11:35+0100\n" +"POT-Creation-Date: 2015-02-09 08:57+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -18,913 +18,514 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "" - -#: ../../object/Item.php:116 ../../mod/content.php:620 -#: ../../mod/photos.php:1359 -msgid "Private Message" -msgstr "" - -#: ../../object/Item.php:120 ../../mod/content.php:728 -#: ../../mod/settings.php:676 -msgid "Edit" -msgstr "" - -#: ../../object/Item.php:129 ../../mod/content.php:437 -#: ../../mod/content.php:740 ../../mod/photos.php:1653 -#: ../../include/conversation.php:613 -msgid "Select" -msgstr "" - -#: ../../object/Item.php:130 ../../mod/admin.php:985 ../../mod/content.php:438 -#: ../../mod/content.php:741 ../../mod/contacts.php:717 -#: ../../mod/settings.php:677 ../../mod/group.php:171 -#: ../../mod/photos.php:1654 ../../include/conversation.php:614 -msgid "Delete" -msgstr "" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -#: ../../mod/photos.php:1542 -msgid "I like this (toggle)" -msgstr "" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -#: ../../mod/photos.php:1543 -msgid "I don't like this (toggle)" -msgstr "" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "" - -#: ../../object/Item.php:316 ../../include/conversation.php:666 -msgid "Categories:" -msgstr "" - -#: ../../object/Item.php:317 ../../include/conversation.php:667 -msgid "Filed under:" -msgstr "" - -#: ../../object/Item.php:326 ../../object/Item.php:327 -#: ../../mod/content.php:471 ../../mod/content.php:852 -#: ../../mod/content.php:853 ../../include/conversation.php:654 +#: ../../mod/contacts.php:108 #, php-format -msgid "View %s's profile @ %s" -msgstr "" - -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "" - -#: ../../object/Item.php:329 -msgid "via" -msgstr "" - -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "" - -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "" - -#: ../../object/Item.php:340 ../../mod/content.php:481 -#: ../../mod/content.php:864 ../../include/conversation.php:674 -#, php-format -msgid "%s from %s" -msgstr "" - -#: ../../object/Item.php:361 ../../object/Item.php:677 ../../boot.php:745 -#: ../../mod/content.php:709 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -msgid "Comment" -msgstr "" - -#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/content.php:499 -#: ../../mod/content.php:883 ../../mod/message.php:334 -#: ../../mod/message.php:565 ../../mod/photos.php:1545 -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -msgid "Please wait" -msgstr "" - -#: ../../object/Item.php:387 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" +msgid "%d contact edited." +msgid_plural "%d contacts edited" msgstr[0] "" msgstr[1] "" -#: ../../object/Item.php:389 ../../object/Item.php:402 -#: ../../mod/content.php:605 ../../include/text.php:1972 -msgid "comment" -msgid_plural "comments" -msgstr[0] "" -msgstr[1] "" - -#: ../../object/Item.php:390 ../../boot.php:746 ../../mod/content.php:606 -#: ../../include/contact_widgets.php:205 -msgid "show more" +#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 +msgid "Could not access contact record." msgstr "" -#: ../../object/Item.php:675 ../../mod/content.php:707 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 -msgid "This is you" +#: ../../mod/contacts.php:153 +msgid "Could not locate selected profile." msgstr "" -#: ../../object/Item.php:678 ../../view/theme/perihel/config.php:95 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/diabook/config.php:148 -#: ../../view/theme/quattro/config.php:64 -#: ../../view/theme/zero-childs/cleanzero/config.php:80 -#: ../../view/theme/dispy/config.php:70 ../../view/theme/clean/config.php:82 -#: ../../view/theme/duepuntozero/config.php:59 -#: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:53 -#: ../../view/theme/vier-mobil/config.php:47 ../../mod/mood.php:137 -#: ../../mod/install.php:248 ../../mod/install.php:286 -#: ../../mod/crepair.php:186 ../../mod/content.php:710 -#: ../../mod/contacts.php:475 ../../mod/profiles.php:671 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/localtime.php:45 ../../mod/photos.php:1084 -#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 -#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 -#: ../../mod/photos.php:1697 ../../mod/poke.php:199 ../../mod/events.php:478 -#: ../../mod/fsuggest.php:107 ../../mod/invite.php:140 -#: ../../mod/manage.php:110 -msgid "Submit" +#: ../../mod/contacts.php:186 +msgid "Contact updated." msgstr "" -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" +#: ../../mod/contacts.php:188 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." msgstr "" -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "" - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "" - -#: ../../object/Item.php:687 ../../mod/editpost.php:145 -#: ../../mod/content.php:719 ../../mod/photos.php:1566 -#: ../../mod/photos.php:1610 ../../mod/photos.php:1698 -#: ../../include/conversation.php:1126 -msgid "Preview" -msgstr "" - -#: ../../index.php:212 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "" - -#: ../../index.php:256 ../../mod/help.php:90 -msgid "Not Found" -msgstr "" - -#: ../../index.php:259 ../../mod/help.php:93 -msgid "Page not found." -msgstr "" - -#: ../../index.php:368 ../../mod/group.php:72 ../../mod/profperm.php:19 -msgid "Permission denied" -msgstr "" - -#: ../../index.php:369 ../../mod/mood.php:114 ../../mod/display.php:499 -#: ../../mod/register.php:42 ../../mod/dfrn_confirm.php:55 -#: ../../mod/api.php:26 ../../mod/api.php:31 ../../mod/wallmessage.php:9 -#: ../../mod/wallmessage.php:33 ../../mod/wallmessage.php:79 -#: ../../mod/wallmessage.php:103 ../../mod/suggest.php:58 -#: ../../mod/network.php:4 ../../mod/install.php:151 ../../mod/editpost.php:10 -#: ../../mod/attach.php:33 ../../mod/regmod.php:110 ../../mod/crepair.php:119 -#: ../../mod/uimport.php:23 ../../mod/notes.php:20 ../../mod/contacts.php:254 -#: ../../mod/settings.php:102 ../../mod/settings.php:596 -#: ../../mod/settings.php:601 ../../mod/profiles.php:165 -#: ../../mod/profiles.php:603 ../../mod/group.php:19 ../../mod/follow.php:9 -#: ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/viewcontacts.php:24 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/wall_attach.php:55 -#: ../../mod/poke.php:135 ../../mod/wall_upload.php:66 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/events.php:140 ../../mod/delegate.php:12 ../../mod/nogroup.php:25 -#: ../../mod/fsuggest.php:78 ../../mod/item.php:168 ../../mod/item.php:184 -#: ../../mod/notifications.php:66 ../../mod/invite.php:15 -#: ../../mod/invite.php:101 ../../mod/manage.php:96 ../../mod/allfriends.php:9 -#: ../../include/items.php:4696 +#: ../../mod/contacts.php:254 ../../mod/manage.php:96 +#: ../../mod/display.php:499 ../../mod/profile_photo.php:19 +#: ../../mod/profile_photo.php:169 ../../mod/profile_photo.php:180 +#: ../../mod/profile_photo.php:193 ../../mod/follow.php:9 +#: ../../mod/item.php:168 ../../mod/item.php:184 ../../mod/group.php:19 +#: ../../mod/dfrn_confirm.php:55 ../../mod/fsuggest.php:78 +#: ../../mod/wall_upload.php:66 ../../mod/viewcontacts.php:24 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/crepair.php:119 +#: ../../mod/nogroup.php:25 ../../mod/network.php:4 ../../mod/allfriends.php:9 +#: ../../mod/events.php:140 ../../mod/install.php:151 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/wall_attach.php:55 ../../mod/settings.php:102 +#: ../../mod/settings.php:596 ../../mod/settings.php:601 +#: ../../mod/register.php:42 ../../mod/delegate.php:12 ../../mod/mood.php:114 +#: ../../mod/suggest.php:58 ../../mod/profiles.php:165 +#: ../../mod/profiles.php:618 ../../mod/editpost.php:10 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/regmod.php:110 ../../mod/uimport.php:23 +#: ../../mod/attach.php:33 ../../include/items.php:4712 ../../index.php:369 msgid "Permission denied." msgstr "" -#: ../../index.php:428 -msgid "toggle mobile" +#: ../../mod/contacts.php:287 +msgid "Contact has been blocked" msgstr "" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../mod/notifications.php:93 -#: ../../include/nav.php:105 ../../include/nav.php:146 -msgid "Home" +#: ../../mod/contacts.php:287 +msgid "Contact has been unblocked" msgstr "" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" +#: ../../mod/contacts.php:298 +msgid "Contact has been ignored" msgstr "" -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2114 -#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../include/nav.php:77 ../../include/profile_advanced.php:7 -#: ../../include/profile_advanced.php:87 -msgid "Profile" +#: ../../mod/contacts.php:298 +msgid "Contact has been unignored" msgstr "" -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" +#: ../../mod/contacts.php:310 +msgid "Contact has been archived" msgstr "" -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2121 -#: ../../mod/fbrowser.php:25 ../../include/nav.php:78 -msgid "Photos" +#: ../../mod/contacts.php:310 +msgid "Contact has been unarchived" msgstr "" -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" +#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 +msgid "Do you really want to delete this contact?" msgstr "" -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2138 -#: ../../mod/events.php:370 ../../include/nav.php:80 -msgid "Events" +#: ../../mod/contacts.php:337 ../../mod/message.php:209 +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:233 ../../mod/suggest.php:29 +#: ../../mod/profiles.php:661 ../../mod/profiles.php:664 ../../mod/api.php:105 +#: ../../include/items.php:4557 +msgid "Yes" msgstr "" -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" +#: ../../mod/contacts.php:340 ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 +#: ../../mod/message.php:212 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/settings.php:615 +#: ../../mod/settings.php:641 ../../mod/dfrn_request.php:844 +#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 +#: ../../include/conversation.php:1129 ../../include/items.php:4560 +msgid "Cancel" msgstr "" -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" +#: ../../mod/contacts.php:352 +msgid "Contact has been removed." msgstr "" -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" +#: ../../mod/contacts.php:390 +#, php-format +msgid "You are mutual friends with %s" msgstr "" -#: ../../view/theme/perihel/theme.php:38 -#: ../../view/theme/diabook/theme.php:129 ../../mod/community.php:32 -#: ../../include/nav.php:129 -msgid "Community" +#: ../../mod/contacts.php:394 +#, php-format +msgid "You are sharing with %s" msgstr "" -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:335 -msgid "don't show" +#: ../../mod/contacts.php:399 +#, php-format +msgid "%s is sharing with you" msgstr "" -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:334 -msgid "show" +#: ../../mod/contacts.php:416 +msgid "Private communications are not available for this contact." msgstr "" -#: ../../view/theme/perihel/config.php:97 -#: ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 -#: ../../view/theme/zero-childs/cleanzero/config.php:82 -#: ../../view/theme/dispy/config.php:72 ../../view/theme/clean/config.php:84 -#: ../../view/theme/duepuntozero/config.php:61 -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:55 -#: ../../view/theme/vier-mobil/config.php:49 -msgid "Theme settings" +#: ../../mod/contacts.php:419 ../../mod/admin.php:569 +msgid "Never" msgstr "" -#: ../../view/theme/perihel/config.php:98 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/zero-childs/cleanzero/config.php:84 -#: ../../view/theme/dispy/config.php:73 -#: ../../view/theme/cleanzero/config.php:84 -msgid "Set font-size for posts and comments" +#: ../../mod/contacts.php:423 +msgid "(Update was successful)" msgstr "" -#: ../../view/theme/perihel/config.php:99 -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" +#: ../../mod/contacts.php:423 +msgid "(Update was not successful)" msgstr "" -#: ../../view/theme/perihel/config.php:100 -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" +#: ../../mod/contacts.php:425 +msgid "Suggest friends" msgstr "" -#: ../../view/theme/diabook/theme.php:125 ../../mod/contacts.php:702 -#: ../../include/nav.php:175 +#: ../../mod/contacts.php:429 +#, php-format +msgid "Network type: %s" +msgstr "" + +#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/contacts.php:437 +msgid "View all contacts" +msgstr "" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1009 +msgid "Unblock" +msgstr "" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1008 +msgid "Block" +msgstr "" + +#: ../../mod/contacts.php:445 +msgid "Toggle Blocked status" +msgstr "" + +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 +msgid "Unignore" +msgstr "" + +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 +#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 +msgid "Ignore" +msgstr "" + +#: ../../mod/contacts.php:451 +msgid "Toggle Ignored status" +msgstr "" + +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Unarchive" +msgstr "" + +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Archive" +msgstr "" + +#: ../../mod/contacts.php:458 +msgid "Toggle Archive status" +msgstr "" + +#: ../../mod/contacts.php:461 +msgid "Repair" +msgstr "" + +#: ../../mod/contacts.php:464 +msgid "Advanced Contact Settings" +msgstr "" + +#: ../../mod/contacts.php:470 +msgid "Communications lost with this contact!" +msgstr "" + +#: ../../mod/contacts.php:473 +msgid "Contact Editor" +msgstr "" + +#: ../../mod/contacts.php:475 ../../mod/manage.php:110 +#: ../../mod/fsuggest.php:107 ../../mod/message.php:335 +#: ../../mod/message.php:564 ../../mod/crepair.php:186 +#: ../../mod/events.php:478 ../../mod/content.php:710 +#: ../../mod/install.php:248 ../../mod/install.php:286 ../../mod/mood.php:137 +#: ../../mod/profiles.php:686 ../../mod/localtime.php:45 +#: ../../mod/poke.php:199 ../../mod/invite.php:140 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 +#: ../../mod/photos.php:1697 ../../object/Item.php:678 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/dispy/config.php:70 ../../view/theme/quattro/config.php:64 +#: ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 ../../view/theme/vier/config.php:53 +#: ../../view/theme/duepuntozero/config.php:59 +msgid "Submit" +msgstr "" + +#: ../../mod/contacts.php:476 +msgid "Profile Visibility" +msgstr "" + +#: ../../mod/contacts.php:477 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "" + +#: ../../mod/contacts.php:478 +msgid "Contact Information / Notes" +msgstr "" + +#: ../../mod/contacts.php:479 +msgid "Edit contact notes" +msgstr "" + +#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 +#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "" + +#: ../../mod/contacts.php:485 +msgid "Block/Unblock contact" +msgstr "" + +#: ../../mod/contacts.php:486 +msgid "Ignore contact" +msgstr "" + +#: ../../mod/contacts.php:487 +msgid "Repair URL settings" +msgstr "" + +#: ../../mod/contacts.php:488 +msgid "View conversations" +msgstr "" + +#: ../../mod/contacts.php:490 +msgid "Delete contact" +msgstr "" + +#: ../../mod/contacts.php:494 +msgid "Last update:" +msgstr "" + +#: ../../mod/contacts.php:496 +msgid "Update public posts" +msgstr "" + +#: ../../mod/contacts.php:498 ../../mod/admin.php:1503 +msgid "Update now" +msgstr "" + +#: ../../mod/contacts.php:505 +msgid "Currently blocked" +msgstr "" + +#: ../../mod/contacts.php:506 +msgid "Currently ignored" +msgstr "" + +#: ../../mod/contacts.php:507 +msgid "Currently archived" +msgstr "" + +#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 +#: ../../mod/notifications.php:204 +msgid "Hide this contact from others" +msgstr "" + +#: ../../mod/contacts.php:508 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "" + +#: ../../mod/contacts.php:509 +msgid "Notification for new posts" +msgstr "" + +#: ../../mod/contacts.php:509 +msgid "Send a notification of every new post of this contact" +msgstr "" + +#: ../../mod/contacts.php:510 +msgid "Fetch further information for feeds" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Disabled" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Fetch information" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Fetch information and keywords" +msgstr "" + +#: ../../mod/contacts.php:513 +msgid "Blacklisted keywords" +msgstr "" + +#: ../../mod/contacts.php:513 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "" + +#: ../../mod/contacts.php:564 +msgid "Suggestions" +msgstr "" + +#: ../../mod/contacts.php:567 +msgid "Suggest potential friends" +msgstr "" + +#: ../../mod/contacts.php:570 ../../mod/group.php:194 +msgid "All Contacts" +msgstr "" + +#: ../../mod/contacts.php:573 +msgid "Show all contacts" +msgstr "" + +#: ../../mod/contacts.php:576 +msgid "Unblocked" +msgstr "" + +#: ../../mod/contacts.php:579 +msgid "Only show unblocked contacts" +msgstr "" + +#: ../../mod/contacts.php:583 +msgid "Blocked" +msgstr "" + +#: ../../mod/contacts.php:586 +msgid "Only show blocked contacts" +msgstr "" + +#: ../../mod/contacts.php:590 +msgid "Ignored" +msgstr "" + +#: ../../mod/contacts.php:593 +msgid "Only show ignored contacts" +msgstr "" + +#: ../../mod/contacts.php:597 +msgid "Archived" +msgstr "" + +#: ../../mod/contacts.php:600 +msgid "Only show archived contacts" +msgstr "" + +#: ../../mod/contacts.php:604 +msgid "Hidden" +msgstr "" + +#: ../../mod/contacts.php:607 +msgid "Only show hidden contacts" +msgstr "" + +#: ../../mod/contacts.php:655 +msgid "Mutual Friendship" +msgstr "" + +#: ../../mod/contacts.php:659 +msgid "is a fan of yours" +msgstr "" + +#: ../../mod/contacts.php:663 +msgid "you are a fan of" +msgstr "" + +#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "" + +#: ../../mod/contacts.php:702 ../../include/nav.php:177 +#: ../../view/theme/diabook/theme.php:125 msgid "Contacts" msgstr "" -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" +#: ../../mod/contacts.php:706 +msgid "Search your contacts" msgstr "" -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -#: ../../view/theme/diabook/config.php:158 -msgid "Community Pages" +#: ../../mod/contacts.php:707 ../../mod/directory.php:61 +msgid "Finding: " msgstr "" -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -#: ../../view/theme/diabook/config.php:160 -msgid "Community Profiles" +#: ../../mod/contacts.php:708 ../../mod/directory.php:63 +#: ../../include/contact_widgets.php:34 +msgid "Find" msgstr "" -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -#: ../../view/theme/diabook/config.php:164 -msgid "Last users" +#: ../../mod/contacts.php:713 ../../mod/settings.php:132 +#: ../../mod/settings.php:640 +msgid "Update" msgstr "" -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -#: ../../view/theme/diabook/config.php:166 -msgid "Last likes" +#: ../../mod/contacts.php:717 ../../mod/group.php:171 ../../mod/admin.php:1007 +#: ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../mod/settings.php:677 ../../mod/photos.php:1654 +#: ../../object/Item.php:130 ../../include/conversation.php:614 +msgid "Delete" msgstr "" -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1966 -msgid "event" +#: ../../mod/hcard.php:10 +msgid "No profile" msgstr "" -#: ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../include/diaspora.php:2087 -msgid "status" +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" msgstr "" -#: ../../view/theme/diabook/theme.php:471 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/subthread.php:87 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1968 ../../include/diaspora.php:2087 -msgid "photo" -msgstr "" - -#: ../../view/theme/diabook/theme.php:480 ../../mod/like.php:166 -#: ../../include/conversation.php:137 ../../include/diaspora.php:2103 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "" - -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -#: ../../view/theme/diabook/config.php:165 -msgid "Last photos" -msgstr "" - -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 -#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 -msgid "Contact Photos" -msgstr "" - -#: ../../view/theme/diabook/theme.php:500 ../../mod/photos.php:155 -#: ../../mod/photos.php:731 ../../mod/photos.php:1187 -#: ../../mod/photos.php:1210 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 ../../include/user.php:335 -#: ../../include/user.php:342 ../../include/user.php:349 -msgid "Profile Photos" -msgstr "" - -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -#: ../../view/theme/diabook/config.php:163 -msgid "Find Friends" -msgstr "" - -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "" - -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 -msgid "Global Directory" -msgstr "" - -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "" - -#: ../../view/theme/diabook/theme.php:527 ../../mod/suggest.php:68 -#: ../../include/contact_widgets.php:35 -msgid "Friend Suggestions" -msgstr "" - -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "" - -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../mod/newmember.php:22 -#: ../../mod/admin.php:1082 ../../mod/admin.php:1303 ../../mod/settings.php:85 -#: ../../include/nav.php:170 -msgid "Settings" -msgstr "" - -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -#: ../../view/theme/diabook/config.php:159 -msgid "Earth Layers" -msgstr "" - -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "" - -#: ../../view/theme/diabook/theme.php:585 -#: ../../view/theme/diabook/config.php:156 -msgid "Set longitude (X) for Earth Layers" -msgstr "" - -#: ../../view/theme/diabook/theme.php:586 -#: ../../view/theme/diabook/config.php:157 -msgid "Set latitude (Y) for Earth Layers" -msgstr "" - -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -#: ../../view/theme/diabook/config.php:161 -msgid "Help or @NewHere ?" -msgstr "" - -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -#: ../../view/theme/diabook/config.php:162 -msgid "Connect Services" -msgstr "" - -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "" - -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "" - -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -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 -#: ../../view/theme/zero-childs/cleanzero/config.php:86 -#: ../../view/theme/clean/config.php:87 -#: ../../view/theme/cleanzero/config.php:86 -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/zero-childs/cleanzero/config.php:83 -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "" - -#: ../../view/theme/zero-childs/cleanzero/config.php:85 -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "" - -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "" - -#: ../../view/theme/clean/config.php:56 -#: ../../view/theme/duepuntozero/config.php:44 ../../include/user.php:247 -#: ../../include/text.php:1702 -msgid "default" -msgstr "" - -#: ../../view/theme/clean/config.php:57 -msgid "Midnight" -msgstr "" - -#: ../../view/theme/clean/config.php:58 -msgid "Bootstrap" -msgstr "" - -#: ../../view/theme/clean/config.php:59 -msgid "Shades of Pink" -msgstr "" - -#: ../../view/theme/clean/config.php:60 -msgid "Lime and Orange" -msgstr "" - -#: ../../view/theme/clean/config.php:61 -msgid "GeoCities Retro" -msgstr "" - -#: ../../view/theme/clean/config.php:85 -msgid "Background Image" -msgstr "" - -#: ../../view/theme/clean/config.php:85 +#: ../../mod/manage.php:107 msgid "" -"The URL to a picture (e.g. from your photo album) that should be used as " -"background image." +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" msgstr "" -#: ../../view/theme/clean/config.php:86 -msgid "Background Color" +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " msgstr "" -#: ../../view/theme/clean/config.php:86 -msgid "HEX value for the background color. Don't include the #" +#: ../../mod/oexchange.php:25 +msgid "Post successful." msgstr "" -#: ../../view/theme/clean/config.php:88 -msgid "font size" +#: ../../mod/profperm.php:19 ../../mod/group.php:72 ../../index.php:368 +msgid "Permission denied" msgstr "" -#: ../../view/theme/clean/config.php:88 -msgid "base font size for your interface" +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." msgstr "" -#: ../../view/theme/duepuntozero/config.php:45 -msgid "greenzero" +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" msgstr "" -#: ../../view/theme/duepuntozero/config.php:46 -msgid "purplezero" +#: ../../mod/profperm.php:103 ../../mod/newmember.php:32 ../../boot.php:2119 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Profile" msgstr "" -#: ../../view/theme/duepuntozero/config.php:47 -msgid "easterbunny" +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." msgstr "" -#: ../../view/theme/duepuntozero/config.php:48 -msgid "darkzero" +#: ../../mod/profperm.php:114 +msgid "Visible To" 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 "" - -#: ../../view/theme/vier/config.php:56 -#: ../../view/theme/vier-mobil/config.php:50 -msgid "Set style" -msgstr "" - -#: ../../boot.php:744 -msgid "Delete this item?" -msgstr "" - -#: ../../boot.php:747 -msgid "show fewer" -msgstr "" - -#: ../../boot.php:1117 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "" - -#: ../../boot.php:1235 -msgid "Create a New Account" -msgstr "" - -#: ../../boot.php:1236 ../../mod/register.php:269 ../../include/nav.php:109 -msgid "Register" -msgstr "" - -#: ../../boot.php:1260 ../../include/nav.php:73 -msgid "Logout" -msgstr "" - -#: ../../boot.php:1261 ../../mod/bookmarklet.php:12 ../../include/nav.php:92 -msgid "Login" -msgstr "" - -#: ../../boot.php:1263 -msgid "Nickname or Email address: " -msgstr "" - -#: ../../boot.php:1264 -msgid "Password: " -msgstr "" - -#: ../../boot.php:1265 -msgid "Remember me" -msgstr "" - -#: ../../boot.php:1268 -msgid "Or login using OpenID: " -msgstr "" - -#: ../../boot.php:1274 -msgid "Forgot your password?" -msgstr "" - -#: ../../boot.php:1275 ../../mod/lostpass.php:109 -msgid "Password Reset" -msgstr "" - -#: ../../boot.php:1277 -msgid "Website Terms of Service" -msgstr "" - -#: ../../boot.php:1278 -msgid "terms of service" -msgstr "" - -#: ../../boot.php:1280 -msgid "Website Privacy Policy" -msgstr "" - -#: ../../boot.php:1281 -msgid "privacy policy" -msgstr "" - -#: ../../boot.php:1414 -msgid "Requested account is not available." -msgstr "" - -#: ../../boot.php:1453 ../../mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "" - -#: ../../boot.php:1496 ../../boot.php:1630 -#: ../../include/profile_advanced.php:84 -msgid "Edit profile" -msgstr "" - -#: ../../boot.php:1563 ../../mod/suggest.php:90 ../../mod/match.php:58 -#: ../../include/contact_widgets.php:10 -msgid "Connect" -msgstr "" - -#: ../../boot.php:1595 -msgid "Message" -msgstr "" - -#: ../../boot.php:1601 ../../include/nav.php:173 -msgid "Profiles" -msgstr "" - -#: ../../boot.php:1601 -msgid "Manage/edit profiles" -msgstr "" - -#: ../../boot.php:1606 ../../boot.php:1632 ../../mod/profiles.php:789 -msgid "Change profile photo" -msgstr "" - -#: ../../boot.php:1607 ../../mod/profiles.php:790 -msgid "Create New Profile" -msgstr "" - -#: ../../boot.php:1617 ../../mod/profiles.php:801 -msgid "Profile Image" -msgstr "" - -#: ../../boot.php:1620 ../../mod/profiles.php:803 -msgid "visible to everybody" -msgstr "" - -#: ../../boot.php:1621 ../../mod/profiles.php:804 -msgid "Edit visibility" -msgstr "" - -#: ../../boot.php:1643 ../../mod/directory.php:136 ../../mod/events.php:471 -#: ../../include/event.php:40 ../../include/bb2diaspora.php:170 -msgid "Location:" -msgstr "" - -#: ../../boot.php:1645 ../../mod/directory.php:138 -#: ../../include/profile_advanced.php:17 -msgid "Gender:" -msgstr "" - -#: ../../boot.php:1648 ../../mod/directory.php:140 -#: ../../include/profile_advanced.php:37 -msgid "Status:" -msgstr "" - -#: ../../boot.php:1650 ../../mod/directory.php:142 -#: ../../include/profile_advanced.php:48 -msgid "Homepage:" -msgstr "" - -#: ../../boot.php:1652 ../../mod/directory.php:144 -#: ../../include/profile_advanced.php:58 -msgid "About:" -msgstr "" - -#: ../../boot.php:1701 -msgid "Network:" -msgstr "" - -#: ../../boot.php:1731 ../../boot.php:1817 -msgid "g A l F d" -msgstr "" - -#: ../../boot.php:1732 ../../boot.php:1818 -msgid "F d" -msgstr "" - -#: ../../boot.php:1777 ../../boot.php:1858 -msgid "[today]" -msgstr "" - -#: ../../boot.php:1789 -msgid "Birthday Reminders" -msgstr "" - -#: ../../boot.php:1790 -msgid "Birthdays this week:" -msgstr "" - -#: ../../boot.php:1851 -msgid "[No description]" -msgstr "" - -#: ../../boot.php:1869 -msgid "Event Reminders" -msgstr "" - -#: ../../boot.php:1870 -msgid "Events this week:" -msgstr "" - -#: ../../boot.php:2107 ../../include/nav.php:76 -msgid "Status" -msgstr "" - -#: ../../boot.php:2110 -msgid "Status Messages and Posts" -msgstr "" - -#: ../../boot.php:2117 -msgid "Profile Details" -msgstr "" - -#: ../../boot.php:2124 ../../mod/photos.php:52 -msgid "Photo Albums" -msgstr "" - -#: ../../boot.php:2128 ../../boot.php:2131 ../../include/nav.php:79 -msgid "Videos" -msgstr "" - -#: ../../boot.php:2141 -msgid "Events and Calendar" -msgstr "" - -#: ../../boot.php:2145 ../../mod/notes.php:44 -msgid "Personal Notes" -msgstr "" - -#: ../../boot.php:2148 -msgid "Only You Can See This" -msgstr "" - -#: ../../mod/mood.php:62 ../../include/conversation.php:227 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "" - -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "" - -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" msgstr "" #: ../../mod/display.php:82 ../../mod/display.php:284 -#: ../../mod/display.php:503 ../../mod/decrypt.php:15 ../../mod/admin.php:169 -#: ../../mod/admin.php:1030 ../../mod/admin.php:1243 ../../mod/notice.php:15 -#: ../../mod/viewsrc.php:15 ../../include/items.php:4500 +#: ../../mod/display.php:503 ../../mod/viewsrc.php:15 ../../mod/admin.php:169 +#: ../../mod/admin.php:1052 ../../mod/admin.php:1265 ../../mod/notice.php:15 +#: ../../include/items.php:4516 msgid "Item not found." msgstr "" -#: ../../mod/display.php:212 ../../mod/_search.php:89 -#: ../../mod/directory.php:33 ../../mod/search.php:89 -#: ../../mod/dfrn_request.php:762 ../../mod/community.php:18 -#: ../../mod/viewcontacts.php:19 ../../mod/photos.php:920 -#: ../../mod/videos.php:115 +#: ../../mod/display.php:212 ../../mod/videos.php:115 +#: ../../mod/viewcontacts.php:19 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:762 ../../mod/search.php:89 +#: ../../mod/directory.php:33 ../../mod/photos.php:920 msgid "Public access denied." msgstr "" @@ -936,478 +537,6 @@ msgstr "" msgid "Item has been removed." msgstr "" -#: ../../mod/decrypt.php:9 ../../mod/viewsrc.php:7 -msgid "Access denied." -msgstr "" - -#: ../../mod/bookmarklet.php:41 -msgid "The post was created" -msgstr "" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "" - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "" - -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "" - -#: ../../mod/register.php:90 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "" - -#: ../../mod/register.php:96 -#, 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 -msgid "Your registration can not be processed." -msgstr "" - -#: ../../mod/register.php:148 -msgid "Your registration is pending approval by the site owner." -msgstr "" - -#: ../../mod/register.php:186 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "" - -#: ../../mod/register.php:214 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "" - -#: ../../mod/register.php:215 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "" - -#: ../../mod/register.php:216 -msgid "Your OpenID (optional): " -msgstr "" - -#: ../../mod/register.php:230 -msgid "Include your profile in member directory?" -msgstr "" - -#: ../../mod/register.php:233 ../../mod/api.php:105 ../../mod/suggest.php:29 -#: ../../mod/dfrn_request.php:830 ../../mod/contacts.php:337 -#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 -#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 -#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 -#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 -#: ../../mod/settings.php:1085 ../../mod/profiles.php:646 -#: ../../mod/profiles.php:649 ../../mod/message.php:209 -#: ../../include/items.php:4541 -msgid "Yes" -msgstr "" - -#: ../../mod/register.php:234 ../../mod/api.php:106 -#: ../../mod/dfrn_request.php:830 ../../mod/settings.php:1010 -#: ../../mod/settings.php:1016 ../../mod/settings.php:1024 -#: ../../mod/settings.php:1028 ../../mod/settings.php:1033 -#: ../../mod/settings.php:1039 ../../mod/settings.php:1045 -#: ../../mod/settings.php:1051 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/settings.php:1083 -#: ../../mod/settings.php:1084 ../../mod/settings.php:1085 -#: ../../mod/profiles.php:646 ../../mod/profiles.php:650 -msgid "No" -msgstr "" - -#: ../../mod/register.php:251 -msgid "Membership on this site is by invitation only." -msgstr "" - -#: ../../mod/register.php:252 -msgid "Your invitation ID: " -msgstr "" - -#: ../../mod/register.php:255 ../../mod/admin.php:603 -msgid "Registration" -msgstr "" - -#: ../../mod/register.php:263 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "" - -#: ../../mod/register.php:264 -msgid "Your Email Address: " -msgstr "" - -#: ../../mod/register.php:265 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be 'nickname@$sitename'." -msgstr "" - -#: ../../mod/register.php:266 -msgid "Choose a nickname: " -msgstr "" - -#: ../../mod/register.php:275 ../../mod/uimport.php:64 -msgid "Import" -msgstr "" - -#: ../../mod/register.php:276 -msgid "Import your profile to this friendica instance" -msgstr "" - -#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 -#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 -#: ../../mod/profiles.php:615 -msgid "Profile not found." -msgstr "" - -#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -msgid "Contact not found." -msgstr "" - -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it " -"has already been approved." -msgstr "" - -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "" - -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "" - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "" - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "" - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "" - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "" - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "" - -#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 -#: ../../include/diaspora.php:620 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "" - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "" - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "" - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "" - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "" - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "" - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "" - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "" - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "" - -#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 -#: ../../include/items.php:3992 -msgid "[Name Withheld]" -msgstr "" - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "" - -#: ../../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 "" - -#: ../../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:42 -#, 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:53 -#, 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:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "" - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "" - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "" - -#: ../../mod/lostpass.php:114 -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 "" - -#: ../../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 -msgid "Nickname or Email: " -msgstr "" - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "" - -#: ../../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:63 -msgid "No recipient selected." -msgstr "" - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "" - -#: ../../mod/wallmessage.php:62 ../../mod/message.php:70 -msgid "Message could not be sent." -msgstr "" - -#: ../../mod/wallmessage.php:65 ../../mod/message.php:73 -msgid "Message collection failure." -msgstr "" - -#: ../../mod/wallmessage.php:68 ../../mod/message.php:76 -msgid "Message sent." -msgstr "" - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "" - -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -msgid "Please enter a link URL:" -msgstr "" - -#: ../../mod/wallmessage.php:142 ../../mod/message.php:319 -msgid "Send Private Message" -msgstr "" - -#: ../../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:320 -#: ../../mod/message.php:553 -msgid "To:" -msgstr "" - -#: ../../mod/wallmessage.php:145 ../../mod/message.php:325 -#: ../../mod/message.php:555 -msgid "Subject:" -msgstr "" - -#: ../../mod/wallmessage.php:151 ../../mod/message.php:329 -#: ../../mod/message.php:558 ../../mod/invite.php:134 -msgid "Your message:" -msgstr "" - -#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 -#: ../../mod/message.php:332 ../../mod/message.php:562 -#: ../../include/conversation.php:1091 -msgid "Upload photo" -msgstr "" - -#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 -#: ../../mod/message.php:333 ../../mod/message.php:563 -#: ../../include/conversation.php:1095 -msgid "Insert web link" -msgstr "" - #: ../../mod/newmember.php:6 msgid "Welcome to Friendica" msgstr "" @@ -1439,6 +568,13 @@ msgid "" "join." msgstr "" +#: ../../mod/newmember.php:22 ../../mod/admin.php:1104 +#: ../../mod/admin.php:1325 ../../mod/settings.php:85 +#: ../../include/nav.php:172 ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 +msgid "Settings" +msgstr "" + #: ../../mod/newmember.php:26 msgid "Go to Your Settings" msgstr "" @@ -1458,8 +594,8 @@ msgid "" "potential friends know exactly how to find you." msgstr "" -#: ../../mod/newmember.php:36 ../../mod/profiles.php:684 -#: ../../mod/profile_photo.php:244 +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +#: ../../mod/profiles.php:699 msgid "Upload Profile Photo" msgstr "" @@ -1599,39 +735,2151 @@ msgid "" "features and resources." msgstr "" -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." msgstr "" -#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:844 ../../mod/contacts.php:340 -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -#: ../../mod/message.php:212 ../../mod/photos.php:203 ../../mod/photos.php:292 -#: ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../include/conversation.php:1129 -#: ../../include/items.php:4544 -msgid "Cancel" -msgstr "" - -#: ../../mod/suggest.php:74 +#: ../../mod/openid.php:53 msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." +"Account not found and OpenID registration is not permitted on this site." msgstr "" -#: ../../mod/suggest.php:92 -msgid "Ignore/Hide" +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "" + +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "" + +#: ../../mod/profile_photo.php:74 ../../mod/profile_photo.php:81 +#: ../../mod/profile_photo.php:88 ../../mod/profile_photo.php:204 +#: ../../mod/profile_photo.php:296 ../../mod/profile_photo.php:305 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1187 +#: ../../mod/photos.php:1210 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../view/theme/diabook/theme.php:500 +msgid "Profile Photos" +msgstr "" + +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "" + +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "" + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "" + +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:122 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "" + +#: ../../mod/profile_photo.php:153 ../../mod/wall_upload.php:144 +#: ../../mod/photos.php:807 +msgid "Unable to process image." +msgstr "" + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "" + +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "" + +#: ../../mod/profile_photo.php:248 ../../mod/settings.php:1062 +msgid "or" +msgstr "" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "" + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "" + +#: ../../mod/profile_photo.php:301 ../../mod/wall_upload.php:172 +#: ../../mod/photos.php:834 +msgid "Image upload failed." +msgstr "" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1968 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:471 +msgid "photo" +msgstr "" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../mod/like.php:319 ../../include/conversation.php:121 +#: ../../include/conversation.php:130 ../../include/conversation.php:249 +#: ../../include/conversation.php:258 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 +msgid "status" +msgstr "" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "" + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "" + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "" + +#: ../../mod/filer.php:31 ../../mod/editpost.php:109 ../../mod/notes.php:63 +#: ../../include/text.php:956 +msgid "Save" +msgstr "" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "" + +#: ../../mod/item.php:345 +msgid "Empty post discarded." +msgstr "" + +#: ../../mod/item.php:484 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../include/Photo.php:916 ../../include/Photo.php:931 +#: ../../include/Photo.php:938 ../../include/Photo.php:960 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "" + +#: ../../mod/item.php:938 +msgid "System error. Post not saved." +msgstr "" + +#: ../../mod/item.php:964 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social network." +msgstr "" + +#: ../../mod/item.php:966 +#, php-format +msgid "You may visit them online at %s" +msgstr "" + +#: ../../mod/item.php:967 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "" + +#: ../../mod/item.php:971 +#, php-format +msgid "%s posted an update." +msgstr "" + +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "" + +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "" + +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "" + +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "" + +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "" + +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "" + +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "" + +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "" + +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "" + +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "" + +#: ../../mod/group.php:192 +msgid "Members" +msgstr "" + +#: ../../mod/apps.php:7 ../../index.php:212 +msgid "You must be logged in to use addons. " +msgstr "" + +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "" + +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "" + +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 +#: ../../mod/profiles.php:630 +msgid "Profile not found." +msgstr "" + +#: ../../mod/dfrn_confirm.php:120 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "" + +#: ../../mod/dfrn_confirm.php:121 +msgid "" +"This may occasionally happen if contact was requested by both persons and it " +"has already been approved." +msgstr "" + +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "" + +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "" + +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "" + +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "" + +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "" + +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "" + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "" + +#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 +#: ../../include/diaspora.php:620 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "" + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "" + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "" + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "" + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "" + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "" + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "" + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "" + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "" + +#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 +#: ../../include/items.php:4008 +msgid "[Name Withheld]" +msgstr "" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "" + +#: ../../mod/profile.php:21 ../../boot.php:1458 +msgid "Requested profile is not available." +msgstr "" + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "" + +#: ../../mod/videos.php:301 ../../include/text.php:1405 +msgid "View Video" +msgstr "" + +#: ../../mod/videos.php:308 ../../mod/photos.php:1808 +msgid "View Album" +msgstr "" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "" + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "" + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +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:42 +#, 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:53 +#, 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:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "" + +#: ../../mod/lostpass.php:109 ../../boot.php:1280 +msgid "Password Reset" +msgstr "" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "" + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "" + +#: ../../mod/lostpass.php:114 +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 "" + +#: ../../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 +msgid "Nickname or Email: " +msgstr "" + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "" + +#: ../../mod/like.php:166 ../../include/conversation.php:137 +#: ../../include/diaspora.php:2103 ../../view/theme/diabook/theme.php:480 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "" + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "" + +#: ../../mod/viewcontacts.php:41 +msgid "No contacts." +msgstr "" + +#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 +msgid "View Contacts" +msgstr "" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "" + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "" + +#: ../../mod/notifications.php:83 ../../include/nav.php:145 +msgid "Network" +msgstr "" + +#: ../../mod/notifications.php:88 ../../mod/network.php:371 +msgid "Personal" +msgstr "" + +#: ../../mod/notifications.php:93 ../../include/nav.php:105 +#: ../../include/nav.php:148 ../../view/theme/diabook/theme.php:123 +msgid "Home" +msgstr "" + +#: ../../mod/notifications.php:98 ../../include/nav.php:154 +msgid "Introductions" +msgstr "" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "" + +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "" + +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "" + +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "" + +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:1005 +msgid "Approve" +msgstr "" + +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "" + +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "" + +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "" + +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "" + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "" + +#: ../../mod/notifications.php:220 ../../include/nav.php:155 +msgid "Notifications" +msgstr "" + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "" + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "" + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "" + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "" + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "" + +#: ../../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 "" + +#: ../../mod/babel.php:39 +msgid "bb2html: " +msgstr "" + +#: ../../mod/babel.php:43 +msgid "bb2html2bb: " +msgstr "" + +#: ../../mod/babel.php:47 +msgid "bb2md: " +msgstr "" + +#: ../../mod/babel.php:51 +msgid "bb2md2html: " +msgstr "" + +#: ../../mod/babel.php:55 +msgid "bb2dia2bb: " +msgstr "" + +#: ../../mod/babel.php:59 +msgid "bb2md2html2bb: " +msgstr "" + +#: ../../mod/babel.php:69 +msgid "Source input (Diaspora format): " +msgstr "" + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "" + +#: ../../mod/navigation.php:20 ../../include/nav.php:34 +msgid "Nothing new here" +msgstr "" + +#: ../../mod/navigation.php:24 ../../include/nav.php:38 +msgid "Clear notifications" +msgstr "" + +#: ../../mod/message.php:9 ../../include/nav.php:164 +msgid "New Message" +msgstr "" + +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "" + +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "" + +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "" + +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "" + +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "" + +#: ../../mod/message.php:182 ../../include/nav.php:161 +msgid "Messages" +msgstr "" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "" + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "" + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "" + +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../mod/wallmessage.php:156 ../../mod/editpost.php:124 +#: ../../mod/photos.php:1545 ../../object/Item.php:364 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "" + +#: ../../mod/message.php:378 +#, php-format +msgid "Unknown sender - %s" +msgstr "" + +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "" + +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "" + +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "" + +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "" + +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "" + +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "" + +#: ../../mod/message.php:548 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "" + +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "" + +#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_network.php:25 +msgid "[Embedded content - reload page to view]" +msgstr "" + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "" + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "" + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "" + +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect " +"information your communications with this contact may stop working." +msgstr "" + +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "" + +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "No mirroring" +msgstr "" + +#: ../../mod/crepair.php:159 +msgid "Mirror as forwarded posting" +msgstr "" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "Mirror as my own posting" +msgstr "" + +#: ../../mod/crepair.php:165 ../../mod/admin.php:1003 ../../mod/admin.php:1015 +#: ../../mod/admin.php:1016 ../../mod/admin.php:1029 +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Name" +msgstr "" + +#: ../../mod/crepair.php:166 +msgid "Account Nickname" +msgstr "" + +#: ../../mod/crepair.php:167 +msgid "@Tagname - overrides Name/Nickname" +msgstr "" + +#: ../../mod/crepair.php:168 +msgid "Account URL" +msgstr "" + +#: ../../mod/crepair.php:169 +msgid "Friend Request URL" +msgstr "" + +#: ../../mod/crepair.php:170 +msgid "Friend Confirm URL" +msgstr "" + +#: ../../mod/crepair.php:171 +msgid "Notification Endpoint URL" +msgstr "" + +#: ../../mod/crepair.php:172 +msgid "Poll/Feed URL" +msgstr "" + +#: ../../mod/crepair.php:173 +msgid "New photo from this URL" +msgstr "" + +#: ../../mod/crepair.php:174 +msgid "Remote Self" +msgstr "" + +#: ../../mod/crepair.php:176 +msgid "Mirror postings from this contact" +msgstr "" + +#: ../../mod/crepair.php:176 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "" + +#: ../../mod/bookmarklet.php:12 ../../boot.php:1266 ../../include/nav.php:92 +msgid "Login" +msgstr "" + +#: ../../mod/bookmarklet.php:41 +msgid "The post was created" +msgstr "" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "" + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "" + +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "" + +#: ../../mod/fbrowser.php:25 ../../boot.php:2126 ../../include/nav.php:78 +#: ../../view/theme/diabook/theme.php:126 +msgid "Photos" +msgstr "" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "" + +#: ../../mod/admin.php:104 ../../mod/admin.php:619 +msgid "Site" +msgstr "" + +#: ../../mod/admin.php:105 ../../mod/admin.php:998 ../../mod/admin.php:1013 +msgid "Users" +msgstr "" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1102 ../../mod/admin.php:1155 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1323 ../../mod/admin.php:1357 +msgid "Themes" +msgstr "" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "" + +#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1444 +msgid "Logs" +msgstr "" + +#: ../../mod/admin.php:124 +msgid "probe address" +msgstr "" + +#: ../../mod/admin.php:125 +msgid "check webfinger" +msgstr "" + +#: ../../mod/admin.php:130 ../../include/nav.php:184 +msgid "Admin" +msgstr "" + +#: ../../mod/admin.php:131 +msgid "Plugin Features" +msgstr "" + +#: ../../mod/admin.php:133 +msgid "diagnostics" +msgstr "" + +#: ../../mod/admin.php:134 +msgid "User registrations waiting for confirmation" +msgstr "" + +#: ../../mod/admin.php:193 ../../mod/admin.php:952 +msgid "Normal Account" +msgstr "" + +#: ../../mod/admin.php:194 ../../mod/admin.php:953 +msgid "Soapbox Account" +msgstr "" + +#: ../../mod/admin.php:195 ../../mod/admin.php:954 +msgid "Community/Celebrity Account" +msgstr "" + +#: ../../mod/admin.php:196 ../../mod/admin.php:955 +msgid "Automatic Friend Account" +msgstr "" + +#: ../../mod/admin.php:197 +msgid "Blog Account" +msgstr "" + +#: ../../mod/admin.php:198 +msgid "Private Forum" +msgstr "" + +#: ../../mod/admin.php:217 +msgid "Message queues" +msgstr "" + +#: ../../mod/admin.php:222 ../../mod/admin.php:618 ../../mod/admin.php:997 +#: ../../mod/admin.php:1101 ../../mod/admin.php:1154 ../../mod/admin.php:1322 +#: ../../mod/admin.php:1356 ../../mod/admin.php:1443 +msgid "Administration" +msgstr "" + +#: ../../mod/admin.php:223 +msgid "Summary" +msgstr "" + +#: ../../mod/admin.php:225 +msgid "Registered users" +msgstr "" + +#: ../../mod/admin.php:227 +msgid "Pending registrations" +msgstr "" + +#: ../../mod/admin.php:228 +msgid "Version" +msgstr "" + +#: ../../mod/admin.php:232 +msgid "Active plugins" +msgstr "" + +#: ../../mod/admin.php:255 +msgid "Can not parse base url. Must have at least ://" +msgstr "" + +#: ../../mod/admin.php:516 +msgid "Site settings updated." +msgstr "" + +#: ../../mod/admin.php:545 ../../mod/settings.php:828 +msgid "No special theme for mobile devices" +msgstr "" + +#: ../../mod/admin.php:562 +msgid "No community page" +msgstr "" + +#: ../../mod/admin.php:563 +msgid "Public postings from users of this site" +msgstr "" + +#: ../../mod/admin.php:564 +msgid "Global community page" +msgstr "" + +#: ../../mod/admin.php:570 +msgid "At post arrival" +msgstr "" + +#: ../../mod/admin.php:571 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "" + +#: ../../mod/admin.php:572 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "" + +#: ../../mod/admin.php:573 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "" + +#: ../../mod/admin.php:574 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "" + +#: ../../mod/admin.php:579 +msgid "Multi user instance" +msgstr "" + +#: ../../mod/admin.php:602 +msgid "Closed" +msgstr "" + +#: ../../mod/admin.php:603 +msgid "Requires approval" +msgstr "" + +#: ../../mod/admin.php:604 +msgid "Open" +msgstr "" + +#: ../../mod/admin.php:608 +msgid "No SSL policy, links will track page SSL state" +msgstr "" + +#: ../../mod/admin.php:609 +msgid "Force all links to use SSL" +msgstr "" + +#: ../../mod/admin.php:610 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "" + +#: ../../mod/admin.php:620 ../../mod/admin.php:1156 ../../mod/admin.php:1358 +#: ../../mod/admin.php:1445 ../../mod/settings.php:614 +#: ../../mod/settings.php:724 ../../mod/settings.php:798 +#: ../../mod/settings.php:880 ../../mod/settings.php:1113 +msgid "Save Settings" +msgstr "" + +#: ../../mod/admin.php:621 ../../mod/register.php:255 +msgid "Registration" +msgstr "" + +#: ../../mod/admin.php:622 +msgid "File upload" +msgstr "" + +#: ../../mod/admin.php:623 +msgid "Policies" +msgstr "" + +#: ../../mod/admin.php:624 +msgid "Advanced" +msgstr "" + +#: ../../mod/admin.php:625 +msgid "Performance" +msgstr "" + +#: ../../mod/admin.php:626 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "" + +#: ../../mod/admin.php:629 +msgid "Site name" +msgstr "" + +#: ../../mod/admin.php:630 +msgid "Host name" +msgstr "" + +#: ../../mod/admin.php:631 +msgid "Sender Email" +msgstr "" + +#: ../../mod/admin.php:632 +msgid "Banner/Logo" +msgstr "" + +#: ../../mod/admin.php:633 +msgid "Shortcut icon" +msgstr "" + +#: ../../mod/admin.php:634 +msgid "Touch icon" +msgstr "" + +#: ../../mod/admin.php:635 +msgid "Additional Info" +msgstr "" + +#: ../../mod/admin.php:635 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "" + +#: ../../mod/admin.php:636 +msgid "System language" +msgstr "" + +#: ../../mod/admin.php:637 +msgid "System theme" +msgstr "" + +#: ../../mod/admin.php:637 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "" + +#: ../../mod/admin.php:638 +msgid "Mobile system theme" +msgstr "" + +#: ../../mod/admin.php:638 +msgid "Theme for mobile devices" +msgstr "" + +#: ../../mod/admin.php:639 +msgid "SSL link policy" +msgstr "" + +#: ../../mod/admin.php:639 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "" + +#: ../../mod/admin.php:640 +msgid "Force SSL" +msgstr "" + +#: ../../mod/admin.php:640 +msgid "" +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead " +"to endless loops." +msgstr "" + +#: ../../mod/admin.php:641 +msgid "Old style 'Share'" +msgstr "" + +#: ../../mod/admin.php:641 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "" + +#: ../../mod/admin.php:642 +msgid "Hide help entry from navigation menu" +msgstr "" + +#: ../../mod/admin.php:642 +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:643 +msgid "Single user instance" +msgstr "" + +#: ../../mod/admin.php:643 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "" + +#: ../../mod/admin.php:644 +msgid "Maximum image size" +msgstr "" + +#: ../../mod/admin.php:644 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "" + +#: ../../mod/admin.php:645 +msgid "Maximum image length" +msgstr "" + +#: ../../mod/admin.php:645 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "" + +#: ../../mod/admin.php:646 +msgid "JPEG image quality" +msgstr "" + +#: ../../mod/admin.php:646 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "" + +#: ../../mod/admin.php:648 +msgid "Register policy" +msgstr "" + +#: ../../mod/admin.php:649 +msgid "Maximum Daily Registrations" +msgstr "" + +#: ../../mod/admin.php:649 +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:650 +msgid "Register text" +msgstr "" + +#: ../../mod/admin.php:650 +msgid "Will be displayed prominently on the registration page." +msgstr "" + +#: ../../mod/admin.php:651 +msgid "Accounts abandoned after x days" +msgstr "" + +#: ../../mod/admin.php:651 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "" + +#: ../../mod/admin.php:652 +msgid "Allowed friend domains" +msgstr "" + +#: ../../mod/admin.php:652 +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:653 +msgid "Allowed email domains" +msgstr "" + +#: ../../mod/admin.php:653 +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:654 +msgid "Block public" +msgstr "" + +#: ../../mod/admin.php:654 +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:655 +msgid "Force publish" +msgstr "" + +#: ../../mod/admin.php:655 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "" + +#: ../../mod/admin.php:656 +msgid "Global directory update URL" +msgstr "" + +#: ../../mod/admin.php:656 +msgid "" +"URL to update the global directory. If this is not set, the global directory " +"is completely unavailable to the application." +msgstr "" + +#: ../../mod/admin.php:657 +msgid "Allow threaded items" +msgstr "" + +#: ../../mod/admin.php:657 +msgid "Allow infinite level threading for items on this site." +msgstr "" + +#: ../../mod/admin.php:658 +msgid "Private posts by default for new users" +msgstr "" + +#: ../../mod/admin.php:658 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "" + +#: ../../mod/admin.php:659 +msgid "Don't include post content in email notifications" +msgstr "" + +#: ../../mod/admin.php:659 +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:660 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "" + +#: ../../mod/admin.php:660 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "" + +#: ../../mod/admin.php:661 +msgid "Don't embed private images in posts" +msgstr "" + +#: ../../mod/admin.php:661 +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 " +"photos will have to authenticate and load each image, which may take a while." +msgstr "" + +#: ../../mod/admin.php:662 +msgid "Allow Users to set remote_self" +msgstr "" + +#: ../../mod/admin.php:662 +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:663 +msgid "Block multiple registrations" +msgstr "" + +#: ../../mod/admin.php:663 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "" + +#: ../../mod/admin.php:664 +msgid "OpenID support" +msgstr "" + +#: ../../mod/admin.php:664 +msgid "OpenID support for registration and logins." +msgstr "" + +#: ../../mod/admin.php:665 +msgid "Fullname check" +msgstr "" + +#: ../../mod/admin.php:665 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "" + +#: ../../mod/admin.php:666 +msgid "UTF-8 Regular expressions" +msgstr "" + +#: ../../mod/admin.php:666 +msgid "Use PHP UTF8 regular expressions" +msgstr "" + +#: ../../mod/admin.php:667 +msgid "Community Page Style" +msgstr "" + +#: ../../mod/admin.php:667 +msgid "" +"Type of community page to show. 'Global community' shows every public " +"posting from an open distributed network that arrived on this server." +msgstr "" + +#: ../../mod/admin.php:668 +msgid "Posts per user on community page" +msgstr "" + +#: ../../mod/admin.php:668 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"'Global Community')" +msgstr "" + +#: ../../mod/admin.php:669 +msgid "Enable OStatus support" +msgstr "" + +#: ../../mod/admin.php:669 +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:670 +msgid "OStatus conversation completion interval" +msgstr "" + +#: ../../mod/admin.php:670 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "" + +#: ../../mod/admin.php:671 +msgid "Enable Diaspora support" +msgstr "" + +#: ../../mod/admin.php:671 +msgid "Provide built-in Diaspora network compatibility." +msgstr "" + +#: ../../mod/admin.php:672 +msgid "Only allow Friendica contacts" +msgstr "" + +#: ../../mod/admin.php:672 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "" + +#: ../../mod/admin.php:673 +msgid "Verify SSL" +msgstr "" + +#: ../../mod/admin.php:673 +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:674 +msgid "Proxy user" +msgstr "" + +#: ../../mod/admin.php:675 +msgid "Proxy URL" +msgstr "" + +#: ../../mod/admin.php:676 +msgid "Network timeout" +msgstr "" + +#: ../../mod/admin.php:676 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "" + +#: ../../mod/admin.php:677 +msgid "Delivery interval" +msgstr "" + +#: ../../mod/admin.php:677 +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:678 +msgid "Poll interval" +msgstr "" + +#: ../../mod/admin.php:678 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "" + +#: ../../mod/admin.php:679 +msgid "Maximum Load Average" +msgstr "" + +#: ../../mod/admin.php:679 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "" + +#: ../../mod/admin.php:681 +msgid "Use MySQL full text engine" +msgstr "" + +#: ../../mod/admin.php:681 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "" + +#: ../../mod/admin.php:682 +msgid "Suppress Language" +msgstr "" + +#: ../../mod/admin.php:682 +msgid "Suppress language information in meta information about a posting." +msgstr "" + +#: ../../mod/admin.php:683 +msgid "Suppress Tags" +msgstr "" + +#: ../../mod/admin.php:683 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "" + +#: ../../mod/admin.php:684 +msgid "Path to item cache" +msgstr "" + +#: ../../mod/admin.php:685 +msgid "Cache duration in seconds" +msgstr "" + +#: ../../mod/admin.php:685 +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:686 +msgid "Maximum numbers of comments per post" +msgstr "" + +#: ../../mod/admin.php:686 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "" + +#: ../../mod/admin.php:687 +msgid "Path for lock file" +msgstr "" + +#: ../../mod/admin.php:688 +msgid "Temp path" +msgstr "" + +#: ../../mod/admin.php:689 +msgid "Base path to installation" +msgstr "" + +#: ../../mod/admin.php:690 +msgid "Disable picture proxy" +msgstr "" + +#: ../../mod/admin.php:690 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on " +"systems with very low bandwith." +msgstr "" + +#: ../../mod/admin.php:691 +msgid "Enable old style pager" +msgstr "" + +#: ../../mod/admin.php:691 +msgid "" +"The old style pager has page numbers but slows down massively the page speed." +msgstr "" + +#: ../../mod/admin.php:692 +msgid "Only search in tags" +msgstr "" + +#: ../../mod/admin.php:692 +msgid "On large systems the text search can slow down the system extremely." +msgstr "" + +#: ../../mod/admin.php:694 +msgid "New base url" +msgstr "" + +#: ../../mod/admin.php:711 +msgid "Update has been marked successful" +msgstr "" + +#: ../../mod/admin.php:719 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "" + +#: ../../mod/admin.php:722 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:734 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:737 +#, php-format +msgid "Update %s was successfully applied." +msgstr "" + +#: ../../mod/admin.php:741 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "" + +#: ../../mod/admin.php:743 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "" + +#: ../../mod/admin.php:762 +msgid "No failed updates." +msgstr "" + +#: ../../mod/admin.php:763 +msgid "Check database structure" +msgstr "" + +#: ../../mod/admin.php:768 +msgid "Failed Updates" +msgstr "" + +#: ../../mod/admin.php:769 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "" + +#: ../../mod/admin.php:770 +msgid "Mark success (if update was manually applied)" +msgstr "" + +#: ../../mod/admin.php:771 +msgid "Attempt to execute this update step automatically" +msgstr "" + +#: ../../mod/admin.php:803 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "" + +#: ../../mod/admin.php:806 +#, php-format +msgid "" +"\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." +msgstr "" + +#: ../../mod/admin.php:838 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "" + +#: ../../mod/admin.php:850 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/admin.php:857 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/admin.php:896 +#, php-format +msgid "User '%s' deleted" +msgstr "" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' unblocked" +msgstr "" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' blocked" +msgstr "" + +#: ../../mod/admin.php:999 +msgid "Add User" +msgstr "" + +#: ../../mod/admin.php:1000 +msgid "select all" +msgstr "" + +#: ../../mod/admin.php:1001 +msgid "User registrations waiting for confirm" +msgstr "" + +#: ../../mod/admin.php:1002 +msgid "User waiting for permanent deletion" +msgstr "" + +#: ../../mod/admin.php:1003 +msgid "Request date" +msgstr "" + +#: ../../mod/admin.php:1003 ../../mod/admin.php:1015 ../../mod/admin.php:1016 +#: ../../mod/admin.php:1031 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "" + +#: ../../mod/admin.php:1004 +msgid "No registrations." +msgstr "" + +#: ../../mod/admin.php:1006 +msgid "Deny" +msgstr "" + +#: ../../mod/admin.php:1010 +msgid "Site admin" +msgstr "" + +#: ../../mod/admin.php:1011 +msgid "Account expired" +msgstr "" + +#: ../../mod/admin.php:1014 +msgid "New User" +msgstr "" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Register date" +msgstr "" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last login" +msgstr "" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last item" +msgstr "" + +#: ../../mod/admin.php:1015 +msgid "Deleted since" +msgstr "" + +#: ../../mod/admin.php:1016 ../../mod/settings.php:36 +msgid "Account" +msgstr "" + +#: ../../mod/admin.php:1018 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "" + +#: ../../mod/admin.php:1019 +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 "" + +#: ../../mod/admin.php:1029 +msgid "Name of the new user." +msgstr "" + +#: ../../mod/admin.php:1030 +msgid "Nickname" +msgstr "" + +#: ../../mod/admin.php:1030 +msgid "Nickname of the new user." +msgstr "" + +#: ../../mod/admin.php:1031 +msgid "Email address of the new user." +msgstr "" + +#: ../../mod/admin.php:1064 +#, php-format +msgid "Plugin %s disabled." +msgstr "" + +#: ../../mod/admin.php:1068 +#, php-format +msgid "Plugin %s enabled." +msgstr "" + +#: ../../mod/admin.php:1078 ../../mod/admin.php:1294 +msgid "Disable" +msgstr "" + +#: ../../mod/admin.php:1080 ../../mod/admin.php:1296 +msgid "Enable" +msgstr "" + +#: ../../mod/admin.php:1103 ../../mod/admin.php:1324 +msgid "Toggle" +msgstr "" + +#: ../../mod/admin.php:1111 ../../mod/admin.php:1334 +msgid "Author: " +msgstr "" + +#: ../../mod/admin.php:1112 ../../mod/admin.php:1335 +msgid "Maintainer: " +msgstr "" + +#: ../../mod/admin.php:1254 +msgid "No themes found." +msgstr "" + +#: ../../mod/admin.php:1316 +msgid "Screenshot" +msgstr "" + +#: ../../mod/admin.php:1362 +msgid "[Experimental]" +msgstr "" + +#: ../../mod/admin.php:1363 +msgid "[Unsupported]" +msgstr "" + +#: ../../mod/admin.php:1390 +msgid "Log settings updated." +msgstr "" + +#: ../../mod/admin.php:1446 +msgid "Clear" +msgstr "" + +#: ../../mod/admin.php:1452 +msgid "Enable Debugging" +msgstr "" + +#: ../../mod/admin.php:1453 +msgid "Log file" +msgstr "" + +#: ../../mod/admin.php:1453 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "" + +#: ../../mod/admin.php:1454 +msgid "Log level" +msgstr "" + +#: ../../mod/admin.php:1504 +msgid "Close" +msgstr "" + +#: ../../mod/admin.php:1510 +msgid "FTP Host" +msgstr "" + +#: ../../mod/admin.php:1511 +msgid "FTP Path" +msgstr "" + +#: ../../mod/admin.php:1512 +msgid "FTP User" +msgstr "" + +#: ../../mod/admin.php:1513 +msgid "FTP Password" msgstr "" #: ../../mod/network.php:142 msgid "Search Results For:" msgstr "" -#: ../../mod/network.php:185 ../../mod/_search.php:21 ../../mod/search.php:21 +#: ../../mod/network.php:185 ../../mod/search.php:21 msgid "Remove term" msgstr "" -#: ../../mod/network.php:194 ../../mod/_search.php:30 ../../mod/search.php:30 +#: ../../mod/network.php:194 ../../mod/search.php:30 #: ../../include/features.php:42 msgid "Saved Searches" msgstr "" @@ -1656,10 +2904,6 @@ msgstr "" msgid "Sort by Post Date" msgstr "" -#: ../../mod/network.php:371 ../../mod/notifications.php:88 -msgid "Personal" -msgstr "" - #: ../../mod/network.php:374 msgid "Posts that mention or involve you" msgstr "" @@ -1724,6 +2968,278 @@ msgstr "" msgid "Invalid contact." msgstr "" +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "" + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "" + +#: ../../mod/events.php:335 ../../include/text.php:1647 +#: ../../include/text.php:1657 +msgid "link to source" +msgstr "" + +#: ../../mod/events.php:370 ../../boot.php:2143 ../../include/nav.php:80 +#: ../../view/theme/diabook/theme.php:127 +msgid "Events" +msgstr "" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "" + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1648 +#: ../../include/bb2diaspora.php:170 ../../include/event.php:40 +msgid "Location:" +msgstr "" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "" + +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../mod/photos.php:1653 ../../object/Item.php:129 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "" + +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "" + +#: ../../mod/content.php:481 ../../mod/content.php:864 +#: ../../object/Item.php:340 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "" + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "" + +#: ../../mod/content.php:603 ../../object/Item.php:387 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/content.php:605 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../include/text.php:1972 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/content.php:606 ../../boot.php:751 ../../object/Item.php:390 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "" + +#: ../../mod/content.php:620 ../../mod/photos.php:1359 +#: ../../object/Item.php:116 +msgid "Private Message" +msgstr "" + +#: ../../mod/content.php:684 ../../mod/photos.php:1542 +#: ../../object/Item.php:231 +msgid "I like this (toggle)" +msgstr "" + +#: ../../mod/content.php:684 ../../object/Item.php:231 +msgid "like" +msgstr "" + +#: ../../mod/content.php:685 ../../mod/photos.php:1543 +#: ../../object/Item.php:232 +msgid "I don't like this (toggle)" +msgstr "" + +#: ../../mod/content.php:685 ../../object/Item.php:232 +msgid "dislike" +msgstr "" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "Share this" +msgstr "" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "share" +msgstr "" + +#: ../../mod/content.php:707 ../../mod/photos.php:1562 +#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 +#: ../../object/Item.php:675 +msgid "This is you" +msgstr "" + +#: ../../mod/content.php:709 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 ../../boot.php:750 +#: ../../object/Item.php:361 ../../object/Item.php:677 +msgid "Comment" +msgstr "" + +#: ../../mod/content.php:711 ../../object/Item.php:679 +msgid "Bold" +msgstr "" + +#: ../../mod/content.php:712 ../../object/Item.php:680 +msgid "Italic" +msgstr "" + +#: ../../mod/content.php:713 ../../object/Item.php:681 +msgid "Underline" +msgstr "" + +#: ../../mod/content.php:714 ../../object/Item.php:682 +msgid "Quote" +msgstr "" + +#: ../../mod/content.php:715 ../../object/Item.php:683 +msgid "Code" +msgstr "" + +#: ../../mod/content.php:716 ../../object/Item.php:684 +msgid "Image" +msgstr "" + +#: ../../mod/content.php:717 ../../object/Item.php:685 +msgid "Link" +msgstr "" + +#: ../../mod/content.php:718 ../../object/Item.php:686 +msgid "Video" +msgstr "" + +#: ../../mod/content.php:719 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1566 ../../mod/photos.php:1610 +#: ../../mod/photos.php:1698 ../../object/Item.php:687 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "" + +#: ../../mod/content.php:728 ../../mod/settings.php:676 +#: ../../object/Item.php:120 +msgid "Edit" +msgstr "" + +#: ../../mod/content.php:753 ../../object/Item.php:195 +msgid "add star" +msgstr "" + +#: ../../mod/content.php:754 ../../object/Item.php:196 +msgid "remove star" +msgstr "" + +#: ../../mod/content.php:755 ../../object/Item.php:197 +msgid "toggle star status" +msgstr "" + +#: ../../mod/content.php:758 ../../object/Item.php:200 +msgid "starred" +msgstr "" + +#: ../../mod/content.php:759 ../../object/Item.php:220 +msgid "add tag" +msgstr "" + +#: ../../mod/content.php:763 ../../object/Item.php:133 +msgid "save to folder" +msgstr "" + +#: ../../mod/content.php:854 ../../object/Item.php:328 +msgid "to" +msgstr "" + +#: ../../mod/content.php:855 ../../object/Item.php:330 +msgid "Wall-to-Wall" +msgstr "" + +#: ../../mod/content.php:856 ../../object/Item.php:331 +msgid "via Wall-To-Wall:" +msgstr "" + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "" + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "" + #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" msgstr "" @@ -1755,10 +3271,6 @@ msgstr "" msgid "System check" msgstr "" -#: ../../mod/install.php:207 ../../mod/events.php:373 -msgid "Next" -msgstr "" - #: ../../mod/install.php:208 msgid "Check again" msgstr "" @@ -2018,1316 +3530,24 @@ msgid "" "IMPORTANT: You will need to [manually] setup a scheduled task for the poller." msgstr "" -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "" - -#: ../../mod/admin.php:104 ../../mod/admin.php:601 -msgid "Site" -msgstr "" - -#: ../../mod/admin.php:105 ../../mod/admin.php:976 ../../mod/admin.php:991 -msgid "Users" -msgstr "" - -#: ../../mod/admin.php:106 ../../mod/admin.php:1080 ../../mod/admin.php:1133 -#: ../../mod/settings.php:57 -msgid "Plugins" -msgstr "" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1301 ../../mod/admin.php:1335 -msgid "Themes" -msgstr "" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "" - -#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1422 -msgid "Logs" -msgstr "" - -#: ../../mod/admin.php:124 -msgid "probe address" -msgstr "" - -#: ../../mod/admin.php:125 -msgid "check webfinger" -msgstr "" - -#: ../../mod/admin.php:130 ../../include/nav.php:182 -msgid "Admin" -msgstr "" - -#: ../../mod/admin.php:131 -msgid "Plugin Features" -msgstr "" - -#: ../../mod/admin.php:133 -msgid "diagnostics" -msgstr "" - -#: ../../mod/admin.php:134 -msgid "User registrations waiting for confirmation" -msgstr "" - -#: ../../mod/admin.php:193 ../../mod/admin.php:930 -msgid "Normal Account" -msgstr "" - -#: ../../mod/admin.php:194 ../../mod/admin.php:931 -msgid "Soapbox Account" -msgstr "" - -#: ../../mod/admin.php:195 ../../mod/admin.php:932 -msgid "Community/Celebrity Account" -msgstr "" - -#: ../../mod/admin.php:196 ../../mod/admin.php:933 -msgid "Automatic Friend Account" -msgstr "" - -#: ../../mod/admin.php:197 -msgid "Blog Account" -msgstr "" - -#: ../../mod/admin.php:198 -msgid "Private Forum" -msgstr "" - -#: ../../mod/admin.php:217 -msgid "Message queues" -msgstr "" - -#: ../../mod/admin.php:222 ../../mod/admin.php:600 ../../mod/admin.php:975 -#: ../../mod/admin.php:1079 ../../mod/admin.php:1132 ../../mod/admin.php:1300 -#: ../../mod/admin.php:1334 ../../mod/admin.php:1421 -msgid "Administration" -msgstr "" - -#: ../../mod/admin.php:223 -msgid "Summary" -msgstr "" - -#: ../../mod/admin.php:225 -msgid "Registered users" -msgstr "" - -#: ../../mod/admin.php:227 -msgid "Pending registrations" -msgstr "" - -#: ../../mod/admin.php:228 -msgid "Version" -msgstr "" - -#: ../../mod/admin.php:232 -msgid "Active plugins" -msgstr "" - -#: ../../mod/admin.php:255 -msgid "Can not parse base url. Must have at least ://" -msgstr "" - -#: ../../mod/admin.php:505 -msgid "Site settings updated." -msgstr "" - -#: ../../mod/admin.php:534 ../../mod/settings.php:828 -msgid "No special theme for mobile devices" -msgstr "" - -#: ../../mod/admin.php:551 ../../mod/contacts.php:419 -msgid "Never" -msgstr "" - -#: ../../mod/admin.php:552 -msgid "At post arrival" -msgstr "" - -#: ../../mod/admin.php:553 ../../include/contact_selectors.php:56 -msgid "Frequently" -msgstr "" - -#: ../../mod/admin.php:554 ../../include/contact_selectors.php:57 -msgid "Hourly" -msgstr "" - -#: ../../mod/admin.php:555 ../../include/contact_selectors.php:58 -msgid "Twice daily" -msgstr "" - -#: ../../mod/admin.php:556 ../../include/contact_selectors.php:59 -msgid "Daily" -msgstr "" - -#: ../../mod/admin.php:561 -msgid "Multi user instance" -msgstr "" - -#: ../../mod/admin.php:584 -msgid "Closed" -msgstr "" - -#: ../../mod/admin.php:585 -msgid "Requires approval" -msgstr "" - -#: ../../mod/admin.php:586 -msgid "Open" -msgstr "" - -#: ../../mod/admin.php:590 -msgid "No SSL policy, links will track page SSL state" -msgstr "" - -#: ../../mod/admin.php:591 -msgid "Force all links to use SSL" -msgstr "" - -#: ../../mod/admin.php:592 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "" - -#: ../../mod/admin.php:602 ../../mod/admin.php:1134 ../../mod/admin.php:1336 -#: ../../mod/admin.php:1423 ../../mod/settings.php:614 -#: ../../mod/settings.php:724 ../../mod/settings.php:798 -#: ../../mod/settings.php:880 ../../mod/settings.php:1113 -msgid "Save Settings" -msgstr "" - -#: ../../mod/admin.php:604 -msgid "File upload" -msgstr "" - -#: ../../mod/admin.php:605 -msgid "Policies" -msgstr "" - -#: ../../mod/admin.php:606 -msgid "Advanced" -msgstr "" - -#: ../../mod/admin.php:607 -msgid "Performance" -msgstr "" - -#: ../../mod/admin.php:608 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "" - -#: ../../mod/admin.php:611 -msgid "Site name" -msgstr "" - -#: ../../mod/admin.php:612 -msgid "Host name" -msgstr "" - -#: ../../mod/admin.php:613 -msgid "Sender Email" -msgstr "" - -#: ../../mod/admin.php:614 -msgid "Banner/Logo" -msgstr "" - -#: ../../mod/admin.php:615 -msgid "Additional Info" -msgstr "" - -#: ../../mod/admin.php:615 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "" - -#: ../../mod/admin.php:616 -msgid "System language" -msgstr "" - -#: ../../mod/admin.php:617 -msgid "System theme" -msgstr "" - -#: ../../mod/admin.php:617 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "" - -#: ../../mod/admin.php:618 -msgid "Mobile system theme" -msgstr "" - -#: ../../mod/admin.php:618 -msgid "Theme for mobile devices" -msgstr "" - -#: ../../mod/admin.php:619 -msgid "SSL link policy" -msgstr "" - -#: ../../mod/admin.php:619 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "" - -#: ../../mod/admin.php:620 -msgid "Force SSL" -msgstr "" - -#: ../../mod/admin.php:620 -msgid "" -"Force all Non-SSL requests to SSL - Attention: on some systems it could lead " -"to endless loops." -msgstr "" - -#: ../../mod/admin.php:621 -msgid "Old style 'Share'" -msgstr "" - -#: ../../mod/admin.php:621 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "" - -#: ../../mod/admin.php:622 -msgid "Hide help entry from navigation menu" -msgstr "" - -#: ../../mod/admin.php:622 -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:623 -msgid "Single user instance" -msgstr "" - -#: ../../mod/admin.php:623 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "" - -#: ../../mod/admin.php:624 -msgid "Maximum image size" -msgstr "" - -#: ../../mod/admin.php:624 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "" - -#: ../../mod/admin.php:625 -msgid "Maximum image length" -msgstr "" - -#: ../../mod/admin.php:625 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "" - -#: ../../mod/admin.php:626 -msgid "JPEG image quality" -msgstr "" - -#: ../../mod/admin.php:626 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "" - -#: ../../mod/admin.php:628 -msgid "Register policy" -msgstr "" - -#: ../../mod/admin.php:629 -msgid "Maximum Daily Registrations" -msgstr "" - -#: ../../mod/admin.php:629 -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:630 -msgid "Register text" -msgstr "" - -#: ../../mod/admin.php:630 -msgid "Will be displayed prominently on the registration page." -msgstr "" - -#: ../../mod/admin.php:631 -msgid "Accounts abandoned after x days" -msgstr "" - -#: ../../mod/admin.php:631 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "" - -#: ../../mod/admin.php:632 -msgid "Allowed friend domains" -msgstr "" - -#: ../../mod/admin.php:632 -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:633 -msgid "Allowed email domains" -msgstr "" - -#: ../../mod/admin.php:633 -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:634 -msgid "Block public" -msgstr "" - -#: ../../mod/admin.php:634 -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:635 -msgid "Force publish" -msgstr "" - -#: ../../mod/admin.php:635 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "" - -#: ../../mod/admin.php:636 -msgid "Global directory update URL" -msgstr "" - -#: ../../mod/admin.php:636 -msgid "" -"URL to update the global directory. If this is not set, the global directory " -"is completely unavailable to the application." -msgstr "" - -#: ../../mod/admin.php:637 -msgid "Allow threaded items" -msgstr "" - -#: ../../mod/admin.php:637 -msgid "Allow infinite level threading for items on this site." -msgstr "" - -#: ../../mod/admin.php:638 -msgid "Private posts by default for new users" -msgstr "" - -#: ../../mod/admin.php:638 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "" - -#: ../../mod/admin.php:639 -msgid "Don't include post content in email notifications" -msgstr "" - -#: ../../mod/admin.php:639 -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:640 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "" - -#: ../../mod/admin.php:640 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "" - -#: ../../mod/admin.php:641 -msgid "Don't embed private images in posts" -msgstr "" - -#: ../../mod/admin.php:641 -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 " -"photos will have to authenticate and load each image, which may take a while." -msgstr "" - -#: ../../mod/admin.php:642 -msgid "Allow Users to set remote_self" -msgstr "" - -#: ../../mod/admin.php:642 -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:643 -msgid "Block multiple registrations" -msgstr "" - -#: ../../mod/admin.php:643 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "" - -#: ../../mod/admin.php:644 -msgid "OpenID support" -msgstr "" - -#: ../../mod/admin.php:644 -msgid "OpenID support for registration and logins." -msgstr "" - -#: ../../mod/admin.php:645 -msgid "Fullname check" -msgstr "" - -#: ../../mod/admin.php:645 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "" - -#: ../../mod/admin.php:646 -msgid "UTF-8 Regular expressions" -msgstr "" - -#: ../../mod/admin.php:646 -msgid "Use PHP UTF8 regular expressions" -msgstr "" - -#: ../../mod/admin.php:647 -msgid "Show Community Page" -msgstr "" - -#: ../../mod/admin.php:647 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "" - -#: ../../mod/admin.php:648 -msgid "Enable OStatus support" -msgstr "" - -#: ../../mod/admin.php:648 -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:649 -msgid "OStatus conversation completion interval" -msgstr "" - -#: ../../mod/admin.php:649 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "" - -#: ../../mod/admin.php:650 -msgid "Enable Diaspora support" -msgstr "" - -#: ../../mod/admin.php:650 -msgid "Provide built-in Diaspora network compatibility." -msgstr "" - -#: ../../mod/admin.php:651 -msgid "Only allow Friendica contacts" -msgstr "" - -#: ../../mod/admin.php:651 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "" - -#: ../../mod/admin.php:652 -msgid "Verify SSL" -msgstr "" - -#: ../../mod/admin.php:652 -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:653 -msgid "Proxy user" -msgstr "" - -#: ../../mod/admin.php:654 -msgid "Proxy URL" -msgstr "" - -#: ../../mod/admin.php:655 -msgid "Network timeout" -msgstr "" - -#: ../../mod/admin.php:655 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "" - -#: ../../mod/admin.php:656 -msgid "Delivery interval" -msgstr "" - -#: ../../mod/admin.php:656 -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:657 -msgid "Poll interval" -msgstr "" - -#: ../../mod/admin.php:657 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "" - -#: ../../mod/admin.php:658 -msgid "Maximum Load Average" -msgstr "" - -#: ../../mod/admin.php:658 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "" - -#: ../../mod/admin.php:660 -msgid "Use MySQL full text engine" -msgstr "" - -#: ../../mod/admin.php:660 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "" - -#: ../../mod/admin.php:661 -msgid "Suppress Language" -msgstr "" - -#: ../../mod/admin.php:661 -msgid "Suppress language information in meta information about a posting." -msgstr "" - -#: ../../mod/admin.php:662 -msgid "Path to item cache" -msgstr "" - -#: ../../mod/admin.php:663 -msgid "Cache duration in seconds" -msgstr "" - -#: ../../mod/admin.php:663 -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:664 -msgid "Maximum numbers of comments per post" -msgstr "" - -#: ../../mod/admin.php:664 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "" - -#: ../../mod/admin.php:665 -msgid "Path for lock file" -msgstr "" - -#: ../../mod/admin.php:666 -msgid "Temp path" -msgstr "" - -#: ../../mod/admin.php:667 -msgid "Base path to installation" -msgstr "" - -#: ../../mod/admin.php:668 -msgid "Disable picture proxy" -msgstr "" - -#: ../../mod/admin.php:668 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on " -"systems with very low bandwith." -msgstr "" - -#: ../../mod/admin.php:670 -msgid "New base url" -msgstr "" - -#: ../../mod/admin.php:672 -msgid "Disable noscrape" -msgstr "" - -#: ../../mod/admin.php:672 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping. Disabling it will cause higher load on your server " -"and the directory server." -msgstr "" - -#: ../../mod/admin.php:689 -msgid "Update has been marked successful" -msgstr "" - -#: ../../mod/admin.php:697 +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 #, php-format -msgid "Database structure update %s was successfully applied." +msgid "Number of daily wall messages for %s exceeded. Message failed." msgstr "" -#: ../../mod/admin.php:700 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." msgstr "" -#: ../../mod/admin.php:712 -#, php-format -msgid "Executing %s failed with error: %s" +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." msgstr "" -#: ../../mod/admin.php:715 -#, php-format -msgid "Update %s was successfully applied." -msgstr "" - -#: ../../mod/admin.php:719 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "" - -#: ../../mod/admin.php:721 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "" - -#: ../../mod/admin.php:740 -msgid "No failed updates." -msgstr "" - -#: ../../mod/admin.php:741 -msgid "Check database structure" -msgstr "" - -#: ../../mod/admin.php:746 -msgid "Failed Updates" -msgstr "" - -#: ../../mod/admin.php:747 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "" - -#: ../../mod/admin.php:748 -msgid "Mark success (if update was manually applied)" -msgstr "" - -#: ../../mod/admin.php:749 -msgid "Attempt to execute this update step automatically" -msgstr "" - -#: ../../mod/admin.php:781 +#: ../../mod/wallmessage.php:143 #, php-format msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "" - -#: ../../mod/admin.php:784 -#, php-format -msgid "" -"\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." -msgstr "" - -#: ../../mod/admin.php:816 ../../include/user.php:413 -#, php-format -msgid "Registration details for %s" -msgstr "" - -#: ../../mod/admin.php:828 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/admin.php:835 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/admin.php:874 -#, php-format -msgid "User '%s' deleted" -msgstr "" - -#: ../../mod/admin.php:882 -#, php-format -msgid "User '%s' unblocked" -msgstr "" - -#: ../../mod/admin.php:882 -#, php-format -msgid "User '%s' blocked" -msgstr "" - -#: ../../mod/admin.php:977 -msgid "Add User" -msgstr "" - -#: ../../mod/admin.php:978 -msgid "select all" -msgstr "" - -#: ../../mod/admin.php:979 -msgid "User registrations waiting for confirm" -msgstr "" - -#: ../../mod/admin.php:980 -msgid "User waiting for permanent deletion" -msgstr "" - -#: ../../mod/admin.php:981 -msgid "Request date" -msgstr "" - -#: ../../mod/admin.php:981 ../../mod/admin.php:993 ../../mod/admin.php:994 -#: ../../mod/admin.php:1007 ../../mod/crepair.php:165 -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Name" -msgstr "" - -#: ../../mod/admin.php:981 ../../mod/admin.php:993 ../../mod/admin.php:994 -#: ../../mod/admin.php:1009 ../../include/contact_selectors.php:79 -#: ../../include/contact_selectors.php:86 -msgid "Email" -msgstr "" - -#: ../../mod/admin.php:982 -msgid "No registrations." -msgstr "" - -#: ../../mod/admin.php:983 ../../mod/notifications.php:161 -#: ../../mod/notifications.php:208 -msgid "Approve" -msgstr "" - -#: ../../mod/admin.php:984 -msgid "Deny" -msgstr "" - -#: ../../mod/admin.php:986 ../../mod/contacts.php:442 -#: ../../mod/contacts.php:501 ../../mod/contacts.php:714 -msgid "Block" -msgstr "" - -#: ../../mod/admin.php:987 ../../mod/contacts.php:442 -#: ../../mod/contacts.php:501 ../../mod/contacts.php:714 -msgid "Unblock" -msgstr "" - -#: ../../mod/admin.php:988 -msgid "Site admin" -msgstr "" - -#: ../../mod/admin.php:989 -msgid "Account expired" -msgstr "" - -#: ../../mod/admin.php:992 -msgid "New User" -msgstr "" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Register date" -msgstr "" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Last login" -msgstr "" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Last item" -msgstr "" - -#: ../../mod/admin.php:993 -msgid "Deleted since" -msgstr "" - -#: ../../mod/admin.php:994 ../../mod/settings.php:36 -msgid "Account" -msgstr "" - -#: ../../mod/admin.php:996 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "" - -#: ../../mod/admin.php:997 -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 "" - -#: ../../mod/admin.php:1007 -msgid "Name of the new user." -msgstr "" - -#: ../../mod/admin.php:1008 -msgid "Nickname" -msgstr "" - -#: ../../mod/admin.php:1008 -msgid "Nickname of the new user." -msgstr "" - -#: ../../mod/admin.php:1009 -msgid "Email address of the new user." -msgstr "" - -#: ../../mod/admin.php:1042 -#, php-format -msgid "Plugin %s disabled." -msgstr "" - -#: ../../mod/admin.php:1046 -#, php-format -msgid "Plugin %s enabled." -msgstr "" - -#: ../../mod/admin.php:1056 ../../mod/admin.php:1272 -msgid "Disable" -msgstr "" - -#: ../../mod/admin.php:1058 ../../mod/admin.php:1274 -msgid "Enable" -msgstr "" - -#: ../../mod/admin.php:1081 ../../mod/admin.php:1302 -msgid "Toggle" -msgstr "" - -#: ../../mod/admin.php:1089 ../../mod/admin.php:1312 -msgid "Author: " -msgstr "" - -#: ../../mod/admin.php:1090 ../../mod/admin.php:1313 -msgid "Maintainer: " -msgstr "" - -#: ../../mod/admin.php:1232 -msgid "No themes found." -msgstr "" - -#: ../../mod/admin.php:1294 -msgid "Screenshot" -msgstr "" - -#: ../../mod/admin.php:1340 -msgid "[Experimental]" -msgstr "" - -#: ../../mod/admin.php:1341 -msgid "[Unsupported]" -msgstr "" - -#: ../../mod/admin.php:1368 -msgid "Log settings updated." -msgstr "" - -#: ../../mod/admin.php:1424 -msgid "Clear" -msgstr "" - -#: ../../mod/admin.php:1430 -msgid "Enable Debugging" -msgstr "" - -#: ../../mod/admin.php:1431 -msgid "Log file" -msgstr "" - -#: ../../mod/admin.php:1431 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "" - -#: ../../mod/admin.php:1432 -msgid "Log level" -msgstr "" - -#: ../../mod/admin.php:1481 ../../mod/contacts.php:498 -msgid "Update now" -msgstr "" - -#: ../../mod/admin.php:1482 -msgid "Close" -msgstr "" - -#: ../../mod/admin.php:1488 -msgid "FTP Host" -msgstr "" - -#: ../../mod/admin.php:1489 -msgid "FTP Path" -msgstr "" - -#: ../../mod/admin.php:1490 -msgid "FTP User" -msgstr "" - -#: ../../mod/admin.php:1491 -msgid "FTP Password" -msgstr "" - -#: ../../mod/_search.php:99 ../../mod/search.php:99 ../../include/text.php:953 -#: ../../include/text.php:954 ../../include/nav.php:119 -msgid "Search" -msgstr "" - -#: ../../mod/_search.php:180 ../../mod/_search.php:206 -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "" - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "" - -#: ../../mod/tagger.php:95 ../../include/conversation.php:266 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "" - -#: ../../mod/editpost.php:109 ../../mod/notes.php:63 ../../mod/filer.php:31 -#: ../../include/text.php:956 -msgid "Save" -msgstr "" - -#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 -msgid "upload photo" -msgstr "" - -#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 -msgid "Attach file" -msgstr "" - -#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 -msgid "attach file" -msgstr "" - -#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 -msgid "web link" -msgstr "" - -#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 -msgid "Insert video link" -msgstr "" - -#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 -msgid "video link" -msgstr "" - -#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 -msgid "Insert audio link" -msgstr "" - -#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 -msgid "audio link" -msgstr "" - -#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 -msgid "Set your location" -msgstr "" - -#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 -msgid "set location" -msgstr "" - -#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 -msgid "Clear browser location" -msgstr "" - -#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 -msgid "clear location" -msgstr "" - -#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 -msgid "Permission settings" -msgstr "" - -#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 -msgid "CC: email addresses" -msgstr "" - -#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 -msgid "Public post" -msgstr "" - -#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 -msgid "Set title" -msgstr "" - -#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 -msgid "Categories (comma-separated list)" -msgstr "" - -#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 -msgid "Example: bob@example.com, mary@example.com" -msgstr "" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "" - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "" - -#: ../../mod/regmod.php:55 -msgid "Account approved." -msgstr "" - -#: ../../mod/regmod.php:92 -#, php-format -msgid "Registration revoked for %s" -msgstr "" - -#: ../../mod/regmod.php:104 -msgid "Please login." -msgstr "" - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "" - -#: ../../mod/directory.php:61 ../../mod/contacts.php:707 -msgid "Finding: " -msgstr "" - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "" - -#: ../../mod/directory.php:63 ../../mod/contacts.php:708 -#: ../../include/contact_widgets.php:34 -msgid "Find" -msgstr "" - -#: ../../mod/directory.php:113 ../../mod/profiles.php:735 -msgid "Age: " -msgstr "" - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "" - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "" - -#: ../../mod/crepair.php:106 -msgid "Contact settings applied." -msgstr "" - -#: ../../mod/crepair.php:108 -msgid "Contact update failed." -msgstr "" - -#: ../../mod/crepair.php:139 -msgid "Repair Contact Settings" -msgstr "" - -#: ../../mod/crepair.php:141 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect " -"information your communications with this contact may stop working." -msgstr "" - -#: ../../mod/crepair.php:142 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "" - -#: ../../mod/crepair.php:148 -msgid "Return to contact editor" -msgstr "" - -#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 -msgid "No mirroring" -msgstr "" - -#: ../../mod/crepair.php:159 -msgid "Mirror as forwarded posting" -msgstr "" - -#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 -msgid "Mirror as my own posting" -msgstr "" - -#: ../../mod/crepair.php:166 -msgid "Account Nickname" -msgstr "" - -#: ../../mod/crepair.php:167 -msgid "@Tagname - overrides Name/Nickname" -msgstr "" - -#: ../../mod/crepair.php:168 -msgid "Account URL" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Friend Request URL" -msgstr "" - -#: ../../mod/crepair.php:170 -msgid "Friend Confirm URL" -msgstr "" - -#: ../../mod/crepair.php:171 -msgid "Notification Endpoint URL" -msgstr "" - -#: ../../mod/crepair.php:172 -msgid "Poll/Feed URL" -msgstr "" - -#: ../../mod/crepair.php:173 -msgid "New photo from this URL" -msgstr "" - -#: ../../mod/crepair.php:174 -msgid "Remote Self" -msgstr "" - -#: ../../mod/crepair.php:176 -msgid "Mirror postings from this contact" -msgstr "" - -#: ../../mod/crepair.php:176 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "" - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "" - -#: ../../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 (statusnet/identi.ca) 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/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "" - -#: ../../mod/lockview.php:48 -msgid "Visible to:" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." msgstr "" #: ../../mod/help.php:79 @@ -3338,534 +3558,74 @@ msgstr "" msgid "Help" msgstr "" -#: ../../mod/hcard.php:10 -msgid "No profile" +#: ../../mod/help.php:90 ../../index.php:256 +msgid "Not Found" msgstr "" -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." +#: ../../mod/help.php:93 ../../index.php:259 +msgid "Page not found." msgstr "" -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "" - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "" - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "" - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 #, 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] "" -msgstr[1] "" - -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." +msgid "%1$s welcomes %2$s" msgstr "" -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "" - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "" - -#: ../../mod/dfrn_request.php:267 +#: ../../mod/home.php:35 #, php-format -msgid "%s has received too many connection requests today." +msgid "Welcome to %s" msgstr "" -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" msgstr "" -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" msgstr "" -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "" - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "" - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "" - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "" - -#: ../../mod/dfrn_request.php:480 +#: ../../mod/wall_attach.php:81 #, php-format -msgid "Apparently you are already friends with %s." +msgid "File exceeds size limit of %d" msgstr "" -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." msgstr "" -#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 -msgid "Disallowed profile URL." +#: ../../mod/match.php:12 +msgid "Profile Match" msgstr "" -#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:188 -msgid "Failed to update contact record." +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." msgstr "" -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." +#: ../../mod/match.php:57 +msgid "is interested in:" msgstr "" -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." +#: ../../mod/match.php:58 ../../mod/suggest.php:90 ../../boot.php:1568 +#: ../../include/contact_widgets.php:10 +msgid "Connect" msgstr "" -#: ../../mod/dfrn_request.php:660 -msgid "" -"Incorrect identity currently logged in. Please login to this profile." +#: ../../mod/share.php:44 +msgid "link" msgstr "" -#: ../../mod/dfrn_request.php:671 -msgid "Hide this contact" +#: ../../mod/community.php:23 +msgid "Not available." msgstr "" -#: ../../mod/dfrn_request.php:674 -#, php-format -msgid "Welcome home %s." +#: ../../mod/community.php:32 ../../include/nav.php:129 +#: ../../include/nav.php:131 ../../view/theme/diabook/theme.php:129 +msgid "Community" msgstr "" -#: ../../mod/dfrn_request.php:675 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "" - -#: ../../mod/dfrn_request.php:676 -msgid "Confirm" -msgstr "" - -#: ../../mod/dfrn_request.php:804 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "" - -#: ../../mod/dfrn_request.php:824 -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:827 -msgid "Friend/Connection Request" -msgstr "" - -#: ../../mod/dfrn_request.php:828 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "" - -#: ../../mod/dfrn_request.php:829 -msgid "Please answer the following:" -msgstr "" - -#: ../../mod/dfrn_request.php:830 -#, php-format -msgid "Does %s know you?" -msgstr "" - -#: ../../mod/dfrn_request.php:834 -msgid "Add a personal note:" -msgstr "" - -#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 -msgid "Friendica" -msgstr "" - -#: ../../mod/dfrn_request.php:837 -msgid "StatusNet/Federated Social Web" -msgstr "" - -#: ../../mod/dfrn_request.php:838 ../../mod/settings.php:736 -#: ../../include/contact_selectors.php:80 -msgid "Diaspora" -msgstr "" - -#: ../../mod/dfrn_request.php:839 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search " -"bar." -msgstr "" - -#: ../../mod/dfrn_request.php:840 -msgid "Your Identity Address:" -msgstr "" - -#: ../../mod/dfrn_request.php:843 -msgid "Submit Request" -msgstr "" - -#: ../../mod/update_profile.php:41 ../../mod/update_network.php:25 -#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 -#: ../../mod/update_notes.php:37 -msgid "[Embedded content - reload page to view]" -msgstr "" - -#: ../../mod/content.php:497 ../../include/conversation.php:690 -msgid "View in context" -msgstr "" - -#: ../../mod/contacts.php:108 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 -msgid "Could not access contact record." -msgstr "" - -#: ../../mod/contacts.php:153 -msgid "Could not locate selected profile." -msgstr "" - -#: ../../mod/contacts.php:186 -msgid "Contact updated." -msgstr "" - -#: ../../mod/contacts.php:287 -msgid "Contact has been blocked" -msgstr "" - -#: ../../mod/contacts.php:287 -msgid "Contact has been unblocked" -msgstr "" - -#: ../../mod/contacts.php:298 -msgid "Contact has been ignored" -msgstr "" - -#: ../../mod/contacts.php:298 -msgid "Contact has been unignored" -msgstr "" - -#: ../../mod/contacts.php:310 -msgid "Contact has been archived" -msgstr "" - -#: ../../mod/contacts.php:310 -msgid "Contact has been unarchived" -msgstr "" - -#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 -msgid "Do you really want to delete this contact?" -msgstr "" - -#: ../../mod/contacts.php:352 -msgid "Contact has been removed." -msgstr "" - -#: ../../mod/contacts.php:390 -#, php-format -msgid "You are mutual friends with %s" -msgstr "" - -#: ../../mod/contacts.php:394 -#, php-format -msgid "You are sharing with %s" -msgstr "" - -#: ../../mod/contacts.php:399 -#, php-format -msgid "%s is sharing with you" -msgstr "" - -#: ../../mod/contacts.php:416 -msgid "Private communications are not available for this contact." -msgstr "" - -#: ../../mod/contacts.php:423 -msgid "(Update was successful)" -msgstr "" - -#: ../../mod/contacts.php:423 -msgid "(Update was not successful)" -msgstr "" - -#: ../../mod/contacts.php:425 -msgid "Suggest friends" -msgstr "" - -#: ../../mod/contacts.php:429 -#, php-format -msgid "Network type: %s" -msgstr "" - -#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/contacts.php:437 -msgid "View all contacts" -msgstr "" - -#: ../../mod/contacts.php:445 -msgid "Toggle Blocked status" -msgstr "" - -#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 -#: ../../mod/contacts.php:715 -msgid "Unignore" -msgstr "" - -#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 -#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 -#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 -msgid "Ignore" -msgstr "" - -#: ../../mod/contacts.php:451 -msgid "Toggle Ignored status" -msgstr "" - -#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 -msgid "Unarchive" -msgstr "" - -#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 -msgid "Archive" -msgstr "" - -#: ../../mod/contacts.php:458 -msgid "Toggle Archive status" -msgstr "" - -#: ../../mod/contacts.php:461 -msgid "Repair" -msgstr "" - -#: ../../mod/contacts.php:464 -msgid "Advanced Contact Settings" -msgstr "" - -#: ../../mod/contacts.php:470 -msgid "Communications lost with this contact!" -msgstr "" - -#: ../../mod/contacts.php:473 -msgid "Contact Editor" -msgstr "" - -#: ../../mod/contacts.php:476 -msgid "Profile Visibility" -msgstr "" - -#: ../../mod/contacts.php:477 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "" - -#: ../../mod/contacts.php:478 -msgid "Contact Information / Notes" -msgstr "" - -#: ../../mod/contacts.php:479 -msgid "Edit contact notes" -msgstr "" - -#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 -#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "" - -#: ../../mod/contacts.php:485 -msgid "Block/Unblock contact" -msgstr "" - -#: ../../mod/contacts.php:486 -msgid "Ignore contact" -msgstr "" - -#: ../../mod/contacts.php:487 -msgid "Repair URL settings" -msgstr "" - -#: ../../mod/contacts.php:488 -msgid "View conversations" -msgstr "" - -#: ../../mod/contacts.php:490 -msgid "Delete contact" -msgstr "" - -#: ../../mod/contacts.php:494 -msgid "Last update:" -msgstr "" - -#: ../../mod/contacts.php:496 -msgid "Update public posts" -msgstr "" - -#: ../../mod/contacts.php:505 -msgid "Currently blocked" -msgstr "" - -#: ../../mod/contacts.php:506 -msgid "Currently ignored" -msgstr "" - -#: ../../mod/contacts.php:507 -msgid "Currently archived" -msgstr "" - -#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 -#: ../../mod/notifications.php:204 -msgid "Hide this contact from others" -msgstr "" - -#: ../../mod/contacts.php:508 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "" - -#: ../../mod/contacts.php:509 -msgid "Notification for new posts" -msgstr "" - -#: ../../mod/contacts.php:509 -msgid "Send a notification of every new post of this contact" -msgstr "" - -#: ../../mod/contacts.php:510 -msgid "Fetch further information for feeds" -msgstr "" - -#: ../../mod/contacts.php:511 -msgid "Disabled" -msgstr "" - -#: ../../mod/contacts.php:511 -msgid "Fetch information" -msgstr "" - -#: ../../mod/contacts.php:511 -msgid "Fetch information and keywords" -msgstr "" - -#: ../../mod/contacts.php:513 -msgid "Blacklisted keywords" -msgstr "" - -#: ../../mod/contacts.php:513 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "" - -#: ../../mod/contacts.php:564 -msgid "Suggestions" -msgstr "" - -#: ../../mod/contacts.php:567 -msgid "Suggest potential friends" -msgstr "" - -#: ../../mod/contacts.php:570 ../../mod/group.php:194 -msgid "All Contacts" -msgstr "" - -#: ../../mod/contacts.php:573 -msgid "Show all contacts" -msgstr "" - -#: ../../mod/contacts.php:576 -msgid "Unblocked" -msgstr "" - -#: ../../mod/contacts.php:579 -msgid "Only show unblocked contacts" -msgstr "" - -#: ../../mod/contacts.php:583 -msgid "Blocked" -msgstr "" - -#: ../../mod/contacts.php:586 -msgid "Only show blocked contacts" -msgstr "" - -#: ../../mod/contacts.php:590 -msgid "Ignored" -msgstr "" - -#: ../../mod/contacts.php:593 -msgid "Only show ignored contacts" -msgstr "" - -#: ../../mod/contacts.php:597 -msgid "Archived" -msgstr "" - -#: ../../mod/contacts.php:600 -msgid "Only show archived contacts" -msgstr "" - -#: ../../mod/contacts.php:604 -msgid "Hidden" -msgstr "" - -#: ../../mod/contacts.php:607 -msgid "Only show hidden contacts" -msgstr "" - -#: ../../mod/contacts.php:655 -msgid "Mutual Friendship" -msgstr "" - -#: ../../mod/contacts.php:659 -msgid "is a fan of yours" -msgstr "" - -#: ../../mod/contacts.php:663 -msgid "you are a fan of" -msgstr "" - -#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "" - -#: ../../mod/contacts.php:706 -msgid "Search your contacts" -msgstr "" - -#: ../../mod/contacts.php:713 ../../mod/settings.php:132 -#: ../../mod/settings.php:640 -msgid "Update" +#: ../../mod/community.php:62 ../../mod/community.php:71 +#: ../../mod/search.php:168 ../../mod/search.php:192 +msgid "No results." msgstr "" #: ../../mod/settings.php:29 ../../mod/photos.php:80 @@ -3884,7 +3644,7 @@ msgstr "" msgid "Social Networks" msgstr "" -#: ../../mod/settings.php:62 ../../include/nav.php:168 +#: ../../mod/settings.php:62 ../../include/nav.php:170 msgid "Delegations" msgstr "" @@ -4038,6 +3798,11 @@ msgstr "" msgid "Built-in support for %s connectivity is %s" msgstr "" +#: ../../mod/settings.php:736 ../../mod/dfrn_request.php:838 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "" + #: ../../mod/settings.php:736 ../../mod/settings.php:737 msgid "enabled" msgstr "" @@ -4224,6 +3989,18 @@ msgstr "" msgid "Publish your default profile in your local site directory?" msgstr "" +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:234 ../../mod/profiles.php:661 +#: ../../mod/profiles.php:665 ../../mod/api.php:106 +msgid "No" +msgstr "" + #: ../../mod/settings.php:1016 msgid "Publish your default profile in the global social directory?" msgstr "" @@ -4262,10 +4039,6 @@ msgstr "" msgid "Profile is not published." msgstr "" -#: ../../mod/settings.php:1062 ../../mod/profile_photo.php:248 -msgid "or" -msgstr "" - #: ../../mod/settings.php:1067 msgid "Your Identity Address is" msgstr "" @@ -4494,6 +4267,412 @@ msgstr "" msgid "Resend relocate message to contacts" msgstr "" +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "" + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "" + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "" + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "" + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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] "" +msgstr[1] "" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "" + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "" + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "" + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "" + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "" + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "" + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "" + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "" + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "" + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "" + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "" + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "" + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "" + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "" + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "" + +#: ../../mod/dfrn_request.php:660 +msgid "" +"Incorrect identity currently logged in. Please login to this profile." +msgstr "" + +#: ../../mod/dfrn_request.php:671 +msgid "Hide this contact" +msgstr "" + +#: ../../mod/dfrn_request.php:674 +#, php-format +msgid "Welcome home %s." +msgstr "" + +#: ../../mod/dfrn_request.php:675 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "" + +#: ../../mod/dfrn_request.php:676 +msgid "Confirm" +msgstr "" + +#: ../../mod/dfrn_request.php:804 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "" + +#: ../../mod/dfrn_request.php:824 +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:827 +msgid "Friend/Connection Request" +msgstr "" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "" + +#: ../../mod/dfrn_request.php:829 +msgid "Please answer the following:" +msgstr "" + +#: ../../mod/dfrn_request.php:830 +#, php-format +msgid "Does %s know you?" +msgstr "" + +#: ../../mod/dfrn_request.php:834 +msgid "Add a personal note:" +msgstr "" + +#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "" + +#: ../../mod/dfrn_request.php:837 +msgid "StatusNet/Federated Social Web" +msgstr "" + +#: ../../mod/dfrn_request.php:839 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search " +"bar." +msgstr "" + +#: ../../mod/dfrn_request.php:840 +msgid "Your Identity Address:" +msgstr "" + +#: ../../mod/dfrn_request.php:843 +msgid "Submit Request" +msgstr "" + +#: ../../mod/register.php:90 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "" + +#: ../../mod/register.php:96 +#, 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 +msgid "Your registration can not be processed." +msgstr "" + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "" + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "" + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "" + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "" + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "" + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "" + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "" + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "" + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "" + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "" + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be 'nickname@$sitename'." +msgstr "" + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "" + +#: ../../mod/register.php:269 ../../boot.php:1241 ../../include/nav.php:109 +msgid "Register" +msgstr "" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "" + +#: ../../mod/search.php:99 ../../include/text.php:953 +#: ../../include/text.php:954 ../../include/nav.php:119 +msgid "Search" +msgstr "" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "" + +#: ../../mod/directory.php:113 ../../mod/profiles.php:750 +msgid "Age: " +msgstr "" + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "" + +#: ../../mod/directory.php:138 ../../boot.php:1650 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "" + +#: ../../mod/directory.php:140 ../../boot.php:1653 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "" + +#: ../../mod/directory.php:142 ../../boot.php:1655 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "" + +#: ../../mod/directory.php:144 ../../boot.php:1657 +#: ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "" + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "" + +#: ../../mod/delegate.php:130 ../../include/nav.php:170 +msgid "Delegate Page Management" +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/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 "" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "" + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "" + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "" + +#: ../../mod/uexport.php:77 +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:78 +msgid "Export all" +msgstr "" + +#: ../../mod/uexport.php:78 +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/mood.php:62 ../../include/conversation.php:227 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "" + +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "" + +#: ../../mod/suggest.php:68 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:527 +msgid "Friend Suggestions" +msgstr "" + +#: ../../mod/suggest.php:74 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "" + +#: ../../mod/suggest.php:92 +msgid "Ignore/Hide" +msgstr "" + #: ../../mod/profiles.php:37 msgid "Profile deleted." msgstr "" @@ -4554,7 +4733,7 @@ msgstr "" msgid "Homepage" msgstr "" -#: ../../mod/profiles.php:379 ../../mod/profiles.php:683 +#: ../../mod/profiles.php:379 ../../mod/profiles.php:698 msgid "Interests" msgstr "" @@ -4562,7 +4741,7 @@ msgstr "" msgid "Address" msgstr "" -#: ../../mod/profiles.php:390 ../../mod/profiles.php:679 +#: ../../mod/profiles.php:390 ../../mod/profiles.php:694 msgid "Location" msgstr "" @@ -4570,435 +4749,400 @@ msgstr "" msgid "Profile updated." msgstr "" -#: ../../mod/profiles.php:553 +#: ../../mod/profiles.php:568 msgid " and " msgstr "" -#: ../../mod/profiles.php:561 +#: ../../mod/profiles.php:576 msgid "public profile" msgstr "" -#: ../../mod/profiles.php:564 +#: ../../mod/profiles.php:579 #, php-format msgid "%1$s changed %2$s to “%3$s”" msgstr "" -#: ../../mod/profiles.php:565 +#: ../../mod/profiles.php:580 #, php-format msgid " - Visit %1$s's %2$s" msgstr "" -#: ../../mod/profiles.php:568 +#: ../../mod/profiles.php:583 #, php-format msgid "%1$s has an updated %2$s, changing %3$s." msgstr "" -#: ../../mod/profiles.php:643 +#: ../../mod/profiles.php:658 msgid "Hide contacts and friends:" msgstr "" -#: ../../mod/profiles.php:648 +#: ../../mod/profiles.php:663 msgid "Hide your contact/friend list from viewers of this profile?" msgstr "" -#: ../../mod/profiles.php:670 +#: ../../mod/profiles.php:685 msgid "Edit Profile Details" msgstr "" -#: ../../mod/profiles.php:672 +#: ../../mod/profiles.php:687 msgid "Change Profile Photo" msgstr "" -#: ../../mod/profiles.php:673 +#: ../../mod/profiles.php:688 msgid "View this profile" msgstr "" -#: ../../mod/profiles.php:674 +#: ../../mod/profiles.php:689 msgid "Create a new profile using these settings" msgstr "" -#: ../../mod/profiles.php:675 +#: ../../mod/profiles.php:690 msgid "Clone this profile" msgstr "" -#: ../../mod/profiles.php:676 +#: ../../mod/profiles.php:691 msgid "Delete this profile" msgstr "" -#: ../../mod/profiles.php:677 +#: ../../mod/profiles.php:692 msgid "Basic information" msgstr "" -#: ../../mod/profiles.php:678 +#: ../../mod/profiles.php:693 msgid "Profile picture" msgstr "" -#: ../../mod/profiles.php:680 +#: ../../mod/profiles.php:695 msgid "Preferences" msgstr "" -#: ../../mod/profiles.php:681 +#: ../../mod/profiles.php:696 msgid "Status information" msgstr "" -#: ../../mod/profiles.php:682 +#: ../../mod/profiles.php:697 msgid "Additional information" msgstr "" -#: ../../mod/profiles.php:685 +#: ../../mod/profiles.php:700 msgid "Profile Name:" msgstr "" -#: ../../mod/profiles.php:686 +#: ../../mod/profiles.php:701 msgid "Your Full Name:" msgstr "" -#: ../../mod/profiles.php:687 +#: ../../mod/profiles.php:702 msgid "Title/Description:" msgstr "" -#: ../../mod/profiles.php:688 +#: ../../mod/profiles.php:703 msgid "Your Gender:" msgstr "" -#: ../../mod/profiles.php:689 +#: ../../mod/profiles.php:704 #, php-format msgid "Birthday (%s):" msgstr "" -#: ../../mod/profiles.php:690 +#: ../../mod/profiles.php:705 msgid "Street Address:" msgstr "" -#: ../../mod/profiles.php:691 +#: ../../mod/profiles.php:706 msgid "Locality/City:" msgstr "" -#: ../../mod/profiles.php:692 +#: ../../mod/profiles.php:707 msgid "Postal/Zip Code:" msgstr "" -#: ../../mod/profiles.php:693 +#: ../../mod/profiles.php:708 msgid "Country:" msgstr "" -#: ../../mod/profiles.php:694 +#: ../../mod/profiles.php:709 msgid "Region/State:" msgstr "" -#: ../../mod/profiles.php:695 +#: ../../mod/profiles.php:710 msgid " Marital Status:" msgstr "" -#: ../../mod/profiles.php:696 +#: ../../mod/profiles.php:711 msgid "Who: (if applicable)" msgstr "" -#: ../../mod/profiles.php:697 +#: ../../mod/profiles.php:712 msgid "Examples: cathy123, Cathy Williams, cathy@example.com" msgstr "" -#: ../../mod/profiles.php:698 +#: ../../mod/profiles.php:713 msgid "Since [date]:" msgstr "" -#: ../../mod/profiles.php:699 ../../include/profile_advanced.php:46 +#: ../../mod/profiles.php:714 ../../include/profile_advanced.php:46 msgid "Sexual Preference:" msgstr "" -#: ../../mod/profiles.php:700 +#: ../../mod/profiles.php:715 msgid "Homepage URL:" msgstr "" -#: ../../mod/profiles.php:701 ../../include/profile_advanced.php:50 +#: ../../mod/profiles.php:716 ../../include/profile_advanced.php:50 msgid "Hometown:" msgstr "" -#: ../../mod/profiles.php:702 ../../include/profile_advanced.php:54 +#: ../../mod/profiles.php:717 ../../include/profile_advanced.php:54 msgid "Political Views:" msgstr "" -#: ../../mod/profiles.php:703 +#: ../../mod/profiles.php:718 msgid "Religious Views:" msgstr "" -#: ../../mod/profiles.php:704 +#: ../../mod/profiles.php:719 msgid "Public Keywords:" msgstr "" -#: ../../mod/profiles.php:705 +#: ../../mod/profiles.php:720 msgid "Private Keywords:" msgstr "" -#: ../../mod/profiles.php:706 ../../include/profile_advanced.php:62 +#: ../../mod/profiles.php:721 ../../include/profile_advanced.php:62 msgid "Likes:" msgstr "" -#: ../../mod/profiles.php:707 ../../include/profile_advanced.php:64 +#: ../../mod/profiles.php:722 ../../include/profile_advanced.php:64 msgid "Dislikes:" msgstr "" -#: ../../mod/profiles.php:708 +#: ../../mod/profiles.php:723 msgid "Example: fishing photography software" msgstr "" -#: ../../mod/profiles.php:709 +#: ../../mod/profiles.php:724 msgid "(Used for suggesting potential friends, can be seen by others)" msgstr "" -#: ../../mod/profiles.php:710 +#: ../../mod/profiles.php:725 msgid "(Used for searching profiles, never shown to others)" msgstr "" -#: ../../mod/profiles.php:711 +#: ../../mod/profiles.php:726 msgid "Tell us about yourself..." msgstr "" -#: ../../mod/profiles.php:712 +#: ../../mod/profiles.php:727 msgid "Hobbies/Interests" msgstr "" -#: ../../mod/profiles.php:713 +#: ../../mod/profiles.php:728 msgid "Contact information and Social Networks" msgstr "" -#: ../../mod/profiles.php:714 +#: ../../mod/profiles.php:729 msgid "Musical interests" msgstr "" -#: ../../mod/profiles.php:715 +#: ../../mod/profiles.php:730 msgid "Books, literature" msgstr "" -#: ../../mod/profiles.php:716 +#: ../../mod/profiles.php:731 msgid "Television" msgstr "" -#: ../../mod/profiles.php:717 +#: ../../mod/profiles.php:732 msgid "Film/dance/culture/entertainment" msgstr "" -#: ../../mod/profiles.php:718 +#: ../../mod/profiles.php:733 msgid "Love/romance" msgstr "" -#: ../../mod/profiles.php:719 +#: ../../mod/profiles.php:734 msgid "Work/employment" msgstr "" -#: ../../mod/profiles.php:720 +#: ../../mod/profiles.php:735 msgid "School/education" msgstr "" -#: ../../mod/profiles.php:725 +#: ../../mod/profiles.php:740 msgid "" "This is your public profile.
    It may " "be visible to anybody using the internet." msgstr "" -#: ../../mod/profiles.php:788 +#: ../../mod/profiles.php:803 msgid "Edit/Manage Profiles" msgstr "" -#: ../../mod/group.php:29 -msgid "Group created." +#: ../../mod/profiles.php:804 ../../boot.php:1611 ../../boot.php:1637 +msgid "Change profile photo" msgstr "" -#: ../../mod/group.php:35 -msgid "Could not create group." +#: ../../mod/profiles.php:805 ../../boot.php:1612 +msgid "Create New Profile" msgstr "" -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." +#: ../../mod/profiles.php:816 ../../boot.php:1622 +msgid "Profile Image" msgstr "" -#: ../../mod/group.php:60 -msgid "Group name changed." +#: ../../mod/profiles.php:818 ../../boot.php:1625 +msgid "visible to everybody" msgstr "" -#: ../../mod/group.php:87 -msgid "Save Group" +#: ../../mod/profiles.php:819 ../../boot.php:1626 +msgid "Edit visibility" msgstr "" -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" msgstr "" -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " +#: ../../mod/editpost.php:39 +msgid "Edit post" msgstr "" -#: ../../mod/group.php:113 -msgid "Group removed." +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" msgstr "" -#: ../../mod/group.php:115 -msgid "Unable to remove group." +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" msgstr "" -#: ../../mod/group.php:179 -msgid "Group Editor" +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" msgstr "" -#: ../../mod/group.php:192 -msgid "Members" +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" msgstr "" -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" msgstr "" -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" msgstr "" -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" msgstr "" -#: ../../mod/babel.php:31 -msgid "Source input: " +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" msgstr "" -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" msgstr "" -#: ../../mod/babel.php:39 -msgid "bb2html: " +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" msgstr "" -#: ../../mod/babel.php:43 -msgid "bb2html2bb: " +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" msgstr "" -#: ../../mod/babel.php:47 -msgid "bb2md: " +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" msgstr "" -#: ../../mod/babel.php:51 -msgid "bb2md2html: " +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" msgstr "" -#: ../../mod/babel.php:55 -msgid "bb2dia2bb: " +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" msgstr "" -#: ../../mod/babel.php:59 -msgid "bb2md2html2bb: " +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" msgstr "" -#: ../../mod/babel.php:69 -msgid "Source input (Diaspora format): " +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" msgstr "" -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" msgstr "" -#: ../../mod/community.php:23 -msgid "Not available." +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" msgstr "" -#: ../../mod/follow.php:27 -msgid "Contact added" +#: ../../mod/friendica.php:59 +msgid "This is Friendica, version" msgstr "" -#: ../../mod/notify.php:75 ../../mod/notifications.php:336 -msgid "No more system notifications." +#: ../../mod/friendica.php:60 +msgid "running at web location" msgstr "" -#: ../../mod/notify.php:79 ../../mod/notifications.php:340 -msgid "System Notifications" -msgstr "" - -#: ../../mod/message.php:9 ../../include/nav.php:162 -msgid "New Message" -msgstr "" - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "" - -#: ../../mod/message.php:182 ../../include/nav.php:159 -msgid "Messages" -msgstr "" - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "" - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "" - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "" - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "" - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "" - -#: ../../mod/message.php:548 +#: ../../mod/friendica.php:62 msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." +"Please visit Friendica.com to learn " +"more about the Friendica project." msgstr "" -#: ../../mod/message.php:552 -msgid "Send Reply" +#: ../../mod/friendica.php:64 +msgid "Bug reports and issues: please visit" msgstr "" -#: ../../mod/like.php:168 ../../include/conversation.php:140 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" +#: ../../mod/friendica.php:65 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" msgstr "" -#: ../../mod/oexchange.php:25 -msgid "Post successful." +#: ../../mod/friendica.php:79 +msgid "Installed plugins/addons/apps:" msgstr "" -#: ../../mod/localtime.php:12 ../../include/event.php:11 -#: ../../include/bb2diaspora.php:148 +#: ../../mod/friendica.php:92 +msgid "No installed plugins/addons/apps" +msgstr "" + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "" + +#: ../../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 "" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "" + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "" + +#: ../../mod/notes.php:44 ../../boot.php:2150 +msgid "Personal Notes" +msgstr "" + +#: ../../mod/localtime.php:12 ../../include/bb2diaspora.php:148 +#: ../../include/event.php:11 msgid "l F d, Y \\@ g:i A" msgstr "" @@ -5031,45 +5175,127 @@ msgstr "" msgid "Please select your timezone:" msgstr "" -#: ../../mod/filer.php:30 ../../include/conversation.php:1006 -#: ../../include/conversation.php:1024 -msgid "Save to Folder:" +#: ../../mod/poke.php:192 +msgid "Poke/Prod" msgstr "" -#: ../../mod/filer.php:30 -msgid "- select -" +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" msgstr "" -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." +#: ../../mod/poke.php:194 +msgid "Recipient" msgstr "" -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" msgstr "" -#: ../../mod/profperm.php:114 -msgid "Visible To" +#: ../../mod/poke.php:198 +msgid "Make this post private" msgstr "" -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." msgstr "" -#: ../../mod/viewcontacts.php:41 -msgid "No contacts." +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." msgstr "" -#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 -msgid "View Contacts" +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" msgstr "" -#: ../../mod/dirfind.php:26 -msgid "People Search" +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." msgstr "" -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "" + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "" +msgstr[1] "" + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "" + +#: ../../mod/invite.php:120 +#, 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:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "" + +#: ../../mod/invite.php:123 +#, 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: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 "" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "" + +#: ../../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 "" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "" + +#: ../../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/photos.php:52 ../../boot.php:2129 +msgid "Photo Albums" +msgstr "" + +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 +#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" msgstr "" #: ../../mod/photos.php:67 ../../mod/photos.php:1262 ../../mod/photos.php:1819 @@ -5117,24 +5343,10 @@ msgstr "" msgid "Image file is empty." msgstr "" -#: ../../mod/photos.php:807 ../../mod/wall_upload.php:144 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "" - -#: ../../mod/photos.php:834 ../../mod/wall_upload.php:172 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "" - #: ../../mod/photos.php:930 msgid "No photos selected" msgstr "" -#: ../../mod/photos.php:1031 ../../mod/videos.php:226 -msgid "Access to this item is restricted." -msgstr "" - #: ../../mod/photos.php:1094 #, php-format msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." @@ -5252,716 +5464,270 @@ msgstr "" msgid "Share" msgstr "" -#: ../../mod/photos.php:1808 ../../mod/videos.php:308 -msgid "View Album" -msgstr "" - #: ../../mod/photos.php:1817 msgid "Recent Photos" msgstr "" -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +#: ../../mod/regmod.php:55 +msgid "Account approved." msgstr "" -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "" - -#: ../../mod/wall_attach.php:81 +#: ../../mod/regmod.php:92 #, php-format -msgid "File exceeds size limit of %d" +msgid "Registration revoked for %s" msgstr "" -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." +#: ../../mod/regmod.php:104 +msgid "Please login." msgstr "" -#: ../../mod/videos.php:125 -msgid "No videos selected" +#: ../../mod/uimport.php:66 +msgid "Move account" msgstr "" -#: ../../mod/videos.php:301 ../../include/text.php:1405 -msgid "View Video" +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." msgstr "" -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -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/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "" - -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "" - -#: ../../mod/uexport.php:77 +#: ../../mod/uimport.php:68 msgid "" -"Export your account info and contacts. Use this to make a backup of your " -"account and/or to move it to another server." +"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/uexport.php:78 -msgid "Export all" -msgstr "" - -#: ../../mod/uexport.php:78 +#: ../../mod/uimport.php:69 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)" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" msgstr "" -#: ../../mod/common.php:42 -msgid "Common Friends" +#: ../../mod/uimport.php:70 +msgid "Account file" msgstr "" -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "" - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "" - -#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 -#: ../../mod/wall_upload.php:185 ../../mod/item.php:484 -#: ../../include/Photo.php:916 ../../include/Photo.php:931 -#: ../../include/Photo.php:938 ../../include/Photo.php:960 -#: ../../include/message.php:144 -msgid "Wall Photos" -msgstr "" - -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "" - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "" - -#: ../../mod/profile_photo.php:118 +#: ../../mod/uimport.php:70 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" msgstr "" -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" +#: ../../mod/attach.php:8 +msgid "Item not available." msgstr "" -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" +#: ../../mod/attach.php:20 +msgid "Item was not found." msgstr "" -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" +#: ../../boot.php:749 +msgid "Delete this item?" msgstr "" -#: ../../mod/profile_photo.php:245 -msgid "Upload" +#: ../../boot.php:752 +msgid "show fewer" msgstr "" -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "" - -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "" - -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "" - -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "" - -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "" - -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "" - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "" - -#: ../../mod/navigation.php:20 ../../include/nav.php:34 -msgid "Nothing new here" -msgstr "" - -#: ../../mod/navigation.php:24 ../../include/nav.php:38 -msgid "Clear notifications" -msgstr "" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "" - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "" - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "" - -#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 -msgid "Remove" -msgstr "" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "" - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "" - -#: ../../mod/events.php:335 ../../include/text.php:1647 -#: ../../include/text.php:1657 -msgid "link to source" -msgstr "" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "" - -#: ../../mod/events.php:457 +#: ../../boot.php:1122 #, php-format -msgid "Format is %s %s. Starting date and Title are required." +msgid "Update %s failed. See error logs." msgstr "" -#: ../../mod/events.php:459 -msgid "Event Starts:" +#: ../../boot.php:1240 +msgid "Create a New Account" msgstr "" -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" +#: ../../boot.php:1265 ../../include/nav.php:73 +msgid "Logout" msgstr "" -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" +#: ../../boot.php:1268 +msgid "Nickname or Email address: " msgstr "" -#: ../../mod/events.php:464 -msgid "Event Finishes:" +#: ../../boot.php:1269 +msgid "Password: " msgstr "" -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" +#: ../../boot.php:1270 +msgid "Remember me" msgstr "" -#: ../../mod/events.php:469 -msgid "Description:" +#: ../../boot.php:1273 +msgid "Or login using OpenID: " msgstr "" -#: ../../mod/events.php:473 -msgid "Title:" +#: ../../boot.php:1279 +msgid "Forgot your password?" msgstr "" -#: ../../mod/events.php:475 -msgid "Share this event" +#: ../../boot.php:1282 +msgid "Website Terms of Service" msgstr "" -#: ../../mod/delegate.php:101 -msgid "No potential page delegates located." +#: ../../boot.php:1283 +msgid "terms of service" msgstr "" -#: ../../mod/delegate.php:130 ../../include/nav.php:168 -msgid "Delegate Page Management" +#: ../../boot.php:1285 +msgid "Website Privacy Policy" 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." +#: ../../boot.php:1286 +msgid "privacy policy" msgstr "" -#: ../../mod/delegate.php:133 -msgid "Existing Page Managers" +#: ../../boot.php:1419 +msgid "Requested account is not available." msgstr "" -#: ../../mod/delegate.php:135 -msgid "Existing Page Delegates" +#: ../../boot.php:1501 ../../boot.php:1635 +#: ../../include/profile_advanced.php:84 +msgid "Edit profile" msgstr "" -#: ../../mod/delegate.php:137 -msgid "Potential Delegates" +#: ../../boot.php:1600 +msgid "Message" msgstr "" -#: ../../mod/delegate.php:140 -msgid "Add" +#: ../../boot.php:1606 ../../include/nav.php:175 +msgid "Profiles" msgstr "" -#: ../../mod/delegate.php:141 -msgid "No entries." +#: ../../boot.php:1606 +msgid "Manage/edit profiles" msgstr "" -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" +#: ../../boot.php:1706 +msgid "Network:" msgstr "" -#: ../../mod/fbrowser.php:113 -msgid "Files" +#: ../../boot.php:1736 ../../boot.php:1822 +msgid "g A l F d" msgstr "" -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" +#: ../../boot.php:1737 ../../boot.php:1823 +msgid "F d" msgstr "" -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" +#: ../../boot.php:1782 ../../boot.php:1863 +msgid "[today]" msgstr "" -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." +#: ../../boot.php:1794 +msgid "Birthday Reminders" msgstr "" -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" +#: ../../boot.php:1795 +msgid "Birthdays this week:" msgstr "" -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." +#: ../../boot.php:1856 +msgid "[No description]" msgstr "" -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" +#: ../../boot.php:1874 +msgid "Event Reminders" msgstr "" -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" +#: ../../boot.php:1875 +msgid "Events this week:" msgstr "" -#: ../../mod/item.php:113 -msgid "Unable to locate original post." +#: ../../boot.php:2112 ../../include/nav.php:76 +msgid "Status" msgstr "" -#: ../../mod/item.php:345 -msgid "Empty post discarded." +#: ../../boot.php:2115 +msgid "Status Messages and Posts" msgstr "" -#: ../../mod/item.php:938 -msgid "System error. Post not saved." +#: ../../boot.php:2122 +msgid "Profile Details" msgstr "" -#: ../../mod/item.php:964 +#: ../../boot.php:2133 ../../boot.php:2136 ../../include/nav.php:79 +msgid "Videos" +msgstr "" + +#: ../../boot.php:2146 +msgid "Events and Calendar" +msgstr "" + +#: ../../boot.php:2153 +msgid "Only You Can See This" +msgstr "" + +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "" + +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "" + +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "" + +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "" + +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "" + +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "" + +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "" + +#: ../../object/Item.php:329 +msgid "via" +msgstr "" + +#: ../../include/dbstructure.php:26 #, php-format msgid "" -"This message was sent to you by %s, a member of the Friendica social network." +"\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 "" -#: ../../mod/item.php:966 -#, php-format -msgid "You may visit them online at %s" -msgstr "" - -#: ../../mod/item.php:967 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "" - -#: ../../mod/item.php:971 -#, php-format -msgid "%s posted an update." -msgstr "" - -#: ../../mod/ping.php:240 -msgid "{0} wants to be your friend" -msgstr "" - -#: ../../mod/ping.php:245 -msgid "{0} sent you a message" -msgstr "" - -#: ../../mod/ping.php:250 -msgid "{0} requested registration" -msgstr "" - -#: ../../mod/ping.php:256 -#, php-format -msgid "{0} commented %s's post" -msgstr "" - -#: ../../mod/ping.php:261 -#, php-format -msgid "{0} liked %s's post" -msgstr "" - -#: ../../mod/ping.php:266 -#, php-format -msgid "{0} disliked %s's post" -msgstr "" - -#: ../../mod/ping.php:271 -#, php-format -msgid "{0} is now friends with %s" -msgstr "" - -#: ../../mod/ping.php:276 -msgid "{0} posted" -msgstr "" - -#: ../../mod/ping.php:281 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "" - -#: ../../mod/ping.php:287 -msgid "{0} mentioned you in a post" -msgstr "" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "" - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "" - -#: ../../mod/openid.php:93 ../../include/auth.php:112 -#: ../../include/auth.php:175 -msgid "Login failed." -msgstr "" - -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "" - -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "" - -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "" - -#: ../../mod/notifications.php:83 ../../include/nav.php:143 -msgid "Network" -msgstr "" - -#: ../../mod/notifications.php:98 ../../include/nav.php:152 -msgid "Introductions" -msgstr "" - -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "" - -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "" - -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "" - -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "" - -#: ../../mod/notifications.php:152 -#, php-format -msgid "suggested by %s" -msgstr "" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "" - -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "" - -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "" - -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "" - -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "" - -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "" - -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "" - -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "" - -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "" - -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "" - -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "" - -#: ../../mod/notifications.php:220 ../../include/nav.php:153 -msgid "Notifications" -msgstr "" - -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "" - -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "" - -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "" - -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "" - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "" - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "" - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "" - -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "" - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "" - -#: ../../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 "" - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "" -msgstr[1] "" - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "" - -#: ../../mod/invite.php:120 +#: ../../include/dbstructure.php:31 #, 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." +"The error message is\n" +"[pre]%s[/pre]" msgstr "" -#: ../../mod/invite.php:122 -#, php-format +#: ../../include/dbstructure.php:162 +msgid "Errors encountered creating database tables." +msgstr "" + +#: ../../include/dbstructure.php:220 +msgid "Errors encountered performing database changes." +msgstr "" + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "" + +#: ../../include/auth.php:128 ../../include/user.php:67 msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." msgstr "" -#: ../../mod/invite.php:123 -#, 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: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 "" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "" - -#: ../../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 "" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "" - -#: ../../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/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "" - -#: ../../mod/manage.php:107 -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:108 -msgid "Select an identity to manage: " -msgstr "" - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "" - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" msgstr "" #: ../../include/contact_widgets.php:6 @@ -5999,10 +5765,18 @@ msgstr "" msgid "Examples: Robert Morgenstein, Fishing" msgstr "" +#: ../../include/contact_widgets.php:36 ../../view/theme/diabook/theme.php:526 +msgid "Similar Interests" +msgstr "" + #: ../../include/contact_widgets.php:37 msgid "Random Profile" msgstr "" +#: ../../include/contact_widgets.php:38 ../../view/theme/diabook/theme.php:528 +msgid "Invite Friends" +msgstr "" + #: ../../include/contact_widgets.php:71 msgid "Networks" msgstr "" @@ -6023,214 +5797,418 @@ msgstr "" msgid "Categories" msgstr "" -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." +#: ../../include/features.php:23 +msgid "General Features" msgstr "" -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." +#: ../../include/features.php:25 +msgid "Multiple Profiles" msgstr "" -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." +#: ../../include/features.php:25 +msgid "Ability to create multiple profiles" msgstr "" -#: ../../include/api.php:304 ../../include/api.php:315 -#: ../../include/api.php:416 ../../include/api.php:1063 -#: ../../include/api.php:1065 -msgid "User not found." +#: ../../include/features.php:30 +msgid "Post Composition Features" msgstr "" -#: ../../include/api.php:771 -#, php-format -msgid "Daily posting limit of %d posts reached. The post was rejected." +#: ../../include/features.php:31 +msgid "Richtext Editor" msgstr "" -#: ../../include/api.php:790 -#, php-format -msgid "Weekly posting limit of %d posts reached. The post was rejected." +#: ../../include/features.php:31 +msgid "Enable richtext editor" msgstr "" -#: ../../include/api.php:809 -#, php-format -msgid "Monthly posting limit of %d posts reached. The post was rejected." +#: ../../include/features.php:32 +msgid "Post Preview" msgstr "" -#: ../../include/api.php:1272 -msgid "There is no status with this id." +#: ../../include/features.php:32 +msgid "Allow previewing posts and comments before publishing them" msgstr "" -#: ../../include/api.php:1342 -msgid "There is no conversation with this id." +#: ../../include/features.php:33 +msgid "Auto-mention Forums" msgstr "" -#: ../../include/api.php:1614 -msgid "Invalid request." -msgstr "" - -#: ../../include/api.php:1625 -msgid "Invalid item." -msgstr "" - -#: ../../include/api.php:1635 -msgid "Invalid action. " -msgstr "" - -#: ../../include/api.php:1643 -msgid "DB error" -msgstr "" - -#: ../../include/network.php:895 -msgid "view full size" -msgstr "" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:154 -msgid "Starts:" -msgstr "" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:162 -msgid "Finishes:" -msgstr "" - -#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "" - -#: ../../include/notifier.php:786 ../../include/delivery.php:456 -msgid "(no subject)" -msgstr "" - -#: ../../include/notifier.php:796 ../../include/enotify.php:33 -#: ../../include/delivery.php:467 -msgid "noreply" -msgstr "" - -#: ../../include/user.php:40 -msgid "An invitation is required." -msgstr "" - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "" - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "" - -#: ../../include/user.php:67 ../../include/auth.php:128 +#: ../../include/features.php:33 msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." +"Add/remove mention when a fourm page is selected/deselected in ACL window." msgstr "" -#: ../../include/user.php:67 ../../include/auth.php:128 -msgid "The error message was:" +#: ../../include/features.php:38 +msgid "Network Sidebar Widgets" msgstr "" -#: ../../include/user.php:74 -msgid "Please enter the required information." +#: ../../include/features.php:39 +msgid "Search by Date" msgstr "" -#: ../../include/user.php:88 -msgid "Please use a shorter name." +#: ../../include/features.php:39 +msgid "Ability to select posts by date ranges" msgstr "" -#: ../../include/user.php:90 -msgid "Name too short." +#: ../../include/features.php:40 +msgid "Group Filter" msgstr "" -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." +#: ../../include/features.php:40 +msgid "Enable widget to display Network posts only from selected group" msgstr "" -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." +#: ../../include/features.php:41 +msgid "Network Filter" msgstr "" -#: ../../include/user.php:113 -msgid "Not a valid email address." +#: ../../include/features.php:41 +msgid "Enable widget to display Network posts only from selected network" msgstr "" -#: ../../include/user.php:126 -msgid "Cannot use that email." +#: ../../include/features.php:42 +msgid "Save search terms for re-use" msgstr "" -#: ../../include/user.php:132 +#: ../../include/features.php:47 +msgid "Network Tabs" +msgstr "" + +#: ../../include/features.php:48 +msgid "Network Personal Tab" +msgstr "" + +#: ../../include/features.php:48 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "" + +#: ../../include/features.php:49 +msgid "Network New Tab" +msgstr "" + +#: ../../include/features.php:49 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "" + +#: ../../include/features.php:50 +msgid "Network Shared Links Tab" +msgstr "" + +#: ../../include/features.php:50 +msgid "Enable tab to display only Network posts with links in them" +msgstr "" + +#: ../../include/features.php:55 +msgid "Post/Comment Tools" +msgstr "" + +#: ../../include/features.php:56 +msgid "Multiple Deletion" +msgstr "" + +#: ../../include/features.php:56 +msgid "Select and delete multiple posts/comments at once" +msgstr "" + +#: ../../include/features.php:57 +msgid "Edit Sent Posts" +msgstr "" + +#: ../../include/features.php:57 +msgid "Edit and correct posts and comments after sending" +msgstr "" + +#: ../../include/features.php:58 +msgid "Tagging" +msgstr "" + +#: ../../include/features.php:58 +msgid "Ability to tag existing posts" +msgstr "" + +#: ../../include/features.php:59 +msgid "Post Categories" +msgstr "" + +#: ../../include/features.php:59 +msgid "Add categories to your posts" +msgstr "" + +#: ../../include/features.php:60 +msgid "Ability to file posts under folders" +msgstr "" + +#: ../../include/features.php:61 +msgid "Dislike Posts" +msgstr "" + +#: ../../include/features.php:61 +msgid "Ability to dislike posts/comments" +msgstr "" + +#: ../../include/features.php:62 +msgid "Star Posts" +msgstr "" + +#: ../../include/features.php:62 +msgid "Ability to mark special posts with a star indicator" +msgstr "" + +#: ../../include/features.php:63 +msgid "Mute Post Notifications" +msgstr "" + +#: ../../include/features.php:63 +msgid "Ability to mute notifications for a thread" +msgstr "" + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "" + +#: ../../include/follow.php:59 msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." +"This site is not configured to allow communications with other networks." msgstr "" -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." msgstr "" -#: ../../include/user.php:148 +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "" + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "" + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "" + +#: ../../include/follow.php:86 msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." +"Unable to match @-style Identity Address with a known protocol or email " +"contact." msgstr "" -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." msgstr "" -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." msgstr "" -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." msgstr "" -#: ../../include/user.php:289 ../../include/user.php:293 -#: ../../include/profile_selectors.php:42 -msgid "Friends" +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." msgstr "" -#: ../../include/user.php:377 +#: ../../include/follow.php:258 +msgid "following" +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:207 +msgid "Default privacy group for new contacts" +msgstr "" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "" + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "" + +#: ../../include/datetime.php:153 ../../include/datetime.php:290 +msgid "year" +msgstr "" + +#: ../../include/datetime.php:158 ../../include/datetime.php:291 +msgid "month" +msgstr "" + +#: ../../include/datetime.php:163 ../../include/datetime.php:293 +msgid "day" +msgstr "" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "" + +#: ../../include/datetime.php:290 +msgid "years" +msgstr "" + +#: ../../include/datetime.php:291 +msgid "months" +msgstr "" + +#: ../../include/datetime.php:292 +msgid "week" +msgstr "" + +#: ../../include/datetime.php:292 +msgid "weeks" +msgstr "" + +#: ../../include/datetime.php:293 +msgid "days" +msgstr "" + +#: ../../include/datetime.php:294 +msgid "hour" +msgstr "" + +#: ../../include/datetime.php:294 +msgid "hours" +msgstr "" + +#: ../../include/datetime.php:295 +msgid "minute" +msgstr "" + +#: ../../include/datetime.php:295 +msgid "minutes" +msgstr "" + +#: ../../include/datetime.php:296 +msgid "second" +msgstr "" + +#: ../../include/datetime.php:296 +msgid "seconds" +msgstr "" + +#: ../../include/datetime.php:305 #, 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" +msgid "%1$d %2$s ago" msgstr "" -#: ../../include/user.php:381 +#: ../../include/datetime.php:477 ../../include/items.php:2211 #, php-format +msgid "%s's birthday" +msgstr "" + +#: ../../include/datetime.php:478 ../../include/items.php:2212 +#, php-format +msgid "Happy Birthday %s" +msgstr "" + +#: ../../include/acl_selectors.php:333 +msgid "Visible to everybody" +msgstr "" + +#: ../../include/acl_selectors.php:334 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "show" +msgstr "" + +#: ../../include/acl_selectors.php:335 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "don't show" +msgstr "" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "" + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "" + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "" + +#: ../../include/security.php:366 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." +"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/conversation.php:118 ../../include/conversation.php:246 +#: ../../include/text.php:1966 ../../view/theme/diabook/theme.php:463 +msgid "event" msgstr "" #: ../../include/conversation.php:207 @@ -6263,37 +6241,6 @@ msgstr "" msgid "Follow Thread" msgstr "" -#: ../../include/conversation.php:876 ../../include/Contact.php:229 -msgid "View Status" -msgstr "" - -#: ../../include/conversation.php:877 ../../include/Contact.php:230 -msgid "View Profile" -msgstr "" - -#: ../../include/conversation.php:878 ../../include/Contact.php:231 -msgid "View Photos" -msgstr "" - -#: ../../include/conversation.php:879 ../../include/Contact.php:232 -#: ../../include/Contact.php:255 -msgid "Network Posts" -msgstr "" - -#: ../../include/conversation.php:880 ../../include/Contact.php:233 -#: ../../include/Contact.php:255 -msgid "Edit Contact" -msgstr "" - -#: ../../include/conversation.php:881 ../../include/Contact.php:235 -#: ../../include/Contact.php:255 -msgid "Send PM" -msgstr "" - -#: ../../include/conversation.php:882 ../../include/Contact.php:228 -msgid "Poke" -msgstr "" - #: ../../include/conversation.php:944 #, php-format msgid "%s likes this." @@ -6382,44 +6329,8 @@ msgstr "" msgid "Private post" msgstr "" -#: ../../include/auth.php:38 -msgid "Logged out." -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:171 -msgid "User profile creation error" -msgstr "" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "" -msgstr[1] "" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" +#: ../../include/network.php:895 +msgid "view full size" msgstr "" #: ../../include/text.php:297 @@ -6665,6 +6576,11 @@ msgstr "" msgid "Click to open/close" msgstr "" +#: ../../include/text.php:1702 ../../include/user.php:247 +#: ../../view/theme/duepuntozero/config.php:44 +msgid "default" +msgstr "" + #: ../../include/text.php:1714 msgid "Select an alternate language" msgstr "" @@ -6681,6 +6597,773 @@ msgstr "" msgid "Item filed" msgstr "" +#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 +#: ../../include/bbcode.php:1048 +msgid "Image/photo" +msgstr "" + +#: ../../include/bbcode.php:528 +#, php-format +msgid "%2$s %3$s" +msgstr "" + +#: ../../include/bbcode.php:562 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "" + +#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 +msgid "$1 wrote:" +msgstr "" + +#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 +msgid "Encrypted content" +msgstr "" + +#: ../../include/notifier.php:786 ../../include/delivery.php:456 +msgid "(no subject)" +msgstr "" + +#: ../../include/notifier.php:796 ../../include/delivery.php:467 +#: ../../include/enotify.php:33 +msgid "noreply" +msgstr "" + +#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +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:60 +msgid "Weekly" +msgstr "" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "" + +#: ../../include/contact_selectors.php:82 +msgid "Zot!" +msgstr "" + +#: ../../include/contact_selectors.php:83 +msgid "LinkedIn" +msgstr "" + +#: ../../include/contact_selectors.php:84 +msgid "XMPP/IM" +msgstr "" + +#: ../../include/contact_selectors.php:85 +msgid "MySpace" +msgstr "" + +#: ../../include/contact_selectors.php:87 +msgid "Google+" +msgstr "" + +#: ../../include/contact_selectors.php:88 +msgid "pump.io" +msgstr "" + +#: ../../include/contact_selectors.php:89 +msgid "Twitter" +msgstr "" + +#: ../../include/contact_selectors.php:90 +msgid "Diaspora Connector" +msgstr "" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "" + +#: ../../include/Scrape.php:614 +msgid " on Last.fm" +msgstr "" + +#: ../../include/bb2diaspora.php:154 ../../include/event.php:20 +msgid "Starts:" +msgstr "" + +#: ../../include/bb2diaspora.php:162 ../../include/event.php:30 +msgid "Finishes:" +msgstr "" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "" + +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "" + +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "" + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "" + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "" + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "" + +#: ../../include/nav.php:76 ../../include/nav.php:148 +#: ../../view/theme/diabook/theme.php:123 +msgid "Your posts and conversations" +msgstr "" + +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Your profile page" +msgstr "" + +#: ../../include/nav.php:78 ../../view/theme/diabook/theme.php:126 +msgid "Your photos" +msgstr "" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "" + +#: ../../include/nav.php:80 ../../view/theme/diabook/theme.php:127 +msgid "Your events" +msgstr "" + +#: ../../include/nav.php:81 ../../view/theme/diabook/theme.php:128 +msgid "Personal notes" +msgstr "" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "" + +#: ../../include/nav.php:131 +msgid "Conversations on the network" +msgstr "" + +#: ../../include/nav.php:133 +msgid "Directory" +msgstr "" + +#: ../../include/nav.php:133 +msgid "People directory" +msgstr "" + +#: ../../include/nav.php:135 +msgid "Information" +msgstr "" + +#: ../../include/nav.php:135 +msgid "Information about this friendica instance" +msgstr "" + +#: ../../include/nav.php:145 +msgid "Conversations from your friends" +msgstr "" + +#: ../../include/nav.php:146 +msgid "Network Reset" +msgstr "" + +#: ../../include/nav.php:146 +msgid "Load Network page with no filters" +msgstr "" + +#: ../../include/nav.php:154 +msgid "Friend Requests" +msgstr "" + +#: ../../include/nav.php:156 +msgid "See all notifications" +msgstr "" + +#: ../../include/nav.php:157 +msgid "Mark all system notifications seen" +msgstr "" + +#: ../../include/nav.php:161 +msgid "Private mail" +msgstr "" + +#: ../../include/nav.php:162 +msgid "Inbox" +msgstr "" + +#: ../../include/nav.php:163 +msgid "Outbox" +msgstr "" + +#: ../../include/nav.php:167 +msgid "Manage" +msgstr "" + +#: ../../include/nav.php:167 +msgid "Manage other pages" +msgstr "" + +#: ../../include/nav.php:172 +msgid "Account settings" +msgstr "" + +#: ../../include/nav.php:175 +msgid "Manage/Edit Profiles" +msgstr "" + +#: ../../include/nav.php:177 +msgid "Manage/edit friends and contacts" +msgstr "" + +#: ../../include/nav.php:184 +msgid "Site setup and configuration" +msgstr "" + +#: ../../include/nav.php:188 +msgid "Navigation" +msgstr "" + +#: ../../include/nav.php:188 +msgid "Site map" +msgstr "" + +#: ../../include/api.php:304 ../../include/api.php:315 +#: ../../include/api.php:416 ../../include/api.php:1063 +#: ../../include/api.php:1065 +msgid "User not found." +msgstr "" + +#: ../../include/api.php:771 +#, php-format +msgid "Daily posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:790 +#, php-format +msgid "Weekly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:809 +#, php-format +msgid "Monthly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:1272 +msgid "There is no status with this id." +msgstr "" + +#: ../../include/api.php:1342 +msgid "There is no conversation with this id." +msgstr "" + +#: ../../include/api.php:1614 +msgid "Invalid request." +msgstr "" + +#: ../../include/api.php:1625 +msgid "Invalid item." +msgstr "" + +#: ../../include/api.php:1635 +msgid "Invalid action. " +msgstr "" + +#: ../../include/api.php:1643 +msgid "DB error" +msgstr "" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "" + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "" + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "" + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "" + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "" + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "" + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "" + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "" + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "" + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "" + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "" + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "" + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "" + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "" + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "" + +#: ../../include/user.php:289 ../../include/user.php:293 +#: ../../include/profile_selectors.php:42 +msgid "Friends" +msgstr "" + +#: ../../include/user.php:377 +#, 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:381 +#, 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/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "" + +#: ../../include/diaspora.php:2520 +msgid "Attachments:" +msgstr "" + +#: ../../include/items.php:4555 +msgid "Do you really want to delete this item?" +msgstr "" + +#: ../../include/items.php:4778 +msgid "Archives" +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 +msgid "Undecided" +msgstr "" + +#: ../../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 "" + +#: ../../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 +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/enotify.php:18 msgid "Friendica Notification" msgstr "" @@ -6965,692 +7648,6 @@ msgstr "" msgid "Please visit %s to approve or reject the request." msgstr "" -#: ../../include/Scrape.php:614 -msgid " on Last.fm" -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:207 -msgid "Default privacy group for new contacts" -msgstr "" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "" - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "" - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "" - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "" - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "" - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "" - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "" - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "" - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "" - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "" - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "" - -#: ../../include/follow.php:258 -msgid "following" -msgstr "" - -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "" - -#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 -#: ../../include/bbcode.php:1048 -msgid "Image/photo" -msgstr "" - -#: ../../include/bbcode.php:528 -#, php-format -msgid "%2$s %3$s" -msgstr "" - -#: ../../include/bbcode.php:562 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "" - -#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 -msgid "$1 wrote:" -msgstr "" - -#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 -msgid "Encrypted content" -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:60 -msgid "Weekly" -msgstr "" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "" - -#: ../../include/contact_selectors.php:77 -msgid "OStatus" -msgstr "" - -#: ../../include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "" - -#: ../../include/contact_selectors.php:82 -msgid "Zot!" -msgstr "" - -#: ../../include/contact_selectors.php:83 -msgid "LinkedIn" -msgstr "" - -#: ../../include/contact_selectors.php:84 -msgid "XMPP/IM" -msgstr "" - -#: ../../include/contact_selectors.php:85 -msgid "MySpace" -msgstr "" - -#: ../../include/contact_selectors.php:87 -msgid "Google+" -msgstr "" - -#: ../../include/contact_selectors.php:88 -msgid "pump.io" -msgstr "" - -#: ../../include/contact_selectors.php:89 -msgid "Twitter" -msgstr "" - -#: ../../include/contact_selectors.php:90 -msgid "Diaspora Connector" -msgstr "" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "" - -#: ../../include/datetime.php:153 ../../include/datetime.php:290 -msgid "year" -msgstr "" - -#: ../../include/datetime.php:158 ../../include/datetime.php:291 -msgid "month" -msgstr "" - -#: ../../include/datetime.php:163 ../../include/datetime.php:293 -msgid "day" -msgstr "" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "" - -#: ../../include/datetime.php:290 -msgid "years" -msgstr "" - -#: ../../include/datetime.php:291 -msgid "months" -msgstr "" - -#: ../../include/datetime.php:292 -msgid "week" -msgstr "" - -#: ../../include/datetime.php:292 -msgid "weeks" -msgstr "" - -#: ../../include/datetime.php:293 -msgid "days" -msgstr "" - -#: ../../include/datetime.php:294 -msgid "hour" -msgstr "" - -#: ../../include/datetime.php:294 -msgid "hours" -msgstr "" - -#: ../../include/datetime.php:295 -msgid "minute" -msgstr "" - -#: ../../include/datetime.php:295 -msgid "minutes" -msgstr "" - -#: ../../include/datetime.php:296 -msgid "second" -msgstr "" - -#: ../../include/datetime.php:296 -msgid "seconds" -msgstr "" - -#: ../../include/datetime.php:305 -#, php-format -msgid "%1$d %2$s ago" -msgstr "" - -#: ../../include/datetime.php:477 ../../include/items.php:2204 -#, php-format -msgid "%s's birthday" -msgstr "" - -#: ../../include/datetime.php:478 ../../include/items.php:2205 -#, php-format -msgid "Happy Birthday %s" -msgstr "" - -#: ../../include/features.php:23 -msgid "General Features" -msgstr "" - -#: ../../include/features.php:25 -msgid "Multiple Profiles" -msgstr "" - -#: ../../include/features.php:25 -msgid "Ability to create multiple profiles" -msgstr "" - -#: ../../include/features.php:30 -msgid "Post Composition Features" -msgstr "" - -#: ../../include/features.php:31 -msgid "Richtext Editor" -msgstr "" - -#: ../../include/features.php:31 -msgid "Enable richtext editor" -msgstr "" - -#: ../../include/features.php:32 -msgid "Post Preview" -msgstr "" - -#: ../../include/features.php:32 -msgid "Allow previewing posts and comments before publishing them" -msgstr "" - -#: ../../include/features.php:33 -msgid "Auto-mention Forums" -msgstr "" - -#: ../../include/features.php:33 -msgid "" -"Add/remove mention when a fourm page is selected/deselected in ACL window." -msgstr "" - -#: ../../include/features.php:38 -msgid "Network Sidebar Widgets" -msgstr "" - -#: ../../include/features.php:39 -msgid "Search by Date" -msgstr "" - -#: ../../include/features.php:39 -msgid "Ability to select posts by date ranges" -msgstr "" - -#: ../../include/features.php:40 -msgid "Group Filter" -msgstr "" - -#: ../../include/features.php:40 -msgid "Enable widget to display Network posts only from selected group" -msgstr "" - -#: ../../include/features.php:41 -msgid "Network Filter" -msgstr "" - -#: ../../include/features.php:41 -msgid "Enable widget to display Network posts only from selected network" -msgstr "" - -#: ../../include/features.php:42 -msgid "Save search terms for re-use" -msgstr "" - -#: ../../include/features.php:47 -msgid "Network Tabs" -msgstr "" - -#: ../../include/features.php:48 -msgid "Network Personal Tab" -msgstr "" - -#: ../../include/features.php:48 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "" - -#: ../../include/features.php:49 -msgid "Network New Tab" -msgstr "" - -#: ../../include/features.php:49 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "" - -#: ../../include/features.php:50 -msgid "Network Shared Links Tab" -msgstr "" - -#: ../../include/features.php:50 -msgid "Enable tab to display only Network posts with links in them" -msgstr "" - -#: ../../include/features.php:55 -msgid "Post/Comment Tools" -msgstr "" - -#: ../../include/features.php:56 -msgid "Multiple Deletion" -msgstr "" - -#: ../../include/features.php:56 -msgid "Select and delete multiple posts/comments at once" -msgstr "" - -#: ../../include/features.php:57 -msgid "Edit Sent Posts" -msgstr "" - -#: ../../include/features.php:57 -msgid "Edit and correct posts and comments after sending" -msgstr "" - -#: ../../include/features.php:58 -msgid "Tagging" -msgstr "" - -#: ../../include/features.php:58 -msgid "Ability to tag existing posts" -msgstr "" - -#: ../../include/features.php:59 -msgid "Post Categories" -msgstr "" - -#: ../../include/features.php:59 -msgid "Add categories to your posts" -msgstr "" - -#: ../../include/features.php:60 -msgid "Ability to file posts under folders" -msgstr "" - -#: ../../include/features.php:61 -msgid "Dislike Posts" -msgstr "" - -#: ../../include/features.php:61 -msgid "Ability to dislike posts/comments" -msgstr "" - -#: ../../include/features.php:62 -msgid "Star Posts" -msgstr "" - -#: ../../include/features.php:62 -msgid "Ability to mark special posts with a star indicator" -msgstr "" - -#: ../../include/features.php:63 -msgid "Mute Post Notifications" -msgstr "" - -#: ../../include/features.php:63 -msgid "Ability to mute notifications for a thread" -msgstr "" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "" - -#: ../../include/diaspora.php:2520 -msgid "Attachments:" -msgstr "" - -#: ../../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:162 -msgid "Errors encountered creating database tables." -msgstr "" - -#: ../../include/dbstructure.php:220 -msgid "Errors encountered performing database changes." -msgstr "" - -#: ../../include/acl_selectors.php:333 -msgid "Visible to everybody" -msgstr "" - -#: ../../include/items.php:4539 -msgid "Do you really want to delete this item?" -msgstr "" - -#: ../../include/items.php:4762 -msgid "Archives" -msgstr "" - #: ../../include/oembed.php:212 msgid "Embedded content" msgstr "" @@ -7659,256 +7656,226 @@ msgstr "" msgid "Embedding disabled" msgstr "" -#: ../../include/security.php:22 -msgid "Welcome " +#: ../../include/uimport.php:94 +msgid "Error decoding account file" msgstr "" -#: ../../include/security.php:23 -msgid "Please upload a profile photo." +#: ../../include/uimport.php:100 +msgid "Error! No version data in file! This is not a Friendica account file?" msgstr "" -#: ../../include/security.php:26 -msgid "Welcome back " +#: ../../include/uimport.php:116 ../../include/uimport.php:127 +msgid "Error! Cannot check nickname" msgstr "" -#: ../../include/security.php:366 -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." +#: ../../include/uimport.php:120 ../../include/uimport.php:131 +#, php-format +msgid "User '%s' already exists on this server!" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Male" +#: ../../include/uimport.php:153 +msgid "User creation error" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Female" +#: ../../include/uimport.php:171 +msgid "User profile creation error" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Currently Male" +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "" +msgstr[1] "" + +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Currently Female" +#: ../../index.php:428 +msgid "toggle mobile" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Mostly Male" +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/dispy/config.php:72 ../../view/theme/quattro/config.php:66 +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:55 +#: ../../view/theme/duepuntozero/config.php:61 +msgid "Theme settings" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Mostly Female" +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Transgender" +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/diabook/config.php:151 +msgid "Set font-size for posts and comments" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Intersex" +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Transsexual" +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Hermaphrodite" +#: ../../view/theme/dispy/config.php:74 +#: ../../view/theme/diabook/config.php:152 +msgid "Set line-height for posts and comments" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Neuter" +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Non-specific" +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Other" +#: ../../view/theme/quattro/config.php:67 +msgid "Left" msgstr "" -#: ../../include/profile_selectors.php:6 -msgid "Undecided" +#: ../../view/theme/quattro/config.php:67 +msgid "Center" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Males" +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Females" +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Gay" +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Lesbian" +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "No Preference" +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Bisexual" +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Autosexual" +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Abstinent" +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Virgin" +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Deviant" +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Fetish" +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Oodles" +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" msgstr "" -#: ../../include/profile_selectors.php:23 -msgid "Nonsexual" +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Single" +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Lonely" +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Available" +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Unavailable" +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Has crush" +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Infatuated" +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Dating" +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Unfaithful" +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Sex Addict" +#: ../../view/theme/vier/config.php:56 +msgid "Set style" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Friends/Benefits" +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Casual" +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Engaged" +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Married" +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily married" +#: ../../view/theme/duepuntozero/config.php:49 +msgid "comix" msgstr "" -#: ../../include/profile_selectors.php:42 -msgid "Partners" +#: ../../view/theme/duepuntozero/config.php:50 +msgid "slackr" 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/Contact.php:115 -msgid "stopped following" -msgstr "" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" +#: ../../view/theme/duepuntozero/config.php:62 +msgid "Variations" msgstr "" From 93cb464d79c4d314b220879da72b54d97156c11d Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 9 Feb 2015 11:19:56 +0100 Subject: [PATCH 172/294] DE update to the strings --- view/de/messages.po | 10438 +++++++++++++++++++++--------------------- view/de/strings.php | 2089 ++++----- 2 files changed, 6248 insertions(+), 6279 deletions(-) diff --git a/view/de/messages.po b/view/de/messages.po index 5fa5d7f62b..a5d3d8516d 100644 --- a/view/de/messages.po +++ b/view/de/messages.po @@ -28,8 +28,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-02-04 11:35+0100\n" -"PO-Revision-Date: 2015-02-05 09:53+0000\n" +"POT-Creation-Date: 2015-02-09 08:57+0100\n" +"PO-Revision-Date: 2015-02-09 10:18+0000\n" "Last-Translator: bavatar \n" "Language-Team: German (http://www.transifex.com/projects/p/friendica/language/de/)\n" "MIME-Version: 1.0\n" @@ -38,913 +38,514 @@ msgstr "" "Language: de\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "Dieser Beitrag wurde bearbeitet." - -#: ../../object/Item.php:116 ../../mod/content.php:620 -#: ../../mod/photos.php:1359 -msgid "Private Message" -msgstr "Private Nachricht" - -#: ../../object/Item.php:120 ../../mod/content.php:728 -#: ../../mod/settings.php:676 -msgid "Edit" -msgstr "Bearbeiten" - -#: ../../object/Item.php:129 ../../mod/content.php:437 -#: ../../mod/content.php:740 ../../mod/photos.php:1653 -#: ../../include/conversation.php:613 -msgid "Select" -msgstr "Auswählen" - -#: ../../object/Item.php:130 ../../mod/admin.php:985 ../../mod/content.php:438 -#: ../../mod/content.php:741 ../../mod/contacts.php:717 -#: ../../mod/settings.php:677 ../../mod/group.php:171 -#: ../../mod/photos.php:1654 ../../include/conversation.php:614 -msgid "Delete" -msgstr "Löschen" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "In Ordner speichern" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "markieren" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "Markierung entfernen" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "Markierung umschalten" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "markiert" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "Thread ignorieren" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "Thread nicht mehr ignorieren" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "Ignoriert-Status ein-/ausschalten" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "Ignoriert" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "Tag hinzufügen" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -#: ../../mod/photos.php:1542 -msgid "I like this (toggle)" -msgstr "Ich mag das (toggle)" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "mag ich" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -#: ../../mod/photos.php:1543 -msgid "I don't like this (toggle)" -msgstr "Ich mag das nicht (toggle)" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "mag ich nicht" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "Weitersagen" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "Teilen" - -#: ../../object/Item.php:316 ../../include/conversation.php:666 -msgid "Categories:" -msgstr "Kategorien:" - -#: ../../object/Item.php:317 ../../include/conversation.php:667 -msgid "Filed under:" -msgstr "Abgelegt unter:" - -#: ../../object/Item.php:326 ../../object/Item.php:327 -#: ../../mod/content.php:471 ../../mod/content.php:852 -#: ../../mod/content.php:853 ../../include/conversation.php:654 +#: ../../mod/contacts.php:108 #, php-format -msgid "View %s's profile @ %s" -msgstr "Das Profil von %s auf %s betrachten." +msgid "%d contact edited." +msgid_plural "%d contacts edited" +msgstr[0] "%d Kontakt bearbeitet." +msgstr[1] "%d Kontakte bearbeitet" -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "zu" +#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 +msgid "Could not access contact record." +msgstr "Konnte nicht auf die Kontaktdaten zugreifen." -#: ../../object/Item.php:329 -msgid "via" -msgstr "via" +#: ../../mod/contacts.php:153 +msgid "Could not locate selected profile." +msgstr "Konnte das ausgewählte Profil nicht finden." -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "Wall-to-Wall" +#: ../../mod/contacts.php:186 +msgid "Contact updated." +msgstr "Kontakt aktualisiert." -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "via Wall-To-Wall:" +#: ../../mod/contacts.php:188 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." +msgstr "Aktualisierung der Kontaktdaten fehlgeschlagen." -#: ../../object/Item.php:340 ../../mod/content.php:481 -#: ../../mod/content.php:864 ../../include/conversation.php:674 -#, php-format -msgid "%s from %s" -msgstr "%s von %s" - -#: ../../object/Item.php:361 ../../object/Item.php:677 ../../boot.php:745 -#: ../../mod/content.php:709 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -msgid "Comment" -msgstr "Kommentar" - -#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/content.php:499 -#: ../../mod/content.php:883 ../../mod/message.php:334 -#: ../../mod/message.php:565 ../../mod/photos.php:1545 -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -msgid "Please wait" -msgstr "Bitte warten" - -#: ../../object/Item.php:387 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d Kommentar" -msgstr[1] "%d Kommentare" - -#: ../../object/Item.php:389 ../../object/Item.php:402 -#: ../../mod/content.php:605 ../../include/text.php:1972 -msgid "comment" -msgid_plural "comments" -msgstr[0] "Kommentar" -msgstr[1] "Kommentare" - -#: ../../object/Item.php:390 ../../boot.php:746 ../../mod/content.php:606 -#: ../../include/contact_widgets.php:205 -msgid "show more" -msgstr "mehr anzeigen" - -#: ../../object/Item.php:675 ../../mod/content.php:707 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 -msgid "This is you" -msgstr "Das bist du" - -#: ../../object/Item.php:678 ../../view/theme/perihel/config.php:95 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/diabook/config.php:148 -#: ../../view/theme/quattro/config.php:64 -#: ../../view/theme/zero-childs/cleanzero/config.php:80 -#: ../../view/theme/dispy/config.php:70 ../../view/theme/clean/config.php:82 -#: ../../view/theme/duepuntozero/config.php:59 -#: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:53 -#: ../../view/theme/vier-mobil/config.php:47 ../../mod/mood.php:137 -#: ../../mod/install.php:248 ../../mod/install.php:286 -#: ../../mod/crepair.php:186 ../../mod/content.php:710 -#: ../../mod/contacts.php:475 ../../mod/profiles.php:671 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/localtime.php:45 ../../mod/photos.php:1084 -#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 -#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 -#: ../../mod/photos.php:1697 ../../mod/poke.php:199 ../../mod/events.php:478 -#: ../../mod/fsuggest.php:107 ../../mod/invite.php:140 -#: ../../mod/manage.php:110 -msgid "Submit" -msgstr "Senden" - -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" -msgstr "Fett" - -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "Kursiv" - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "Unterstrichen" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "Zitat" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "Code" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "Bild" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "Link" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "Video" - -#: ../../object/Item.php:687 ../../mod/editpost.php:145 -#: ../../mod/content.php:719 ../../mod/photos.php:1566 -#: ../../mod/photos.php:1610 ../../mod/photos.php:1698 -#: ../../include/conversation.php:1126 -msgid "Preview" -msgstr "Vorschau" - -#: ../../index.php:212 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "Sie müssen angemeldet sein um Addons benutzen zu können." - -#: ../../index.php:256 ../../mod/help.php:90 -msgid "Not Found" -msgstr "Nicht gefunden" - -#: ../../index.php:259 ../../mod/help.php:93 -msgid "Page not found." -msgstr "Seite nicht gefunden." - -#: ../../index.php:368 ../../mod/group.php:72 ../../mod/profperm.php:19 -msgid "Permission denied" -msgstr "Zugriff verweigert" - -#: ../../index.php:369 ../../mod/mood.php:114 ../../mod/display.php:499 -#: ../../mod/register.php:42 ../../mod/dfrn_confirm.php:55 -#: ../../mod/api.php:26 ../../mod/api.php:31 ../../mod/wallmessage.php:9 -#: ../../mod/wallmessage.php:33 ../../mod/wallmessage.php:79 -#: ../../mod/wallmessage.php:103 ../../mod/suggest.php:58 -#: ../../mod/network.php:4 ../../mod/install.php:151 ../../mod/editpost.php:10 -#: ../../mod/attach.php:33 ../../mod/regmod.php:110 ../../mod/crepair.php:119 -#: ../../mod/uimport.php:23 ../../mod/notes.php:20 ../../mod/contacts.php:254 -#: ../../mod/settings.php:102 ../../mod/settings.php:596 -#: ../../mod/settings.php:601 ../../mod/profiles.php:165 -#: ../../mod/profiles.php:603 ../../mod/group.php:19 ../../mod/follow.php:9 -#: ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/viewcontacts.php:24 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/wall_attach.php:55 -#: ../../mod/poke.php:135 ../../mod/wall_upload.php:66 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/events.php:140 ../../mod/delegate.php:12 ../../mod/nogroup.php:25 -#: ../../mod/fsuggest.php:78 ../../mod/item.php:168 ../../mod/item.php:184 -#: ../../mod/notifications.php:66 ../../mod/invite.php:15 -#: ../../mod/invite.php:101 ../../mod/manage.php:96 ../../mod/allfriends.php:9 -#: ../../include/items.php:4696 +#: ../../mod/contacts.php:254 ../../mod/manage.php:96 +#: ../../mod/display.php:499 ../../mod/profile_photo.php:19 +#: ../../mod/profile_photo.php:169 ../../mod/profile_photo.php:180 +#: ../../mod/profile_photo.php:193 ../../mod/follow.php:9 +#: ../../mod/item.php:168 ../../mod/item.php:184 ../../mod/group.php:19 +#: ../../mod/dfrn_confirm.php:55 ../../mod/fsuggest.php:78 +#: ../../mod/wall_upload.php:66 ../../mod/viewcontacts.php:24 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/crepair.php:119 +#: ../../mod/nogroup.php:25 ../../mod/network.php:4 ../../mod/allfriends.php:9 +#: ../../mod/events.php:140 ../../mod/install.php:151 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/wall_attach.php:55 ../../mod/settings.php:102 +#: ../../mod/settings.php:596 ../../mod/settings.php:601 +#: ../../mod/register.php:42 ../../mod/delegate.php:12 ../../mod/mood.php:114 +#: ../../mod/suggest.php:58 ../../mod/profiles.php:165 +#: ../../mod/profiles.php:618 ../../mod/editpost.php:10 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/regmod.php:110 ../../mod/uimport.php:23 +#: ../../mod/attach.php:33 ../../include/items.php:4712 ../../index.php:369 msgid "Permission denied." msgstr "Zugriff verweigert." -#: ../../index.php:428 -msgid "toggle mobile" -msgstr "auf/von Mobile Ansicht wechseln" +#: ../../mod/contacts.php:287 +msgid "Contact has been blocked" +msgstr "Kontakt wurde blockiert" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../mod/notifications.php:93 -#: ../../include/nav.php:105 ../../include/nav.php:146 -msgid "Home" -msgstr "Pinnwand" +#: ../../mod/contacts.php:287 +msgid "Contact has been unblocked" +msgstr "Kontakt wurde wieder freigegeben" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "Deine Beiträge und Unterhaltungen" +#: ../../mod/contacts.php:298 +msgid "Contact has been ignored" +msgstr "Kontakt wurde ignoriert" -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2114 -#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../include/nav.php:77 ../../include/profile_advanced.php:7 -#: ../../include/profile_advanced.php:87 -msgid "Profile" -msgstr "Profil" +#: ../../mod/contacts.php:298 +msgid "Contact has been unignored" +msgstr "Kontakt wird nicht mehr ignoriert" -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "Deine Profilseite" +#: ../../mod/contacts.php:310 +msgid "Contact has been archived" +msgstr "Kontakt wurde archiviert" -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2121 -#: ../../mod/fbrowser.php:25 ../../include/nav.php:78 -msgid "Photos" -msgstr "Bilder" +#: ../../mod/contacts.php:310 +msgid "Contact has been unarchived" +msgstr "Kontakt wurde aus dem Archiv geholt" -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Deine Fotos" +#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 +msgid "Do you really want to delete this contact?" +msgstr "Möchtest du wirklich diesen Kontakt löschen?" -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2138 -#: ../../mod/events.php:370 ../../include/nav.php:80 -msgid "Events" -msgstr "Veranstaltungen" +#: ../../mod/contacts.php:337 ../../mod/message.php:209 +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:233 ../../mod/suggest.php:29 +#: ../../mod/profiles.php:661 ../../mod/profiles.php:664 ../../mod/api.php:105 +#: ../../include/items.php:4557 +msgid "Yes" +msgstr "Ja" -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "Deine Ereignisse" +#: ../../mod/contacts.php:340 ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 +#: ../../mod/message.php:212 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/settings.php:615 +#: ../../mod/settings.php:641 ../../mod/dfrn_request.php:844 +#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 +#: ../../include/conversation.php:1129 ../../include/items.php:4560 +msgid "Cancel" +msgstr "Abbrechen" -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" -msgstr "Persönliche Notizen" +#: ../../mod/contacts.php:352 +msgid "Contact has been removed." +msgstr "Kontakt wurde entfernt." -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Deine privaten Fotos" +#: ../../mod/contacts.php:390 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Du hast mit %s eine beidseitige Freundschaft" -#: ../../view/theme/perihel/theme.php:38 -#: ../../view/theme/diabook/theme.php:129 ../../mod/community.php:32 -#: ../../include/nav.php:129 -msgid "Community" -msgstr "Gemeinschaft" +#: ../../mod/contacts.php:394 +#, php-format +msgid "You are sharing with %s" +msgstr "Du teilst mit %s" -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:335 -msgid "don't show" -msgstr "nicht zeigen" +#: ../../mod/contacts.php:399 +#, php-format +msgid "%s is sharing with you" +msgstr "%s teilt mit Dir" -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:334 -msgid "show" -msgstr "zeigen" +#: ../../mod/contacts.php:416 +msgid "Private communications are not available for this contact." +msgstr "Private Kommunikation ist für diesen Kontakt nicht verfügbar." -#: ../../view/theme/perihel/config.php:97 -#: ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 -#: ../../view/theme/zero-childs/cleanzero/config.php:82 -#: ../../view/theme/dispy/config.php:72 ../../view/theme/clean/config.php:84 -#: ../../view/theme/duepuntozero/config.php:61 -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:55 -#: ../../view/theme/vier-mobil/config.php:49 -msgid "Theme settings" -msgstr "Themeneinstellungen" +#: ../../mod/contacts.php:419 ../../mod/admin.php:569 +msgid "Never" +msgstr "Niemals" -#: ../../view/theme/perihel/config.php:98 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/zero-childs/cleanzero/config.php:84 -#: ../../view/theme/dispy/config.php:73 -#: ../../view/theme/cleanzero/config.php:84 -msgid "Set font-size for posts and comments" -msgstr "Schriftgröße für Beiträge und Kommentare festlegen" +#: ../../mod/contacts.php:423 +msgid "(Update was successful)" +msgstr "(Aktualisierung war erfolgreich)" -#: ../../view/theme/perihel/config.php:99 -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Liniengröße für Beiträge und Kommantare festlegen" +#: ../../mod/contacts.php:423 +msgid "(Update was not successful)" +msgstr "(Aktualisierung war nicht erfolgreich)" -#: ../../view/theme/perihel/config.php:100 -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "Auflösung für die Mittelspalte setzen" +#: ../../mod/contacts.php:425 +msgid "Suggest friends" +msgstr "Kontakte vorschlagen" -#: ../../view/theme/diabook/theme.php:125 ../../mod/contacts.php:702 -#: ../../include/nav.php:175 +#: ../../mod/contacts.php:429 +#, php-format +msgid "Network type: %s" +msgstr "Netzwerktyp: %s" + +#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d gemeinsamer Kontakt" +msgstr[1] "%d gemeinsame Kontakte" + +#: ../../mod/contacts.php:437 +msgid "View all contacts" +msgstr "Alle Kontakte anzeigen" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1009 +msgid "Unblock" +msgstr "Entsperren" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1008 +msgid "Block" +msgstr "Sperren" + +#: ../../mod/contacts.php:445 +msgid "Toggle Blocked status" +msgstr "Geblockt-Status ein-/ausschalten" + +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 +msgid "Unignore" +msgstr "Ignorieren aufheben" + +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 +#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 +msgid "Ignore" +msgstr "Ignorieren" + +#: ../../mod/contacts.php:451 +msgid "Toggle Ignored status" +msgstr "Ignoriert-Status ein-/ausschalten" + +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Unarchive" +msgstr "Aus Archiv zurückholen" + +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Archive" +msgstr "Archivieren" + +#: ../../mod/contacts.php:458 +msgid "Toggle Archive status" +msgstr "Archiviert-Status ein-/ausschalten" + +#: ../../mod/contacts.php:461 +msgid "Repair" +msgstr "Reparieren" + +#: ../../mod/contacts.php:464 +msgid "Advanced Contact Settings" +msgstr "Fortgeschrittene Kontakteinstellungen" + +#: ../../mod/contacts.php:470 +msgid "Communications lost with this contact!" +msgstr "Verbindungen mit diesem Kontakt verloren!" + +#: ../../mod/contacts.php:473 +msgid "Contact Editor" +msgstr "Kontakt Editor" + +#: ../../mod/contacts.php:475 ../../mod/manage.php:110 +#: ../../mod/fsuggest.php:107 ../../mod/message.php:335 +#: ../../mod/message.php:564 ../../mod/crepair.php:186 +#: ../../mod/events.php:478 ../../mod/content.php:710 +#: ../../mod/install.php:248 ../../mod/install.php:286 ../../mod/mood.php:137 +#: ../../mod/profiles.php:686 ../../mod/localtime.php:45 +#: ../../mod/poke.php:199 ../../mod/invite.php:140 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 +#: ../../mod/photos.php:1697 ../../object/Item.php:678 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/dispy/config.php:70 ../../view/theme/quattro/config.php:64 +#: ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 ../../view/theme/vier/config.php:53 +#: ../../view/theme/duepuntozero/config.php:59 +msgid "Submit" +msgstr "Senden" + +#: ../../mod/contacts.php:476 +msgid "Profile Visibility" +msgstr "Profil-Sichtbarkeit" + +#: ../../mod/contacts.php:477 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Bitte wähle eines deiner Profile das angezeigt werden soll, wenn %s dein Profil aufruft." + +#: ../../mod/contacts.php:478 +msgid "Contact Information / Notes" +msgstr "Kontakt Informationen / Notizen" + +#: ../../mod/contacts.php:479 +msgid "Edit contact notes" +msgstr "Notizen zum Kontakt bearbeiten" + +#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 +#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Besuche %ss Profil [%s]" + +#: ../../mod/contacts.php:485 +msgid "Block/Unblock contact" +msgstr "Kontakt blockieren/freischalten" + +#: ../../mod/contacts.php:486 +msgid "Ignore contact" +msgstr "Ignoriere den Kontakt" + +#: ../../mod/contacts.php:487 +msgid "Repair URL settings" +msgstr "URL Einstellungen reparieren" + +#: ../../mod/contacts.php:488 +msgid "View conversations" +msgstr "Unterhaltungen anzeigen" + +#: ../../mod/contacts.php:490 +msgid "Delete contact" +msgstr "Lösche den Kontakt" + +#: ../../mod/contacts.php:494 +msgid "Last update:" +msgstr "letzte Aktualisierung:" + +#: ../../mod/contacts.php:496 +msgid "Update public posts" +msgstr "Öffentliche Beiträge aktualisieren" + +#: ../../mod/contacts.php:498 ../../mod/admin.php:1503 +msgid "Update now" +msgstr "Jetzt aktualisieren" + +#: ../../mod/contacts.php:505 +msgid "Currently blocked" +msgstr "Derzeit geblockt" + +#: ../../mod/contacts.php:506 +msgid "Currently ignored" +msgstr "Derzeit ignoriert" + +#: ../../mod/contacts.php:507 +msgid "Currently archived" +msgstr "Momentan archiviert" + +#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 +#: ../../mod/notifications.php:204 +msgid "Hide this contact from others" +msgstr "Verberge diesen Kontakt vor anderen" + +#: ../../mod/contacts.php:508 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Antworten/Likes auf deine öffentlichen Beiträge könnten weiterhin sichtbar sein" + +#: ../../mod/contacts.php:509 +msgid "Notification for new posts" +msgstr "Benachrichtigung bei neuen Beiträgen" + +#: ../../mod/contacts.php:509 +msgid "Send a notification of every new post of this contact" +msgstr "Sende eine Benachrichtigung wann immer dieser Kontakt einen neuen Beitrag schreibt." + +#: ../../mod/contacts.php:510 +msgid "Fetch further information for feeds" +msgstr "Weitere Informationen zu Feeds holen" + +#: ../../mod/contacts.php:511 +msgid "Disabled" +msgstr "Deaktiviert" + +#: ../../mod/contacts.php:511 +msgid "Fetch information" +msgstr "Beziehe Information" + +#: ../../mod/contacts.php:511 +msgid "Fetch information and keywords" +msgstr "Beziehe Information und Schlüsselworte" + +#: ../../mod/contacts.php:513 +msgid "Blacklisted keywords" +msgstr "Blacklistete Schlüsselworte " + +#: ../../mod/contacts.php:513 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "Komma-Separierte Liste mit Schlüsselworten die nicht in Hashtags konvertiert werden wenn \"Beziehe Information und Schlüsselworte\" aktiviert wurde" + +#: ../../mod/contacts.php:564 +msgid "Suggestions" +msgstr "Kontaktvorschläge" + +#: ../../mod/contacts.php:567 +msgid "Suggest potential friends" +msgstr "Freunde vorschlagen" + +#: ../../mod/contacts.php:570 ../../mod/group.php:194 +msgid "All Contacts" +msgstr "Alle Kontakte" + +#: ../../mod/contacts.php:573 +msgid "Show all contacts" +msgstr "Alle Kontakte anzeigen" + +#: ../../mod/contacts.php:576 +msgid "Unblocked" +msgstr "Ungeblockt" + +#: ../../mod/contacts.php:579 +msgid "Only show unblocked contacts" +msgstr "Nur nicht-blockierte Kontakte anzeigen" + +#: ../../mod/contacts.php:583 +msgid "Blocked" +msgstr "Geblockt" + +#: ../../mod/contacts.php:586 +msgid "Only show blocked contacts" +msgstr "Nur blockierte Kontakte anzeigen" + +#: ../../mod/contacts.php:590 +msgid "Ignored" +msgstr "Ignoriert" + +#: ../../mod/contacts.php:593 +msgid "Only show ignored contacts" +msgstr "Nur ignorierte Kontakte anzeigen" + +#: ../../mod/contacts.php:597 +msgid "Archived" +msgstr "Archiviert" + +#: ../../mod/contacts.php:600 +msgid "Only show archived contacts" +msgstr "Nur archivierte Kontakte anzeigen" + +#: ../../mod/contacts.php:604 +msgid "Hidden" +msgstr "Verborgen" + +#: ../../mod/contacts.php:607 +msgid "Only show hidden contacts" +msgstr "Nur verborgene Kontakte anzeigen" + +#: ../../mod/contacts.php:655 +msgid "Mutual Friendship" +msgstr "Beidseitige Freundschaft" + +#: ../../mod/contacts.php:659 +msgid "is a fan of yours" +msgstr "ist ein Fan von dir" + +#: ../../mod/contacts.php:663 +msgid "you are a fan of" +msgstr "du bist Fan von" + +#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "Kontakt bearbeiten" + +#: ../../mod/contacts.php:702 ../../include/nav.php:177 +#: ../../view/theme/diabook/theme.php:125 msgid "Contacts" msgstr "Kontakte" -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "Deine Kontakte" +#: ../../mod/contacts.php:706 +msgid "Search your contacts" +msgstr "Suche in deinen Kontakten" -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -#: ../../view/theme/diabook/config.php:158 -msgid "Community Pages" -msgstr "Foren" +#: ../../mod/contacts.php:707 ../../mod/directory.php:61 +msgid "Finding: " +msgstr "Funde: " -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -#: ../../view/theme/diabook/config.php:160 -msgid "Community Profiles" -msgstr "Community-Profile" +#: ../../mod/contacts.php:708 ../../mod/directory.php:63 +#: ../../include/contact_widgets.php:34 +msgid "Find" +msgstr "Finde" -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -#: ../../view/theme/diabook/config.php:164 -msgid "Last users" -msgstr "Letzte Nutzer" +#: ../../mod/contacts.php:713 ../../mod/settings.php:132 +#: ../../mod/settings.php:640 +msgid "Update" +msgstr "Aktualisierungen" -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -#: ../../view/theme/diabook/config.php:166 -msgid "Last likes" -msgstr "Zuletzt gemocht" +#: ../../mod/contacts.php:717 ../../mod/group.php:171 ../../mod/admin.php:1007 +#: ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../mod/settings.php:677 ../../mod/photos.php:1654 +#: ../../object/Item.php:130 ../../include/conversation.php:614 +msgid "Delete" +msgstr "Löschen" -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1966 -msgid "event" -msgstr "Veranstaltung" +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Kein Profil" -#: ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../include/diaspora.php:2087 -msgid "status" -msgstr "Status" +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Verwalte Identitäten und/oder Seiten" -#: ../../view/theme/diabook/theme.php:471 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/subthread.php:87 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1968 ../../include/diaspora.php:2087 -msgid "photo" -msgstr "Foto" - -#: ../../view/theme/diabook/theme.php:480 ../../mod/like.php:166 -#: ../../include/conversation.php:137 ../../include/diaspora.php:2103 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s mag %2$ss %3$s" - -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -#: ../../view/theme/diabook/config.php:165 -msgid "Last photos" -msgstr "Letzte Fotos" - -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 -#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 -msgid "Contact Photos" -msgstr "Kontaktbilder" - -#: ../../view/theme/diabook/theme.php:500 ../../mod/photos.php:155 -#: ../../mod/photos.php:731 ../../mod/photos.php:1187 -#: ../../mod/photos.php:1210 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 ../../include/user.php:335 -#: ../../include/user.php:342 ../../include/user.php:349 -msgid "Profile Photos" -msgstr "Profilbilder" - -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -#: ../../view/theme/diabook/config.php:163 -msgid "Find Friends" -msgstr "Freunde finden" - -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "Lokales Verzeichnis" - -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 -msgid "Global Directory" -msgstr "Weltweites Verzeichnis" - -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "Ähnliche Interessen" - -#: ../../view/theme/diabook/theme.php:527 ../../mod/suggest.php:68 -#: ../../include/contact_widgets.php:35 -msgid "Friend Suggestions" -msgstr "Kontaktvorschläge" - -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "Freunde einladen" - -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../mod/newmember.php:22 -#: ../../mod/admin.php:1082 ../../mod/admin.php:1303 ../../mod/settings.php:85 -#: ../../include/nav.php:170 -msgid "Settings" -msgstr "Einstellungen" - -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -#: ../../view/theme/diabook/config.php:159 -msgid "Earth Layers" -msgstr "Earth Layers" - -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "Zoomfaktor der Earth Layer" - -#: ../../view/theme/diabook/theme.php:585 -#: ../../view/theme/diabook/config.php:156 -msgid "Set longitude (X) for Earth Layers" -msgstr "Longitude (X) der Earth Layer" - -#: ../../view/theme/diabook/theme.php:586 -#: ../../view/theme/diabook/config.php:157 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Latitude (Y) der Earth Layer" - -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -#: ../../view/theme/diabook/config.php:161 -msgid "Help or @NewHere ?" -msgstr "Hilfe oder @NewHere" - -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -#: ../../view/theme/diabook/config.php:162 -msgid "Connect Services" -msgstr "Verbinde Dienste" - -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "Rahmen auf der rechten Seite anzeigen/verbergen" - -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Wähle Farbschema" - -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Zoomfaktor der Earth Layer" - -#: ../../view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Ausrichtung" - -#: ../../view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Links" - -#: ../../view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Mitte" - -#: ../../view/theme/quattro/config.php:68 -#: ../../view/theme/zero-childs/cleanzero/config.php:86 -#: ../../view/theme/clean/config.php:87 -#: ../../view/theme/cleanzero/config.php:86 -msgid "Color scheme" -msgstr "Farbschema" - -#: ../../view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "Schriftgröße in Beiträgen" - -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "Schriftgröße in Eingabefeldern" - -#: ../../view/theme/zero-childs/cleanzero/config.php:83 -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Wähle das Vergrößerungsmaß für Bilder in Beiträgen und Kommentaren (Höhe und Breite)" - -#: ../../view/theme/zero-childs/cleanzero/config.php:85 -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Theme Breite festlegen" - -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Farbschema wählen" - -#: ../../view/theme/clean/config.php:56 -#: ../../view/theme/duepuntozero/config.php:44 ../../include/user.php:247 -#: ../../include/text.php:1702 -msgid "default" -msgstr "Standard" - -#: ../../view/theme/clean/config.php:57 -msgid "Midnight" -msgstr "Mitternacht" - -#: ../../view/theme/clean/config.php:58 -msgid "Bootstrap" -msgstr "Bootstrap" - -#: ../../view/theme/clean/config.php:59 -msgid "Shades of Pink" -msgstr "Shades of Pink" - -#: ../../view/theme/clean/config.php:60 -msgid "Lime and Orange" -msgstr "Lime and Orange" - -#: ../../view/theme/clean/config.php:61 -msgid "GeoCities Retro" -msgstr "GeoCities Retro" - -#: ../../view/theme/clean/config.php:85 -msgid "Background Image" -msgstr "Hintergrundbild" - -#: ../../view/theme/clean/config.php:85 +#: ../../mod/manage.php:107 msgid "" -"The URL to a picture (e.g. from your photo album) that should be used as " -"background image." -msgstr "Die URL eines Bildes (z.B. aus deinem Fotoalbum), das als Hintergrundbild verwendet werden soll." - -#: ../../view/theme/clean/config.php:86 -msgid "Background Color" -msgstr "Hintergrundfarbe" - -#: ../../view/theme/clean/config.php:86 -msgid "HEX value for the background color. Don't include the #" -msgstr "HEX Wert der Hintergrundfarbe. Gib die # nicht mit an." - -#: ../../view/theme/clean/config.php:88 -msgid "font size" -msgstr "Schriftgröße" - -#: ../../view/theme/clean/config.php:88 -msgid "base font size for your interface" -msgstr "Basis-Schriftgröße für dein Interface." - -#: ../../view/theme/duepuntozero/config.php:45 -msgid "greenzero" -msgstr "greenzero" - -#: ../../view/theme/duepuntozero/config.php:46 -msgid "purplezero" -msgstr "purplezero" - -#: ../../view/theme/duepuntozero/config.php:47 -msgid "easterbunny" -msgstr "easterbunny" - -#: ../../view/theme/duepuntozero/config.php:48 -msgid "darkzero" -msgstr "darkzero" - -#: ../../view/theme/duepuntozero/config.php:49 -msgid "comix" -msgstr "comix" - -#: ../../view/theme/duepuntozero/config.php:50 -msgid "slackr" -msgstr "slackr" - -#: ../../view/theme/duepuntozero/config.php:62 -msgid "Variations" -msgstr "Variationen" - -#: ../../view/theme/vier/config.php:56 -#: ../../view/theme/vier-mobil/config.php:50 -msgid "Set style" -msgstr "Stil auswählen" - -#: ../../boot.php:744 -msgid "Delete this item?" -msgstr "Diesen Beitrag löschen?" - -#: ../../boot.php:747 -msgid "show fewer" -msgstr "weniger anzeigen" - -#: ../../boot.php:1117 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen." - -#: ../../boot.php:1235 -msgid "Create a New Account" -msgstr "Neues Konto erstellen" - -#: ../../boot.php:1236 ../../mod/register.php:269 ../../include/nav.php:109 -msgid "Register" -msgstr "Registrieren" - -#: ../../boot.php:1260 ../../include/nav.php:73 -msgid "Logout" -msgstr "Abmelden" - -#: ../../boot.php:1261 ../../mod/bookmarklet.php:12 ../../include/nav.php:92 -msgid "Login" -msgstr "Anmeldung" - -#: ../../boot.php:1263 -msgid "Nickname or Email address: " -msgstr "Spitzname oder E-Mail-Adresse: " - -#: ../../boot.php:1264 -msgid "Password: " -msgstr "Passwort: " - -#: ../../boot.php:1265 -msgid "Remember me" -msgstr "Anmeldedaten merken" - -#: ../../boot.php:1268 -msgid "Or login using OpenID: " -msgstr "Oder melde dich mit deiner OpenID an: " - -#: ../../boot.php:1274 -msgid "Forgot your password?" -msgstr "Passwort vergessen?" - -#: ../../boot.php:1275 ../../mod/lostpass.php:109 -msgid "Password Reset" -msgstr "Passwort zurücksetzen" - -#: ../../boot.php:1277 -msgid "Website Terms of Service" -msgstr "Website Nutzungsbedingungen" - -#: ../../boot.php:1278 -msgid "terms of service" -msgstr "Nutzungsbedingungen" - -#: ../../boot.php:1280 -msgid "Website Privacy Policy" -msgstr "Website Datenschutzerklärung" - -#: ../../boot.php:1281 -msgid "privacy policy" -msgstr "Datenschutzerklärung" - -#: ../../boot.php:1414 -msgid "Requested account is not available." -msgstr "Das angefragte Profil ist nicht vorhanden." - -#: ../../boot.php:1453 ../../mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "Das angefragte Profil ist nicht vorhanden." - -#: ../../boot.php:1496 ../../boot.php:1630 -#: ../../include/profile_advanced.php:84 -msgid "Edit profile" -msgstr "Profil bearbeiten" - -#: ../../boot.php:1563 ../../mod/suggest.php:90 ../../mod/match.php:58 -#: ../../include/contact_widgets.php:10 -msgid "Connect" -msgstr "Verbinden" - -#: ../../boot.php:1595 -msgid "Message" -msgstr "Nachricht" - -#: ../../boot.php:1601 ../../include/nav.php:173 -msgid "Profiles" -msgstr "Profile" - -#: ../../boot.php:1601 -msgid "Manage/edit profiles" -msgstr "Profile verwalten/editieren" - -#: ../../boot.php:1606 ../../boot.php:1632 ../../mod/profiles.php:789 -msgid "Change profile photo" -msgstr "Profilbild ändern" - -#: ../../boot.php:1607 ../../mod/profiles.php:790 -msgid "Create New Profile" -msgstr "Neues Profil anlegen" - -#: ../../boot.php:1617 ../../mod/profiles.php:801 -msgid "Profile Image" -msgstr "Profilbild" - -#: ../../boot.php:1620 ../../mod/profiles.php:803 -msgid "visible to everybody" -msgstr "sichtbar für jeden" - -#: ../../boot.php:1621 ../../mod/profiles.php:804 -msgid "Edit visibility" -msgstr "Sichtbarkeit bearbeiten" - -#: ../../boot.php:1643 ../../mod/directory.php:136 ../../mod/events.php:471 -#: ../../include/event.php:40 ../../include/bb2diaspora.php:170 -msgid "Location:" -msgstr "Ort:" - -#: ../../boot.php:1645 ../../mod/directory.php:138 -#: ../../include/profile_advanced.php:17 -msgid "Gender:" -msgstr "Geschlecht:" - -#: ../../boot.php:1648 ../../mod/directory.php:140 -#: ../../include/profile_advanced.php:37 -msgid "Status:" -msgstr "Status:" - -#: ../../boot.php:1650 ../../mod/directory.php:142 -#: ../../include/profile_advanced.php:48 -msgid "Homepage:" -msgstr "Homepage:" - -#: ../../boot.php:1652 ../../mod/directory.php:144 -#: ../../include/profile_advanced.php:58 -msgid "About:" -msgstr "Über:" - -#: ../../boot.php:1701 -msgid "Network:" -msgstr "Netzwerk" - -#: ../../boot.php:1731 ../../boot.php:1817 -msgid "g A l F d" -msgstr "l, d. F G \\U\\h\\r" - -#: ../../boot.php:1732 ../../boot.php:1818 -msgid "F d" -msgstr "d. F" - -#: ../../boot.php:1777 ../../boot.php:1858 -msgid "[today]" -msgstr "[heute]" - -#: ../../boot.php:1789 -msgid "Birthday Reminders" -msgstr "Geburtstagserinnerungen" - -#: ../../boot.php:1790 -msgid "Birthdays this week:" -msgstr "Geburtstage diese Woche:" - -#: ../../boot.php:1851 -msgid "[No description]" -msgstr "[keine Beschreibung]" - -#: ../../boot.php:1869 -msgid "Event Reminders" -msgstr "Veranstaltungserinnerungen" - -#: ../../boot.php:1870 -msgid "Events this week:" -msgstr "Veranstaltungen diese Woche" - -#: ../../boot.php:2107 ../../include/nav.php:76 -msgid "Status" -msgstr "Status" - -#: ../../boot.php:2110 -msgid "Status Messages and Posts" -msgstr "Statusnachrichten und Beiträge" - -#: ../../boot.php:2117 -msgid "Profile Details" -msgstr "Profildetails" - -#: ../../boot.php:2124 ../../mod/photos.php:52 -msgid "Photo Albums" -msgstr "Fotoalben" - -#: ../../boot.php:2128 ../../boot.php:2131 ../../include/nav.php:79 -msgid "Videos" -msgstr "Videos" - -#: ../../boot.php:2141 -msgid "Events and Calendar" -msgstr "Ereignisse und Kalender" - -#: ../../boot.php:2145 ../../mod/notes.php:44 -msgid "Personal Notes" -msgstr "Persönliche Notizen" - -#: ../../boot.php:2148 -msgid "Only You Can See This" -msgstr "Nur du kannst das sehen" - -#: ../../mod/mood.php:62 ../../include/conversation.php:227 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "%1$s ist momentan %2$s" - -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "Stimmung" - -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "Wähle deine aktuelle Stimmung und erzähle sie deinen Freunden" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Zwischen verschiedenen Identitäten oder Gemeinschafts-/Gruppenseiten wechseln, die deine Kontoinformationen teilen oder zu denen du „Verwalten“-Befugnisse bekommen hast." + +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Wähle eine Identität zum Verwalten aus: " + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Beitrag erfolgreich veröffentlicht." + +#: ../../mod/profperm.php:19 ../../mod/group.php:72 ../../index.php:368 +msgid "Permission denied" +msgstr "Zugriff verweigert" + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Ungültiger Profil-Bezeichner." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Editor für die Profil-Sichtbarkeit" + +#: ../../mod/profperm.php:103 ../../mod/newmember.php:32 ../../boot.php:2119 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Profile" +msgstr "Profil" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen" + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Sichtbar für" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Alle Kontakte (mit gesichertem Profilzugriff)" #: ../../mod/display.php:82 ../../mod/display.php:284 -#: ../../mod/display.php:503 ../../mod/decrypt.php:15 ../../mod/admin.php:169 -#: ../../mod/admin.php:1030 ../../mod/admin.php:1243 ../../mod/notice.php:15 -#: ../../mod/viewsrc.php:15 ../../include/items.php:4500 +#: ../../mod/display.php:503 ../../mod/viewsrc.php:15 ../../mod/admin.php:169 +#: ../../mod/admin.php:1052 ../../mod/admin.php:1265 ../../mod/notice.php:15 +#: ../../include/items.php:4516 msgid "Item not found." msgstr "Beitrag nicht gefunden." -#: ../../mod/display.php:212 ../../mod/_search.php:89 -#: ../../mod/directory.php:33 ../../mod/search.php:89 -#: ../../mod/dfrn_request.php:762 ../../mod/community.php:18 -#: ../../mod/viewcontacts.php:19 ../../mod/photos.php:920 -#: ../../mod/videos.php:115 +#: ../../mod/display.php:212 ../../mod/videos.php:115 +#: ../../mod/viewcontacts.php:19 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:762 ../../mod/search.php:89 +#: ../../mod/directory.php:33 ../../mod/photos.php:920 msgid "Public access denied." msgstr "Öffentlicher Zugriff verweigert." @@ -956,474 +557,6 @@ msgstr "Der Zugriff zu diesem Profil wurde eingeschränkt." msgid "Item has been removed." msgstr "Eintrag wurde entfernt." -#: ../../mod/decrypt.php:9 ../../mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Zugriff verweigert." - -#: ../../mod/bookmarklet.php:41 -msgid "The post was created" -msgstr "Der Beitrag wurde angelegt" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Dies ist Friendica, Version" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "die unter folgender Webadresse zu finden ist" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Bitte besuche Friendica.com, um mehr über das Friendica Projekt zu erfahren." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Probleme oder Fehler gefunden? Bitte besuche" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Vorschläge, Lob, Spenden usw.: E-Mail an \"Info\" at Friendica - dot com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "Installierte Plugins/Erweiterungen/Apps" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "Keine Plugins/Erweiterungen/Apps installiert" - -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%1$s heißt %2$s herzlich willkommen" - -#: ../../mod/register.php:90 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrierung erfolgreich. Eine E-Mail mit weiteren Anweisungen wurde an dich gesendet." - -#: ../../mod/register.php:96 -#, php-format -msgid "" -"Failed to send email message. Here your accout details:
    login: %s
    " -"password: %s

    You can change your password after login." -msgstr "Versenden der E-Mail fehlgeschlagen. Hier sind deine Account Details:\n\nLogin: %s\nPasswort: %s\n\nDu kannst das Passwort nach dem Anmelden ändern." - -#: ../../mod/register.php:105 -msgid "Your registration can not be processed." -msgstr "Deine Registrierung konnte nicht verarbeitet werden." - -#: ../../mod/register.php:148 -msgid "Your registration is pending approval by the site owner." -msgstr "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden." - -#: ../../mod/register.php:186 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Die maximale Anzahl täglicher Registrierungen auf dieser Seite wurde überschritten. Bitte versuche es morgen noch einmal." - -#: ../../mod/register.php:214 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Du kannst dieses Formular auch (optional) mit deiner OpenID ausfüllen, indem du deine OpenID angibst und 'Registrieren' klickst." - -#: ../../mod/register.php:215 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Wenn du nicht mit OpenID vertraut bist, lass dieses Feld bitte leer und fülle die restlichen Felder aus." - -#: ../../mod/register.php:216 -msgid "Your OpenID (optional): " -msgstr "Deine OpenID (optional): " - -#: ../../mod/register.php:230 -msgid "Include your profile in member directory?" -msgstr "Soll dein Profil im Nutzerverzeichnis angezeigt werden?" - -#: ../../mod/register.php:233 ../../mod/api.php:105 ../../mod/suggest.php:29 -#: ../../mod/dfrn_request.php:830 ../../mod/contacts.php:337 -#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 -#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 -#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 -#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 -#: ../../mod/settings.php:1085 ../../mod/profiles.php:646 -#: ../../mod/profiles.php:649 ../../mod/message.php:209 -#: ../../include/items.php:4541 -msgid "Yes" -msgstr "Ja" - -#: ../../mod/register.php:234 ../../mod/api.php:106 -#: ../../mod/dfrn_request.php:830 ../../mod/settings.php:1010 -#: ../../mod/settings.php:1016 ../../mod/settings.php:1024 -#: ../../mod/settings.php:1028 ../../mod/settings.php:1033 -#: ../../mod/settings.php:1039 ../../mod/settings.php:1045 -#: ../../mod/settings.php:1051 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/settings.php:1083 -#: ../../mod/settings.php:1084 ../../mod/settings.php:1085 -#: ../../mod/profiles.php:646 ../../mod/profiles.php:650 -msgid "No" -msgstr "Nein" - -#: ../../mod/register.php:251 -msgid "Membership on this site is by invitation only." -msgstr "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung möglich." - -#: ../../mod/register.php:252 -msgid "Your invitation ID: " -msgstr "ID deiner Einladung: " - -#: ../../mod/register.php:255 ../../mod/admin.php:603 -msgid "Registration" -msgstr "Registrierung" - -#: ../../mod/register.php:263 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "Vollständiger Name (z.B. Max Mustermann): " - -#: ../../mod/register.php:264 -msgid "Your Email Address: " -msgstr "Deine E-Mail-Adresse: " - -#: ../../mod/register.php:265 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@$sitename' sein." - -#: ../../mod/register.php:266 -msgid "Choose a nickname: " -msgstr "Spitznamen wählen: " - -#: ../../mod/register.php:275 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Import" - -#: ../../mod/register.php:276 -msgid "Import your profile to this friendica instance" -msgstr "Importiere dein Profil auf diese Friendica Instanz" - -#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 -#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 -#: ../../mod/profiles.php:615 -msgid "Profile not found." -msgstr "Profil nicht gefunden." - -#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -msgid "Contact not found." -msgstr "Kontakt nicht gefunden." - -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Das kann passieren, wenn sich zwei Kontakte gegenseitig eingeladen haben und bereits einer angenommen wurde." - -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "Antwort der Gegenstelle unverständlich." - -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "Unerwartete Antwort der Gegenstelle: " - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "Bestätigung erfolgreich abgeschlossen." - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "Gegenstelle meldet: " - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "Zeitweiser Fehler. Bitte warte einige Momente und versuche es dann noch einmal." - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "Kontaktanfrage schlug fehl oder wurde zurückgezogen." - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "Konnte das Bild des Kontakts nicht speichern." - -#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 -#: ../../include/diaspora.php:620 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s ist nun mit %2$s befreundet" - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "Für '%s' wurde kein Nutzer gefunden" - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "Der Verschlüsselungsschlüssel unserer Seite ist anscheinend nicht in Ordnung." - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "Leere URL für die Seite erhalten oder die URL konnte nicht entschlüsselt werden." - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "Für diesen Kontakt wurde auf unserer Seite kein Eintrag gefunden." - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "Die Kontaktdaten für URL %s enthalten keinen Public Key für den Server." - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "Die ID, die uns dein System angeboten hat, ist hier bereits vergeben. Bitte versuche es noch einmal." - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "Deine Kontaktreferenzen konnten nicht in unserem System gespeichert werden." - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "Die Updates für dein Profil konnten nicht gespeichert werden" - -#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 -#: ../../include/items.php:3992 -msgid "[Name Withheld]" -msgstr "[Name unterdrückt]" - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s ist %2$s beigetreten" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Verbindung der Applikation autorisieren" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Gehe zu deiner Anwendung zurück und trage dort folgenden Sicherheitscode ein:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Bitte melde dich an um fortzufahren." - -#: ../../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 "Möchtest du dieser Anwendung den Zugriff auf deine Beiträge und Kontakte, sowie das Erstellen neuer Beiträge in deinem Namen gestatten?" - -#: ../../mod/lostpass.php:19 -msgid "No valid account found." -msgstr "Kein gültiges Konto gefunden." - -#: ../../mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "Zurücksetzen des Passworts eingeleitet. Bitte überprüfe deine E-Mail." - -#: ../../mod/lostpass.php:42 -#, 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 "\nHallo %1$s,\n\nAuf \"%2$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gesteööt\nworden. Um diese Anfrage zu verifizieren folge bitte dem unten stehenden\nLink oder kopiere ihn und füge ihn in die Addressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gemacht haben, ignoriere und/oder lösche diese\nEmail bitte.\n\nDein Passwort wird nicht geändern solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast." - -#: ../../mod/lostpass.php:53 -#, 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 "\nUm deine Identität zu verifizieren folge bitte dem folgenden Link:\n\n%1$s\n\nDu wirst eine weitere Email mit deinem neuen Passwort erhalten. Sobald du dich\nangemeldet hast, kannst du dein Passwort in den Einstellungen ändern.\n\nDie Anmeldedetails sind die folgenden:\n\nAdresse der Seite:\t%2$s\nBenutzername:\t%3$s" - -#: ../../mod/lostpass.php:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "Anfrage zum Zurücksetzen des Passworts auf %s erhalten" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "Anfrage konnte nicht verifiziert werden. (Eventuell hast du bereits eine ähnliche Anfrage gestellt.) Zurücksetzen des Passworts gescheitert." - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "Dein Passwort wurde wie gewünscht zurückgesetzt." - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "Dein neues Passwort lautet" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Speichere oder kopiere dein neues Passwort - und dann" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "hier klicken, um dich anzumelden" - -#: ../../mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Du kannst das Passwort in den Einstellungen ändern, sobald du dich erfolgreich angemeldet hast." - -#: ../../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 "\nHallo %1$s,\n\ndein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort zu etwas, das du dir leicht merken kannst)." - -#: ../../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 "\nDie Anmeldedaten sind die folgenden:\n\nAdresse der Seite: %1$s\nLogin Name: %2$s\nPasswort: %3$s\n\nDas Passwort kann, und sollte, in den Kontoeinstellungen nach der Anmeldung geändert werden." - -#: ../../mod/lostpass.php:147 -#, php-format -msgid "Your password has been changed at %s" -msgstr "Auf %s wurde dein Passwort geändert" - -#: ../../mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Hast du dein Passwort vergessen?" - -#: ../../mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Gib deine E-Mail-Adresse an und fordere ein neues Passwort an. Es werden dir dann weitere Informationen per Mail zugesendet." - -#: ../../mod/lostpass.php:161 -msgid "Nickname or Email: " -msgstr "Spitzname oder E-Mail:" - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "Zurücksetzen" - -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Maximale Anzahl der täglichen Pinnwand Nachrichten für %s ist überschritten. Zustellung fehlgeschlagen." - -#: ../../mod/wallmessage.php:56 ../../mod/message.php:63 -msgid "No recipient selected." -msgstr "Kein Empfänger gewählt." - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Konnte deinen Heimatort nicht bestimmen." - -#: ../../mod/wallmessage.php:62 ../../mod/message.php:70 -msgid "Message could not be sent." -msgstr "Nachricht konnte nicht gesendet werden." - -#: ../../mod/wallmessage.php:65 ../../mod/message.php:73 -msgid "Message collection failure." -msgstr "Konnte Nachrichten nicht abrufen." - -#: ../../mod/wallmessage.php:68 ../../mod/message.php:76 -msgid "Message sent." -msgstr "Nachricht gesendet." - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Kein Empfänger." - -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -msgid "Please enter a link URL:" -msgstr "Bitte gib die URL des Links ein:" - -#: ../../mod/wallmessage.php:142 ../../mod/message.php:319 -msgid "Send Private Message" -msgstr "Private Nachricht senden" - -#: ../../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 "Wenn du möchtest, dass %s dir antworten kann, überprüfe deine Privatsphären-Einstellungen und erlaube private Nachrichten von unbekannten Absendern." - -#: ../../mod/wallmessage.php:144 ../../mod/message.php:320 -#: ../../mod/message.php:553 -msgid "To:" -msgstr "An:" - -#: ../../mod/wallmessage.php:145 ../../mod/message.php:325 -#: ../../mod/message.php:555 -msgid "Subject:" -msgstr "Betreff:" - -#: ../../mod/wallmessage.php:151 ../../mod/message.php:329 -#: ../../mod/message.php:558 ../../mod/invite.php:134 -msgid "Your message:" -msgstr "Deine Nachricht:" - -#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 -#: ../../mod/message.php:332 ../../mod/message.php:562 -#: ../../include/conversation.php:1091 -msgid "Upload photo" -msgstr "Foto hochladen" - -#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 -#: ../../mod/message.php:333 ../../mod/message.php:563 -#: ../../include/conversation.php:1095 -msgid "Insert web link" -msgstr "Einen Link einfügen" - #: ../../mod/newmember.php:6 msgid "Welcome to Friendica" msgstr "Willkommen bei Friendica" @@ -1455,6 +588,13 @@ msgid "" " join." msgstr "Auf der Quick Start Seite findest du eine kurze Einleitung in die einzelnen Funktionen deines Profils und die Netzwerk-Reiter, wo du interessante Foren findest und neue Kontakte knüpfst." +#: ../../mod/newmember.php:22 ../../mod/admin.php:1104 +#: ../../mod/admin.php:1325 ../../mod/settings.php:85 +#: ../../include/nav.php:172 ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 +msgid "Settings" +msgstr "Einstellungen" + #: ../../mod/newmember.php:26 msgid "Go to Your Settings" msgstr "Gehe zu deinen Einstellungen" @@ -1474,8 +614,8 @@ msgid "" "potential friends know exactly how to find you." msgstr "Überprüfe die restlichen Einstellungen, insbesondere die Einstellungen zur Privatsphäre. Wenn du dein Profil nicht veröffentlichst, ist das als wenn du deine Telefonnummer nicht ins Telefonbuch einträgst. Im Allgemeinen solltest du es veröffentlichen - außer all deine Freunde und potentiellen Freunde wissen genau, wie sie dich finden können." -#: ../../mod/newmember.php:36 ../../mod/profiles.php:684 -#: ../../mod/profile_photo.php:244 +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +#: ../../mod/profiles.php:699 msgid "Upload Profile Photo" msgstr "Profilbild hochladen" @@ -1615,39 +755,2144 @@ msgid "" " features and resources." msgstr "Unsere Hilfe Seiten können herangezogen werden, um weitere Einzelheiten zu andern Programm Features zu erhalten." -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Möchtest du wirklich diese Empfehlung löschen?" +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "OpenID Protokollfehler. Keine ID zurückgegeben." -#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:844 ../../mod/contacts.php:340 -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -#: ../../mod/message.php:212 ../../mod/photos.php:203 ../../mod/photos.php:292 -#: ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../include/conversation.php:1129 -#: ../../include/items.php:4544 -msgid "Cancel" -msgstr "Abbrechen" - -#: ../../mod/suggest.php:74 +#: ../../mod/openid.php:53 msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Keine Vorschläge verfügbar. Falls der Server frisch aufgesetzt wurde, versuche es bitte in 24 Stunden noch einmal." +"Account not found and OpenID registration is not permitted on this site." +msgstr "Nutzerkonto wurde nicht gefunden und OpenID-Registrierung ist auf diesem Server nicht gestattet." -#: ../../mod/suggest.php:92 -msgid "Ignore/Hide" -msgstr "Ignorieren/Verbergen" +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "Anmeldung fehlgeschlagen." + +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "Bild hochgeladen, aber das Zuschneiden schlug fehl." + +#: ../../mod/profile_photo.php:74 ../../mod/profile_photo.php:81 +#: ../../mod/profile_photo.php:88 ../../mod/profile_photo.php:204 +#: ../../mod/profile_photo.php:296 ../../mod/profile_photo.php:305 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1187 +#: ../../mod/photos.php:1210 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../view/theme/diabook/theme.php:500 +msgid "Profile Photos" +msgstr "Profilbilder" + +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Verkleinern der Bildgröße von [%s] scheiterte." + +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Drücke Umschalt+Neu Laden oder leere den Browser-Cache, falls das neue Foto nicht gleich angezeigt wird." + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Bild konnte nicht verarbeitet werden" + +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:122 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "Bildgröße überschreitet das Limit von %d" + +#: ../../mod/profile_photo.php:153 ../../mod/wall_upload.php:144 +#: ../../mod/photos.php:807 +msgid "Unable to process image." +msgstr "Konnte das Bild nicht bearbeiten." + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Datei hochladen:" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Profil auswählen:" + +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "Hochladen" + +#: ../../mod/profile_photo.php:248 ../../mod/settings.php:1062 +msgid "or" +msgstr "oder" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "diesen Schritt überspringen" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "wähle ein Foto aus deinen Fotoalben" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "Bild zurechtschneiden" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Passe bitte den Bildausschnitt an, damit das Bild optimal dargestellt werden kann." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Bearbeitung abgeschlossen" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Bild erfolgreich hochgeladen." + +#: ../../mod/profile_photo.php:301 ../../mod/wall_upload.php:172 +#: ../../mod/photos.php:834 +msgid "Image upload failed." +msgstr "Hochladen des Bildes gescheitert." + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1968 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:471 +msgid "photo" +msgstr "Foto" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../mod/like.php:319 ../../include/conversation.php:121 +#: ../../include/conversation.php:130 ../../include/conversation.php:249 +#: ../../include/conversation.php:258 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 +msgid "status" +msgstr "Status" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s folgt %2$s %3$s" + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Tag entfernt" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Gegenstands-Tag entfernen" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Wähle ein Tag zum Entfernen aus: " + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "Entfernen" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "In diesem Ordner speichern:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- auswählen -" + +#: ../../mod/filer.php:31 ../../mod/editpost.php:109 ../../mod/notes.php:63 +#: ../../include/text.php:956 +msgid "Save" +msgstr "Speichern" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Kontakt hinzugefügt" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "Konnte den Originalbeitrag nicht finden." + +#: ../../mod/item.php:345 +msgid "Empty post discarded." +msgstr "Leerer Beitrag wurde verworfen." + +#: ../../mod/item.php:484 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../include/Photo.php:916 ../../include/Photo.php:931 +#: ../../include/Photo.php:938 ../../include/Photo.php:960 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "Pinnwand-Bilder" + +#: ../../mod/item.php:938 +msgid "System error. Post not saved." +msgstr "Systemfehler. Beitrag konnte nicht gespeichert werden." + +#: ../../mod/item.php:964 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Diese Nachricht wurde dir von %s geschickt, einem Mitglied des Sozialen Netzwerks Friendica." + +#: ../../mod/item.php:966 +#, php-format +msgid "You may visit them online at %s" +msgstr "Du kannst sie online unter %s besuchen" + +#: ../../mod/item.php:967 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Falls du diese Beiträge nicht erhalten möchtest, kontaktiere bitte den Autor, indem du auf diese Nachricht antwortest." + +#: ../../mod/item.php:971 +#, php-format +msgid "%s posted an update." +msgstr "%s hat ein Update veröffentlicht." + +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Gruppe erstellt." + +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Konnte die Gruppe nicht erstellen." + +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Gruppe nicht gefunden." + +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Gruppenname geändert." + +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Gruppe speichern" + +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Eine Gruppe von Kontakten/Freunden anlegen." + +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Gruppenname:" + +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Gruppe entfernt." + +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Konnte die Gruppe nicht entfernen." + +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Gruppeneditor" + +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Mitglieder" + +#: ../../mod/apps.php:7 ../../index.php:212 +msgid "You must be logged in to use addons. " +msgstr "Sie müssen angemeldet sein um Addons benutzen zu können." + +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Anwendungen" + +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Keine Applikationen installiert." + +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 +#: ../../mod/profiles.php:630 +msgid "Profile not found." +msgstr "Profil nicht gefunden." + +#: ../../mod/dfrn_confirm.php:120 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "Kontakt nicht gefunden." + +#: ../../mod/dfrn_confirm.php:121 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Das kann passieren, wenn sich zwei Kontakte gegenseitig eingeladen haben und bereits einer angenommen wurde." + +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Antwort der Gegenstelle unverständlich." + +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "Unerwartete Antwort der Gegenstelle: " + +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Bestätigung erfolgreich abgeschlossen." + +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Gegenstelle meldet: " + +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Zeitweiser Fehler. Bitte warte einige Momente und versuche es dann noch einmal." + +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "Kontaktanfrage schlug fehl oder wurde zurückgezogen." + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Konnte das Bild des Kontakts nicht speichern." + +#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 +#: ../../include/diaspora.php:620 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s ist nun mit %2$s befreundet" + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Für '%s' wurde kein Nutzer gefunden" + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "Der Verschlüsselungsschlüssel unserer Seite ist anscheinend nicht in Ordnung." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "Leere URL für die Seite erhalten oder die URL konnte nicht entschlüsselt werden." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Für diesen Kontakt wurde auf unserer Seite kein Eintrag gefunden." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "Die Kontaktdaten für URL %s enthalten keinen Public Key für den Server." + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "Die ID, die uns dein System angeboten hat, ist hier bereits vergeben. Bitte versuche es noch einmal." + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Deine Kontaktreferenzen konnten nicht in unserem System gespeichert werden." + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Die Updates für dein Profil konnten nicht gespeichert werden" + +#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 +#: ../../include/items.php:4008 +msgid "[Name Withheld]" +msgstr "[Name unterdrückt]" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s ist %2$s beigetreten" + +#: ../../mod/profile.php:21 ../../boot.php:1458 +msgid "Requested profile is not available." +msgstr "Das angefragte Profil ist nicht vorhanden." + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Tipps für neue Nutzer" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Keine Videos ausgewählt" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "Zugriff zu diesem Eintrag wurde eingeschränkt." + +#: ../../mod/videos.php:301 ../../include/text.php:1405 +msgid "View Video" +msgstr "Video ansehen" + +#: ../../mod/videos.php:308 ../../mod/photos.php:1808 +msgid "View Album" +msgstr "Album betrachten" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Neueste Videos" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Neues Video hochladen" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s hat %2$ss %3$s mit %4$s getaggt" + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Kontaktvorschlag gesendet." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Kontakte vorschlagen" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Schlage %s einen Kontakt vor" + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Kein gültiges Konto gefunden." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "Zurücksetzen des Passworts eingeleitet. Bitte überprüfe deine E-Mail." + +#: ../../mod/lostpass.php:42 +#, 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 "\nHallo %1$s,\n\nAuf \"%2$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gesteööt\nworden. Um diese Anfrage zu verifizieren folge bitte dem unten stehenden\nLink oder kopiere ihn und füge ihn in die Addressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gemacht haben, ignoriere und/oder lösche diese\nEmail bitte.\n\nDein Passwort wird nicht geändern solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast." + +#: ../../mod/lostpass.php:53 +#, 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 "\nUm deine Identität zu verifizieren folge bitte dem folgenden Link:\n\n%1$s\n\nDu wirst eine weitere Email mit deinem neuen Passwort erhalten. Sobald du dich\nangemeldet hast, kannst du dein Passwort in den Einstellungen ändern.\n\nDie Anmeldedetails sind die folgenden:\n\nAdresse der Seite:\t%2$s\nBenutzername:\t%3$s" + +#: ../../mod/lostpass.php:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Anfrage zum Zurücksetzen des Passworts auf %s erhalten" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Anfrage konnte nicht verifiziert werden. (Eventuell hast du bereits eine ähnliche Anfrage gestellt.) Zurücksetzen des Passworts gescheitert." + +#: ../../mod/lostpass.php:109 ../../boot.php:1280 +msgid "Password Reset" +msgstr "Passwort zurücksetzen" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "Dein Passwort wurde wie gewünscht zurückgesetzt." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "Dein neues Passwort lautet" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Speichere oder kopiere dein neues Passwort - und dann" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "hier klicken, um dich anzumelden" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Du kannst das Passwort in den Einstellungen ändern, sobald du dich erfolgreich angemeldet hast." + +#: ../../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 "\nHallo %1$s,\n\ndein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort zu etwas, das du dir leicht merken kannst)." + +#: ../../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 "\nDie Anmeldedaten sind die folgenden:\n\nAdresse der Seite: %1$s\nLogin Name: %2$s\nPasswort: %3$s\n\nDas Passwort kann, und sollte, in den Kontoeinstellungen nach der Anmeldung geändert werden." + +#: ../../mod/lostpass.php:147 +#, php-format +msgid "Your password has been changed at %s" +msgstr "Auf %s wurde dein Passwort geändert" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Hast du dein Passwort vergessen?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Gib deine E-Mail-Adresse an und fordere ein neues Passwort an. Es werden dir dann weitere Informationen per Mail zugesendet." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Spitzname oder E-Mail:" + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Zurücksetzen" + +#: ../../mod/like.php:166 ../../include/conversation.php:137 +#: ../../include/diaspora.php:2103 ../../view/theme/diabook/theme.php:480 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s mag %2$ss %3$s" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s mag %2$ss %3$s nicht" + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "{0} möchte mit dir in Kontakt treten" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "{0} schickte dir eine Nachricht" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "{0} möchte sich registrieren" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0} kommentierte einen Beitrag von %s" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "{0} mag %ss Beitrag" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "{0} mag %ss Beitrag nicht" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0} ist jetzt mit %s befreundet" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "{0} hat etwas veröffentlicht" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "{0} hat %ss Beitrag mit dem Schlagwort #%s versehen" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "{0} hat dich in einem Beitrag erwähnt" + +#: ../../mod/viewcontacts.php:41 +msgid "No contacts." +msgstr "Keine Kontakte." + +#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 +msgid "View Contacts" +msgstr "Kontakte anzeigen" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "Invalid request identifier." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "Verwerfen" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "System" + +#: ../../mod/notifications.php:83 ../../include/nav.php:145 +msgid "Network" +msgstr "Netzwerk" + +#: ../../mod/notifications.php:88 ../../mod/network.php:371 +msgid "Personal" +msgstr "Persönlich" + +#: ../../mod/notifications.php:93 ../../include/nav.php:105 +#: ../../include/nav.php:148 ../../view/theme/diabook/theme.php:123 +msgid "Home" +msgstr "Pinnwand" + +#: ../../mod/notifications.php:98 ../../include/nav.php:154 +msgid "Introductions" +msgstr "Kontaktanfragen" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Zeige ignorierte Anfragen" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Verberge ignorierte Anfragen" + +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "Benachrichtigungstyp: " + +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "Kontaktvorschlag" + +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "vorgeschlagen von %s" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "Neue-Kontakt Nachricht senden" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "falls anwendbar" + +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:1005 +msgid "Approve" +msgstr "Genehmigen" + +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "Behauptet dich zu kennen: " + +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "ja" + +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "nein" + +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "Genehmigen als: " + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "Freund" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "Teilenden" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "Fan/Verehrer" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "Kontakt-/Freundschaftsanfrage" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "Neuer Bewunderer" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "Keine Kontaktanfragen." + +#: ../../mod/notifications.php:220 ../../include/nav.php:155 +msgid "Notifications" +msgstr "Benachrichtigungen" + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "%s mag %ss Beitrag" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "%s mag %ss Beitrag nicht" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s ist jetzt mit %s befreundet" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "%s hat einen neuen Beitrag erstellt" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s hat %ss Beitrag kommentiert" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "Keine weiteren Netzwerk-Benachrichtigungen." + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "Netzwerk Benachrichtigungen" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "Keine weiteren Systembenachrichtigungen." + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "Systembenachrichtigungen" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "Keine weiteren persönlichen Benachrichtigungen" + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "Persönliche Benachrichtigungen" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "Keine weiteren Pinnwand-Benachrichtigungen" + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "Pinnwand Benachrichtigungen" + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Quelle (bbcode) Text:" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Eingabe (Diaspora) nach BBCode zu konvertierender Text:" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Originaltext:" + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (reines 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 "Originaltext (Diaspora Format): " + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb: " + +#: ../../mod/navigation.php:20 ../../include/nav.php:34 +msgid "Nothing new here" +msgstr "Keine Neuigkeiten" + +#: ../../mod/navigation.php:24 ../../include/nav.php:38 +msgid "Clear notifications" +msgstr "Bereinige Benachrichtigungen" + +#: ../../mod/message.php:9 ../../include/nav.php:164 +msgid "New Message" +msgstr "Neue Nachricht" + +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "Kein Empfänger gewählt." + +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Konnte die Kontaktinformationen nicht finden." + +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "Nachricht konnte nicht gesendet werden." + +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "Konnte Nachrichten nicht abrufen." + +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "Nachricht gesendet." + +#: ../../mod/message.php:182 ../../include/nav.php:161 +msgid "Messages" +msgstr "Nachrichten" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Möchtest du wirklich diese Nachricht löschen?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Nachricht gelöscht." + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Unterhaltung gelöscht." + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "Bitte gib die URL des Links ein:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Private Nachricht senden" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "An:" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Betreff:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "Deine Nachricht:" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "Foto hochladen" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "Einen Link einfügen" + +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../mod/wallmessage.php:156 ../../mod/editpost.php:124 +#: ../../mod/photos.php:1545 ../../object/Item.php:364 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "Bitte warten" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Keine Nachrichten." + +#: ../../mod/message.php:378 +#, php-format +msgid "Unknown sender - %s" +msgstr "'Unbekannter Absender - %s" + +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Du und %s" + +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s und du" + +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Unterhaltung löschen" + +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D, d. M Y - g:i A" + +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d Nachricht" +msgstr[1] "%d Nachrichten" + +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Nachricht nicht verfügbar." + +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Nachricht löschen" + +#: ../../mod/message.php:548 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Sichere Kommunikation ist nicht verfügbar. Eventuell kannst du auf der Profilseite des Absenders antworten." + +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Antwort senden" + +#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_network.php:25 +msgid "[Embedded content - reload page to view]" +msgstr "[Eingebetteter Inhalt - Seite neu laden zum Betrachten]" + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "Einstellungen zum Kontakt angewandt." + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "Konnte den Kontakt nicht aktualisieren." + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "Kontakteinstellungen reparieren" + +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "ACHTUNG: Das sind Experten-Einstellungen! Wenn du etwas Falsches eingibst, funktioniert die Kommunikation mit diesem Kontakt evtl. nicht mehr." + +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Bitte nutze den Zurück-Button deines Browsers jetzt, wenn du dir unsicher bist, was du tun willst." + +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "Zurück zum Kontakteditor" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "No mirroring" +msgstr "Kein Spiegeln" + +#: ../../mod/crepair.php:159 +msgid "Mirror as forwarded posting" +msgstr "Spiegeln als weitergeleitete Beiträge" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "Mirror as my own posting" +msgstr "Spiegeln als meine eigenen Beiträge" + +#: ../../mod/crepair.php:165 ../../mod/admin.php:1003 ../../mod/admin.php:1015 +#: ../../mod/admin.php:1016 ../../mod/admin.php:1029 +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Name" +msgstr "Name" + +#: ../../mod/crepair.php:166 +msgid "Account Nickname" +msgstr "Konto-Spitzname" + +#: ../../mod/crepair.php:167 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@Tagname - überschreibt Name/Spitzname" + +#: ../../mod/crepair.php:168 +msgid "Account URL" +msgstr "Konto-URL" + +#: ../../mod/crepair.php:169 +msgid "Friend Request URL" +msgstr "URL für Freundschaftsanfragen" + +#: ../../mod/crepair.php:170 +msgid "Friend Confirm URL" +msgstr "URL für Bestätigungen von Freundschaftsanfragen" + +#: ../../mod/crepair.php:171 +msgid "Notification Endpoint URL" +msgstr "URL-Endpunkt für Benachrichtigungen" + +#: ../../mod/crepair.php:172 +msgid "Poll/Feed URL" +msgstr "Pull/Feed-URL" + +#: ../../mod/crepair.php:173 +msgid "New photo from this URL" +msgstr "Neues Foto von dieser URL" + +#: ../../mod/crepair.php:174 +msgid "Remote Self" +msgstr "Entfernte Konten" + +#: ../../mod/crepair.php:176 +msgid "Mirror postings from this contact" +msgstr "Spiegle Beiträge dieses Kontakts" + +#: ../../mod/crepair.php:176 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "Markiere diesen Kontakt als remote_self (entferntes Konto), dies veranlasst Friendica alle Top-Level Beiträge dieses Kontakts an all deine Kontakte zu senden." + +#: ../../mod/bookmarklet.php:12 ../../boot.php:1266 ../../include/nav.php:92 +msgid "Login" +msgstr "Anmeldung" + +#: ../../mod/bookmarklet.php:41 +msgid "The post was created" +msgstr "Der Beitrag wurde angelegt" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "Zugriff verweigert." + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Personensuche" + +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "Keine Übereinstimmungen" + +#: ../../mod/fbrowser.php:25 ../../boot.php:2126 ../../include/nav.php:78 +#: ../../view/theme/diabook/theme.php:126 +msgid "Photos" +msgstr "Bilder" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "Dateien" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Kontakte, die keiner Gruppe zugewiesen sind" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Themeneinstellungen aktualisiert." + +#: ../../mod/admin.php:104 ../../mod/admin.php:619 +msgid "Site" +msgstr "Seite" + +#: ../../mod/admin.php:105 ../../mod/admin.php:998 ../../mod/admin.php:1013 +msgid "Users" +msgstr "Nutzer" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1102 ../../mod/admin.php:1155 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "Plugins" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1323 ../../mod/admin.php:1357 +msgid "Themes" +msgstr "Themen" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "DB Updates" + +#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1444 +msgid "Logs" +msgstr "Protokolle" + +#: ../../mod/admin.php:124 +msgid "probe address" +msgstr "Adresse untersuchen" + +#: ../../mod/admin.php:125 +msgid "check webfinger" +msgstr "Webfinger überprüfen" + +#: ../../mod/admin.php:130 ../../include/nav.php:184 +msgid "Admin" +msgstr "Administration" + +#: ../../mod/admin.php:131 +msgid "Plugin Features" +msgstr "Plugin Features" + +#: ../../mod/admin.php:133 +msgid "diagnostics" +msgstr "Diagnose" + +#: ../../mod/admin.php:134 +msgid "User registrations waiting for confirmation" +msgstr "Nutzeranmeldungen die auf Bestätigung warten" + +#: ../../mod/admin.php:193 ../../mod/admin.php:952 +msgid "Normal Account" +msgstr "Normales Konto" + +#: ../../mod/admin.php:194 ../../mod/admin.php:953 +msgid "Soapbox Account" +msgstr "Marktschreier-Konto" + +#: ../../mod/admin.php:195 ../../mod/admin.php:954 +msgid "Community/Celebrity Account" +msgstr "Forum/Promi-Konto" + +#: ../../mod/admin.php:196 ../../mod/admin.php:955 +msgid "Automatic Friend Account" +msgstr "Automatisches Freundekonto" + +#: ../../mod/admin.php:197 +msgid "Blog Account" +msgstr "Blog-Konto" + +#: ../../mod/admin.php:198 +msgid "Private Forum" +msgstr "Privates Forum" + +#: ../../mod/admin.php:217 +msgid "Message queues" +msgstr "Nachrichten-Warteschlangen" + +#: ../../mod/admin.php:222 ../../mod/admin.php:618 ../../mod/admin.php:997 +#: ../../mod/admin.php:1101 ../../mod/admin.php:1154 ../../mod/admin.php:1322 +#: ../../mod/admin.php:1356 ../../mod/admin.php:1443 +msgid "Administration" +msgstr "Administration" + +#: ../../mod/admin.php:223 +msgid "Summary" +msgstr "Zusammenfassung" + +#: ../../mod/admin.php:225 +msgid "Registered users" +msgstr "Registrierte Nutzer" + +#: ../../mod/admin.php:227 +msgid "Pending registrations" +msgstr "Anstehende Anmeldungen" + +#: ../../mod/admin.php:228 +msgid "Version" +msgstr "Version" + +#: ../../mod/admin.php:232 +msgid "Active plugins" +msgstr "Aktive Plugins" + +#: ../../mod/admin.php:255 +msgid "Can not parse base url. Must have at least ://" +msgstr "Die Basis-URL konnte nicht analysiert werden. Sie muss mindestens aus :// bestehen" + +#: ../../mod/admin.php:516 +msgid "Site settings updated." +msgstr "Seiteneinstellungen aktualisiert." + +#: ../../mod/admin.php:545 ../../mod/settings.php:828 +msgid "No special theme for mobile devices" +msgstr "Kein spezielles Theme für mobile Geräte verwenden." + +#: ../../mod/admin.php:562 +msgid "No community page" +msgstr "Keine Gemeinschaftsseite" + +#: ../../mod/admin.php:563 +msgid "Public postings from users of this site" +msgstr "Öffentliche Beiträge von Nutzer_innen dieser Seite" + +#: ../../mod/admin.php:564 +msgid "Global community page" +msgstr "Globale Gemeinschaftsseite" + +#: ../../mod/admin.php:570 +msgid "At post arrival" +msgstr "Beim Empfang von Nachrichten" + +#: ../../mod/admin.php:571 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "immer wieder" + +#: ../../mod/admin.php:572 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "Stündlich" + +#: ../../mod/admin.php:573 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "Zweimal täglich" + +#: ../../mod/admin.php:574 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "Täglich" + +#: ../../mod/admin.php:579 +msgid "Multi user instance" +msgstr "Mehrbenutzer Instanz" + +#: ../../mod/admin.php:602 +msgid "Closed" +msgstr "Geschlossen" + +#: ../../mod/admin.php:603 +msgid "Requires approval" +msgstr "Bedarf der Zustimmung" + +#: ../../mod/admin.php:604 +msgid "Open" +msgstr "Offen" + +#: ../../mod/admin.php:608 +msgid "No SSL policy, links will track page SSL state" +msgstr "Keine SSL Richtlinie, Links werden das verwendete Protokoll beibehalten" + +#: ../../mod/admin.php:609 +msgid "Force all links to use SSL" +msgstr "SSL für alle Links erzwingen" + +#: ../../mod/admin.php:610 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Selbst-unterzeichnetes Zertifikat, SSL nur für lokale Links verwenden (nicht empfohlen)" + +#: ../../mod/admin.php:620 ../../mod/admin.php:1156 ../../mod/admin.php:1358 +#: ../../mod/admin.php:1445 ../../mod/settings.php:614 +#: ../../mod/settings.php:724 ../../mod/settings.php:798 +#: ../../mod/settings.php:880 ../../mod/settings.php:1113 +msgid "Save Settings" +msgstr "Einstellungen speichern" + +#: ../../mod/admin.php:621 ../../mod/register.php:255 +msgid "Registration" +msgstr "Registrierung" + +#: ../../mod/admin.php:622 +msgid "File upload" +msgstr "Datei hochladen" + +#: ../../mod/admin.php:623 +msgid "Policies" +msgstr "Regeln" + +#: ../../mod/admin.php:624 +msgid "Advanced" +msgstr "Erweitert" + +#: ../../mod/admin.php:625 +msgid "Performance" +msgstr "Performance" + +#: ../../mod/admin.php:626 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Umsiedeln - WARNUNG: Könnte diesen Server unerreichbar machen." + +#: ../../mod/admin.php:629 +msgid "Site name" +msgstr "Seitenname" + +#: ../../mod/admin.php:630 +msgid "Host name" +msgstr "Host Name" + +#: ../../mod/admin.php:631 +msgid "Sender Email" +msgstr "Absender für Emails" + +#: ../../mod/admin.php:632 +msgid "Banner/Logo" +msgstr "Banner/Logo" + +#: ../../mod/admin.php:633 +msgid "Shortcut icon" +msgstr "Shortcut Icon" + +#: ../../mod/admin.php:634 +msgid "Touch icon" +msgstr "Touch Icon" + +#: ../../mod/admin.php:635 +msgid "Additional Info" +msgstr "Zusätzliche Informationen" + +#: ../../mod/admin.php:635 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Für öffentliche Server kannst du hier zusätzliche Informationen angeben, die dann auf dir.friendica.com/siteinfo angezeigt werden." + +#: ../../mod/admin.php:636 +msgid "System language" +msgstr "Systemsprache" + +#: ../../mod/admin.php:637 +msgid "System theme" +msgstr "Systemweites Theme" + +#: ../../mod/admin.php:637 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Vorgabe für das System-Theme - kann von Benutzerprofilen überschrieben werden - Theme-Einstellungen ändern" + +#: ../../mod/admin.php:638 +msgid "Mobile system theme" +msgstr "Systemweites mobiles Theme" + +#: ../../mod/admin.php:638 +msgid "Theme for mobile devices" +msgstr "Thema für mobile Geräte" + +#: ../../mod/admin.php:639 +msgid "SSL link policy" +msgstr "Regeln für SSL Links" + +#: ../../mod/admin.php:639 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Bestimmt, ob generierte Links SSL verwenden müssen" + +#: ../../mod/admin.php:640 +msgid "Force SSL" +msgstr "Erzwinge SSL" + +#: ../../mod/admin.php:640 +msgid "" +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" +" to endless loops." +msgstr "Erzinge alle Nicht-SSL Anfragen auf SSL - Achtung: auf manchen Systemen verursacht dies eine Endlosschleife." + +#: ../../mod/admin.php:641 +msgid "Old style 'Share'" +msgstr "Altes \"Teilen\" Element" + +#: ../../mod/admin.php:641 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Deaktiviert das BBCode Element \"share\" beim Wiederholen von Beiträgen." + +#: ../../mod/admin.php:642 +msgid "Hide help entry from navigation menu" +msgstr "Verberge den Menüeintrag für die Hilfe im Navigationsmenü" + +#: ../../mod/admin.php:642 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Verbirgt den Menüeintrag für die Hilfe-Seiten im Navigationsmenü. Die Seiten können weiterhin über /help aufgerufen werden." + +#: ../../mod/admin.php:643 +msgid "Single user instance" +msgstr "Ein-Nutzer Instanz" + +#: ../../mod/admin.php:643 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Regelt ob es sich bei dieser Instanz um eine ein Personen Installation oder eine Installation mit mehr als einem Nutzer handelt." + +#: ../../mod/admin.php:644 +msgid "Maximum image size" +msgstr "Maximale Bildgröße" + +#: ../../mod/admin.php:644 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Maximale Uploadgröße von Bildern in Bytes. Standard ist 0, d.h. ohne Limit." + +#: ../../mod/admin.php:645 +msgid "Maximum image length" +msgstr "Maximale Bildlänge" + +#: ../../mod/admin.php:645 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Maximale Länge in Pixeln der längsten Seite eines hoch geladenen Bildes. Grundeinstellung ist -1 was keine Einschränkung bedeutet." + +#: ../../mod/admin.php:646 +msgid "JPEG image quality" +msgstr "Qualität des JPEG Bildes" + +#: ../../mod/admin.php:646 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Hoch geladene JPEG Bilder werden mit dieser Qualität [0-100] gespeichert. Grundeinstellung ist 100, kein Qualitätsverlust." + +#: ../../mod/admin.php:648 +msgid "Register policy" +msgstr "Registrierungsmethode" + +#: ../../mod/admin.php:649 +msgid "Maximum Daily Registrations" +msgstr "Maximum täglicher Registrierungen" + +#: ../../mod/admin.php:649 +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 "Wenn die Registrierung weiter oben erlaubt ist, regelt dies die maximale Anzahl von Neuanmeldungen pro Tag. Wenn die Registrierung geschlossen ist, hat diese Einstellung keinen Effekt." + +#: ../../mod/admin.php:650 +msgid "Register text" +msgstr "Registrierungstext" + +#: ../../mod/admin.php:650 +msgid "Will be displayed prominently on the registration page." +msgstr "Wird gut sichtbar auf der Registrierungsseite angezeigt." + +#: ../../mod/admin.php:651 +msgid "Accounts abandoned after x days" +msgstr "Nutzerkonten gelten nach x Tagen als unbenutzt" + +#: ../../mod/admin.php:651 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Verschwende keine System-Ressourcen auf das Pollen externer Seiten, wenn Konten nicht mehr benutzt werden. 0 eingeben für kein Limit." + +#: ../../mod/admin.php:652 +msgid "Allowed friend domains" +msgstr "Erlaubte Domains für Kontakte" + +#: ../../mod/admin.php:652 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Liste der Domains, die für Freundschaften erlaubt sind, durch Kommas getrennt. Platzhalter werden akzeptiert. Leer lassen, um alle Domains zu erlauben." + +#: ../../mod/admin.php:653 +msgid "Allowed email domains" +msgstr "Erlaubte Domains für E-Mails" + +#: ../../mod/admin.php:653 +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 "Liste der Domains, die für E-Mail-Adressen bei der Registrierung erlaubt sind, durch Kommas getrennt. Platzhalter werden akzeptiert. Leer lassen, um alle Domains zu erlauben." + +#: ../../mod/admin.php:654 +msgid "Block public" +msgstr "Öffentlichen Zugriff blockieren" + +#: ../../mod/admin.php:654 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Klicken, um öffentlichen Zugriff auf sonst öffentliche Profile zu blockieren, wenn man nicht eingeloggt ist." + +#: ../../mod/admin.php:655 +msgid "Force publish" +msgstr "Erzwinge Veröffentlichung" + +#: ../../mod/admin.php:655 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Klicken, um Anzeige aller Profile dieses Servers im Verzeichnis zu erzwingen." + +#: ../../mod/admin.php:656 +msgid "Global directory update URL" +msgstr "URL für Updates beim weltweiten Verzeichnis" + +#: ../../mod/admin.php:656 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL für Update des globalen Verzeichnisses. Wenn nichts eingetragen ist, bleibt das globale Verzeichnis unerreichbar." + +#: ../../mod/admin.php:657 +msgid "Allow threaded items" +msgstr "Erlaube Threads in Diskussionen" + +#: ../../mod/admin.php:657 +msgid "Allow infinite level threading for items on this site." +msgstr "Erlaube ein unendliches Level für Threads auf dieser Seite." + +#: ../../mod/admin.php:658 +msgid "Private posts by default for new users" +msgstr "Private Beiträge als Standard für neue Nutzer" + +#: ../../mod/admin.php:658 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Die Standard-Zugriffsrechte für neue Nutzer werden so gesetzt, dass als Voreinstellung in die private Gruppe gepostet wird anstelle von öffentlichen Beiträgen." + +#: ../../mod/admin.php:659 +msgid "Don't include post content in email notifications" +msgstr "Inhalte von Beiträgen nicht in E-Mail-Benachrichtigungen versenden" + +#: ../../mod/admin.php:659 +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 "Inhalte von Beiträgen/Kommentaren/privaten Nachrichten/usw., zum Datenschutz nicht in E-Mail-Benachrichtigungen einbinden." + +#: ../../mod/admin.php:660 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Öffentlichen Zugriff auf Addons im Apps Menü verbieten." + +#: ../../mod/admin.php:660 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Wenn ausgewählt werden die im Apps Menü aufgeführten Addons nur angemeldeten Nutzern der Seite zur Verfügung gestellt." + +#: ../../mod/admin.php:661 +msgid "Don't embed private images in posts" +msgstr "Private Bilder nicht in Beiträgen einbetten." + +#: ../../mod/admin.php:661 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Ersetze lokal gehostete private Fotos in Beiträgen nicht mit einer eingebetteten Kopie des Bildes. Dies bedeutet, dass Kontakte, die Beiträge mit privaten Fotos erhalten sich zunächst auf den jeweiligen Servern authentifizieren müssen bevor die Bilder geladen und angezeigt werden, was eine gewisse Zeit dauert." + +#: ../../mod/admin.php:662 +msgid "Allow Users to set remote_self" +msgstr "Nutzern erlauben das remote_self Flag zu setzen" + +#: ../../mod/admin.php:662 +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 "Ist dies ausgewählt kann jeder Nutzer jeden seiner Kontakte als remote_self (entferntes Konto) im Kontakt reparieren Dialog markieren. Nach dem setzten dieses Flags werden alle Top-Level Beiträge dieser Kontakte automatisch in den Stream dieses Nutzers gepostet." + +#: ../../mod/admin.php:663 +msgid "Block multiple registrations" +msgstr "Unterbinde Mehrfachregistrierung" + +#: ../../mod/admin.php:663 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Benutzern nicht erlauben, weitere Konten als zusätzliche Profile anzulegen." + +#: ../../mod/admin.php:664 +msgid "OpenID support" +msgstr "OpenID Unterstützung" + +#: ../../mod/admin.php:664 +msgid "OpenID support for registration and logins." +msgstr "OpenID-Unterstützung für Registrierung und Login." + +#: ../../mod/admin.php:665 +msgid "Fullname check" +msgstr "Namen auf Vollständigkeit überprüfen" + +#: ../../mod/admin.php:665 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Leerzeichen zwischen Vor- und Nachname im vollständigen Namen erzwingen, um SPAM zu vermeiden." + +#: ../../mod/admin.php:666 +msgid "UTF-8 Regular expressions" +msgstr "UTF-8 Reguläre Ausdrücke" + +#: ../../mod/admin.php:666 +msgid "Use PHP UTF8 regular expressions" +msgstr "PHP UTF8 Ausdrücke verwenden" + +#: ../../mod/admin.php:667 +msgid "Community Page Style" +msgstr "Art der Gemeinschaftsseite" + +#: ../../mod/admin.php:667 +msgid "" +"Type of community page to show. 'Global community' shows every public " +"posting from an open distributed network that arrived on this server." +msgstr "Welche Art der Gemeinschaftsseite soll verwendet werden? Globale Gemeinschaftsseite zeigt alle öffentlichen Beiträge eines offenen dezentralen Netzwerks an die auf diesem Server eintreffen." + +#: ../../mod/admin.php:668 +msgid "Posts per user on community page" +msgstr "Anzahl der Beiträge pro Benutzer auf der Gemeinschaftsseite" + +#: ../../mod/admin.php:668 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"'Global Community')" +msgstr "Die Anzahl der Beiträge die von jedem Nutzer maximal auf der Gemeinschaftsseite angezeigt werden sollen. Dieser Parameter wird nicht für die Globale Gemeinschaftsseite genutzt." + +#: ../../mod/admin.php:669 +msgid "Enable OStatus support" +msgstr "OStatus Unterstützung aktivieren" + +#: ../../mod/admin.php:669 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Biete die eingebaute OStatus (iStatusNet, GNU Social, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, Privatsphäre Warnungen werden nur bei Bedarf angezeigt." + +#: ../../mod/admin.php:670 +msgid "OStatus conversation completion interval" +msgstr "Intervall zum Vervollständigen von OStatus Unterhaltungen" + +#: ../../mod/admin.php:670 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "Wie oft soll der Poller checken ob es neue Nachrichten in OStatus Unterhaltungen gibt die geladen werden müssen. Je nach Anzahl der OStatus Kontakte könnte dies ein sehr Ressourcen lastiger Job sein." + +#: ../../mod/admin.php:671 +msgid "Enable Diaspora support" +msgstr "Diaspora-Support aktivieren" + +#: ../../mod/admin.php:671 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Verwende die eingebaute Diaspora-Verknüpfung." + +#: ../../mod/admin.php:672 +msgid "Only allow Friendica contacts" +msgstr "Nur Friendica-Kontakte erlauben" + +#: ../../mod/admin.php:672 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Alle Kontakte müssen das Friendica Protokoll nutzen. Alle anderen Kommunikationsprotokolle werden deaktiviert." + +#: ../../mod/admin.php:673 +msgid "Verify SSL" +msgstr "SSL Überprüfen" + +#: ../../mod/admin.php:673 +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 "Wenn gewollt, kann man hier eine strenge Zertifikatkontrolle einstellen. Das bedeutet, dass man zu keinen Seiten mit selbst unterzeichnetem SSL eine Verbindung herstellen kann." + +#: ../../mod/admin.php:674 +msgid "Proxy user" +msgstr "Proxy Nutzer" + +#: ../../mod/admin.php:675 +msgid "Proxy URL" +msgstr "Proxy URL" + +#: ../../mod/admin.php:676 +msgid "Network timeout" +msgstr "Netzwerk Wartezeit" + +#: ../../mod/admin.php:676 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Der Wert ist in Sekunden. Setze 0 für unbegrenzt (nicht empfohlen)." + +#: ../../mod/admin.php:677 +msgid "Delivery interval" +msgstr "Zustellungsintervall" + +#: ../../mod/admin.php:677 +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 "Verzögere im Hintergrund laufende Auslieferungsprozesse um die angegebene Anzahl an Sekunden, um die Systemlast zu verringern. Empfehlungen: 4-5 für Shared-Hosts, 2-3 für VPS, 0-1 für große dedizierte Server." + +#: ../../mod/admin.php:678 +msgid "Poll interval" +msgstr "Abfrageintervall" + +#: ../../mod/admin.php:678 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Verzögere Hintergrundprozesse, um diese Anzahl an Sekunden um die Systemlast zu reduzieren. Bei 0 Sekunden wird das Auslieferungsintervall verwendet." + +#: ../../mod/admin.php:679 +msgid "Maximum Load Average" +msgstr "Maximum Load Average" + +#: ../../mod/admin.php:679 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Maximale Systemlast bevor Verteil- und Empfangsprozesse verschoben werden - Standard 50" + +#: ../../mod/admin.php:681 +msgid "Use MySQL full text engine" +msgstr "Nutze MySQL full text engine" + +#: ../../mod/admin.php:681 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Aktiviert die 'full text engine'. Beschleunigt die Suche - aber es kann nur nach vier oder mehr Zeichen gesucht werden." + +#: ../../mod/admin.php:682 +msgid "Suppress Language" +msgstr "Sprachinformation unterdrücken" + +#: ../../mod/admin.php:682 +msgid "Suppress language information in meta information about a posting." +msgstr "Verhindert das Erzeugen der Meta-Information zur Spracherkennung eines Beitrags." + +#: ../../mod/admin.php:683 +msgid "Suppress Tags" +msgstr "Tags Unterdrücken" + +#: ../../mod/admin.php:683 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "Unterdrückt die Anzeige von Tags am Ende eines Beitrags." + +#: ../../mod/admin.php:684 +msgid "Path to item cache" +msgstr "Pfad zum Eintrag Cache" + +#: ../../mod/admin.php:685 +msgid "Cache duration in seconds" +msgstr "Cache-Dauer in Sekunden" + +#: ../../mod/admin.php:685 +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 "Wie lange sollen die gecachedten Dateien vorgehalten werden? Grundeinstellung sind 86400 Sekunden (ein Tag). Um den Item Cache zu deaktivieren, setze diesen Wert auf -1." + +#: ../../mod/admin.php:686 +msgid "Maximum numbers of comments per post" +msgstr "Maximale Anzahl von Kommentaren pro Beitrag" + +#: ../../mod/admin.php:686 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Wie viele Kommentare sollen pro Beitrag angezeigt werden? Standardwert sind 100." + +#: ../../mod/admin.php:687 +msgid "Path for lock file" +msgstr "Pfad für die Sperrdatei" + +#: ../../mod/admin.php:688 +msgid "Temp path" +msgstr "Temp Pfad" + +#: ../../mod/admin.php:689 +msgid "Base path to installation" +msgstr "Basis-Pfad zur Installation" + +#: ../../mod/admin.php:690 +msgid "Disable picture proxy" +msgstr "Bilder Proxy deaktivieren" + +#: ../../mod/admin.php:690 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "Der Proxy für Bilder verbessert die Leitung und Privatsphäre der Nutzer. Er sollte nicht auf Systemen verwendet werden, die nur über begrenzte Bandbreite verfügen." + +#: ../../mod/admin.php:691 +msgid "Enable old style pager" +msgstr "Den Old-Style Pager aktiviren" + +#: ../../mod/admin.php:691 +msgid "" +"The old style pager has page numbers but slows down massively the page " +"speed." +msgstr "Der Old-Style Pager zeigt Seitennummern an, verlangsamt aber auch drastisch das Laden einer Seite." + +#: ../../mod/admin.php:692 +msgid "Only search in tags" +msgstr "Nur in Tags suchen" + +#: ../../mod/admin.php:692 +msgid "On large systems the text search can slow down the system extremely." +msgstr "Auf großen Knoten kann die Volltext-Suche das System ausbremsen." + +#: ../../mod/admin.php:694 +msgid "New base url" +msgstr "Neue Basis-URL" + +#: ../../mod/admin.php:711 +msgid "Update has been marked successful" +msgstr "Update wurde als erfolgreich markiert" + +#: ../../mod/admin.php:719 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "Das Update %s der Struktur der Datenbank wurde erfolgreich angewandt." + +#: ../../mod/admin.php:722 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "Das Update %s der Struktur der Datenbank schlug mit folgender Fehlermeldung fehl: %s" + +#: ../../mod/admin.php:734 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "Die Ausführung von %s schlug fehl. Fehlermeldung: %s" + +#: ../../mod/admin.php:737 +#, php-format +msgid "Update %s was successfully applied." +msgstr "Update %s war erfolgreich." + +#: ../../mod/admin.php:741 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "Update %s hat keinen Status zurückgegeben. Unbekannter Status." + +#: ../../mod/admin.php:743 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "Es gab keine weitere Update-Funktion, die von %s ausgeführt werden musste." + +#: ../../mod/admin.php:762 +msgid "No failed updates." +msgstr "Keine fehlgeschlagenen Updates." + +#: ../../mod/admin.php:763 +msgid "Check database structure" +msgstr "Datenbank Struktur überprüfen" + +#: ../../mod/admin.php:768 +msgid "Failed Updates" +msgstr "Fehlgeschlagene Updates" + +#: ../../mod/admin.php:769 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Ohne Updates vor 1139, da diese keinen Status zurückgegeben haben." + +#: ../../mod/admin.php:770 +msgid "Mark success (if update was manually applied)" +msgstr "Als erfolgreich markieren (falls das Update manuell installiert wurde)" + +#: ../../mod/admin.php:771 +msgid "Attempt to execute this update step automatically" +msgstr "Versuchen, diesen Schritt automatisch auszuführen" + +#: ../../mod/admin.php:803 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\nHallo %1$s,\n\nauf %2$s wurde ein Account für dich angelegt." + +#: ../../mod/admin.php:806 +#, php-format +msgid "" +"\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." +msgstr "\nDie Anmelde-Details sind die folgenden:\n\tAdresse der Seite:\t%1$s\n\tBenutzernamename:\t%2$s\n\tPasswort:\t%3$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich\nangemeldet hast.\n\nBitte nimm dir ein paar Minuten um die anderen Einstellungen auf dieser\nSeite zu kontrollieren.\n\nEventuell magst du ja auch einige Informationen über dich in deinem\nProfil veröffentlichen, damit andere Leute dich einfacher finden können.\nBearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).\n\nWir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir\npassendes Profilbild zu wählen, damit dich alte Bekannte wieder finden.\nAußerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter\nangibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.\n\nWir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.\nWenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie\nallerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDanke für deine Aufmerksamkeit und willkommen auf %4$s." + +#: ../../mod/admin.php:838 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "Details der Registration von %s" + +#: ../../mod/admin.php:850 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s Benutzer geblockt/freigegeben" +msgstr[1] "%s Benutzer geblockt/freigegeben" + +#: ../../mod/admin.php:857 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s Nutzer gelöscht" +msgstr[1] "%s Nutzer gelöscht" + +#: ../../mod/admin.php:896 +#, php-format +msgid "User '%s' deleted" +msgstr "Nutzer '%s' gelöscht" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' unblocked" +msgstr "Nutzer '%s' entsperrt" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' blocked" +msgstr "Nutzer '%s' gesperrt" + +#: ../../mod/admin.php:999 +msgid "Add User" +msgstr "Nutzer hinzufügen" + +#: ../../mod/admin.php:1000 +msgid "select all" +msgstr "Alle auswählen" + +#: ../../mod/admin.php:1001 +msgid "User registrations waiting for confirm" +msgstr "Neuanmeldungen, die auf deine Bestätigung warten" + +#: ../../mod/admin.php:1002 +msgid "User waiting for permanent deletion" +msgstr "Nutzer wartet auf permanente Löschung" + +#: ../../mod/admin.php:1003 +msgid "Request date" +msgstr "Anfragedatum" + +#: ../../mod/admin.php:1003 ../../mod/admin.php:1015 ../../mod/admin.php:1016 +#: ../../mod/admin.php:1031 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "E-Mail" + +#: ../../mod/admin.php:1004 +msgid "No registrations." +msgstr "Keine Neuanmeldungen." + +#: ../../mod/admin.php:1006 +msgid "Deny" +msgstr "Verwehren" + +#: ../../mod/admin.php:1010 +msgid "Site admin" +msgstr "Seitenadministrator" + +#: ../../mod/admin.php:1011 +msgid "Account expired" +msgstr "Account ist abgelaufen" + +#: ../../mod/admin.php:1014 +msgid "New User" +msgstr "Neuer Nutzer" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Register date" +msgstr "Anmeldedatum" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last login" +msgstr "Letzte Anmeldung" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last item" +msgstr "Letzter Beitrag" + +#: ../../mod/admin.php:1015 +msgid "Deleted since" +msgstr "Gelöscht seit" + +#: ../../mod/admin.php:1016 ../../mod/settings.php:36 +msgid "Account" +msgstr "Nutzerkonto" + +#: ../../mod/admin.php:1018 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Die markierten Nutzer werden gelöscht!\\n\\nAlle Beiträge, die diese Nutzer auf dieser Seite veröffentlicht haben, werden permanent gelöscht!\\n\\nBist du sicher?" + +#: ../../mod/admin.php:1019 +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 "Der Nutzer {0} wird gelöscht!\\n\\nAlles was dieser Nutzer auf dieser Seite veröffentlicht hat, wird permanent gelöscht!\\n\\nBist du sicher?" + +#: ../../mod/admin.php:1029 +msgid "Name of the new user." +msgstr "Name des neuen Nutzers" + +#: ../../mod/admin.php:1030 +msgid "Nickname" +msgstr "Spitzname" + +#: ../../mod/admin.php:1030 +msgid "Nickname of the new user." +msgstr "Spitznamen für den neuen Nutzer" + +#: ../../mod/admin.php:1031 +msgid "Email address of the new user." +msgstr "Email Adresse des neuen Nutzers" + +#: ../../mod/admin.php:1064 +#, php-format +msgid "Plugin %s disabled." +msgstr "Plugin %s deaktiviert." + +#: ../../mod/admin.php:1068 +#, php-format +msgid "Plugin %s enabled." +msgstr "Plugin %s aktiviert." + +#: ../../mod/admin.php:1078 ../../mod/admin.php:1294 +msgid "Disable" +msgstr "Ausschalten" + +#: ../../mod/admin.php:1080 ../../mod/admin.php:1296 +msgid "Enable" +msgstr "Einschalten" + +#: ../../mod/admin.php:1103 ../../mod/admin.php:1324 +msgid "Toggle" +msgstr "Umschalten" + +#: ../../mod/admin.php:1111 ../../mod/admin.php:1334 +msgid "Author: " +msgstr "Autor:" + +#: ../../mod/admin.php:1112 ../../mod/admin.php:1335 +msgid "Maintainer: " +msgstr "Betreuer:" + +#: ../../mod/admin.php:1254 +msgid "No themes found." +msgstr "Keine Themen gefunden." + +#: ../../mod/admin.php:1316 +msgid "Screenshot" +msgstr "Bildschirmfoto" + +#: ../../mod/admin.php:1362 +msgid "[Experimental]" +msgstr "[Experimentell]" + +#: ../../mod/admin.php:1363 +msgid "[Unsupported]" +msgstr "[Nicht unterstützt]" + +#: ../../mod/admin.php:1390 +msgid "Log settings updated." +msgstr "Protokolleinstellungen aktualisiert." + +#: ../../mod/admin.php:1446 +msgid "Clear" +msgstr "löschen" + +#: ../../mod/admin.php:1452 +msgid "Enable Debugging" +msgstr "Protokoll führen" + +#: ../../mod/admin.php:1453 +msgid "Log file" +msgstr "Protokolldatei" + +#: ../../mod/admin.php:1453 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Webserver muss Schreibrechte besitzen. Abhängig vom Friendica-Installationsverzeichnis." + +#: ../../mod/admin.php:1454 +msgid "Log level" +msgstr "Protokoll-Level" + +#: ../../mod/admin.php:1504 +msgid "Close" +msgstr "Schließen" + +#: ../../mod/admin.php:1510 +msgid "FTP Host" +msgstr "FTP Host" + +#: ../../mod/admin.php:1511 +msgid "FTP Path" +msgstr "FTP Pfad" + +#: ../../mod/admin.php:1512 +msgid "FTP User" +msgstr "FTP Nutzername" + +#: ../../mod/admin.php:1513 +msgid "FTP Password" +msgstr "FTP Passwort" #: ../../mod/network.php:142 msgid "Search Results For:" msgstr "Suchergebnisse für:" -#: ../../mod/network.php:185 ../../mod/_search.php:21 ../../mod/search.php:21 +#: ../../mod/network.php:185 ../../mod/search.php:21 msgid "Remove term" msgstr "Begriff entfernen" -#: ../../mod/network.php:194 ../../mod/_search.php:30 ../../mod/search.php:30 +#: ../../mod/network.php:194 ../../mod/search.php:30 #: ../../include/features.php:42 msgid "Saved Searches" msgstr "Gespeicherte Suchen" @@ -1672,10 +2917,6 @@ msgstr "Neueste Beiträge" msgid "Sort by Post Date" msgstr "Nach Beitragsdatum sortieren" -#: ../../mod/network.php:371 ../../mod/notifications.php:88 -msgid "Personal" -msgstr "Persönlich" - #: ../../mod/network.php:374 msgid "Posts that mention or involve you" msgstr "Beiträge, in denen es um dich geht" @@ -1740,6 +2981,278 @@ msgstr "Private Nachrichten an diese Person könnten an die Öffentlichkeit gela msgid "Invalid contact." msgstr "Ungültiger Kontakt." +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Freunde von %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Keine Freunde zum Anzeigen." + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l, F j" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Veranstaltung bearbeiten" + +#: ../../mod/events.php:335 ../../include/text.php:1647 +#: ../../include/text.php:1657 +msgid "link to source" +msgstr "Link zum Originalbeitrag" + +#: ../../mod/events.php:370 ../../boot.php:2143 ../../include/nav.php:80 +#: ../../view/theme/diabook/theme.php:127 +msgid "Events" +msgstr "Veranstaltungen" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Neue Veranstaltung erstellen" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Vorherige" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Nächste" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "Stunde:Minute" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Veranstaltungsdetails" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Das Format ist %s %s. Beginnzeitpunkt und Titel werden benötigt." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "Veranstaltungsbeginn:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Benötigt" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "Enddatum/-zeit ist nicht bekannt oder nicht relevant" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "Veranstaltungsende:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "An Zeitzone des Betrachters anpassen" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Beschreibung" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1648 +#: ../../include/bb2diaspora.php:170 ../../include/event.php:40 +msgid "Location:" +msgstr "Ort:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Titel:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Veranstaltung teilen" + +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../mod/photos.php:1653 ../../object/Item.php:129 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "Auswählen" + +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Das Profil von %s auf %s betrachten." + +#: ../../mod/content.php:481 ../../mod/content.php:864 +#: ../../object/Item.php:340 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s von %s" + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "Im Zusammenhang betrachten" + +#: ../../mod/content.php:603 ../../object/Item.php:387 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d Kommentar" +msgstr[1] "%d Kommentare" + +#: ../../mod/content.php:605 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../include/text.php:1972 +msgid "comment" +msgid_plural "comments" +msgstr[0] "Kommentar" +msgstr[1] "Kommentare" + +#: ../../mod/content.php:606 ../../boot.php:751 ../../object/Item.php:390 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "mehr anzeigen" + +#: ../../mod/content.php:620 ../../mod/photos.php:1359 +#: ../../object/Item.php:116 +msgid "Private Message" +msgstr "Private Nachricht" + +#: ../../mod/content.php:684 ../../mod/photos.php:1542 +#: ../../object/Item.php:231 +msgid "I like this (toggle)" +msgstr "Ich mag das (toggle)" + +#: ../../mod/content.php:684 ../../object/Item.php:231 +msgid "like" +msgstr "mag ich" + +#: ../../mod/content.php:685 ../../mod/photos.php:1543 +#: ../../object/Item.php:232 +msgid "I don't like this (toggle)" +msgstr "Ich mag das nicht (toggle)" + +#: ../../mod/content.php:685 ../../object/Item.php:232 +msgid "dislike" +msgstr "mag ich nicht" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "Share this" +msgstr "Weitersagen" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "share" +msgstr "Teilen" + +#: ../../mod/content.php:707 ../../mod/photos.php:1562 +#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 +#: ../../object/Item.php:675 +msgid "This is you" +msgstr "Das bist du" + +#: ../../mod/content.php:709 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 ../../boot.php:750 +#: ../../object/Item.php:361 ../../object/Item.php:677 +msgid "Comment" +msgstr "Kommentar" + +#: ../../mod/content.php:711 ../../object/Item.php:679 +msgid "Bold" +msgstr "Fett" + +#: ../../mod/content.php:712 ../../object/Item.php:680 +msgid "Italic" +msgstr "Kursiv" + +#: ../../mod/content.php:713 ../../object/Item.php:681 +msgid "Underline" +msgstr "Unterstrichen" + +#: ../../mod/content.php:714 ../../object/Item.php:682 +msgid "Quote" +msgstr "Zitat" + +#: ../../mod/content.php:715 ../../object/Item.php:683 +msgid "Code" +msgstr "Code" + +#: ../../mod/content.php:716 ../../object/Item.php:684 +msgid "Image" +msgstr "Bild" + +#: ../../mod/content.php:717 ../../object/Item.php:685 +msgid "Link" +msgstr "Link" + +#: ../../mod/content.php:718 ../../object/Item.php:686 +msgid "Video" +msgstr "Video" + +#: ../../mod/content.php:719 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1566 ../../mod/photos.php:1610 +#: ../../mod/photos.php:1698 ../../object/Item.php:687 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "Vorschau" + +#: ../../mod/content.php:728 ../../mod/settings.php:676 +#: ../../object/Item.php:120 +msgid "Edit" +msgstr "Bearbeiten" + +#: ../../mod/content.php:753 ../../object/Item.php:195 +msgid "add star" +msgstr "markieren" + +#: ../../mod/content.php:754 ../../object/Item.php:196 +msgid "remove star" +msgstr "Markierung entfernen" + +#: ../../mod/content.php:755 ../../object/Item.php:197 +msgid "toggle star status" +msgstr "Markierung umschalten" + +#: ../../mod/content.php:758 ../../object/Item.php:200 +msgid "starred" +msgstr "markiert" + +#: ../../mod/content.php:759 ../../object/Item.php:220 +msgid "add tag" +msgstr "Tag hinzufügen" + +#: ../../mod/content.php:763 ../../object/Item.php:133 +msgid "save to folder" +msgstr "In Ordner speichern" + +#: ../../mod/content.php:854 ../../object/Item.php:328 +msgid "to" +msgstr "zu" + +#: ../../mod/content.php:855 ../../object/Item.php:330 +msgid "Wall-to-Wall" +msgstr "Wall-to-Wall" + +#: ../../mod/content.php:856 ../../object/Item.php:331 +msgid "via Wall-To-Wall:" +msgstr "via Wall-To-Wall:" + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Konto löschen" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Dein Konto wird endgültig gelöscht. Es gibt keine Möglichkeit, es wiederherzustellen." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Bitte gib dein Passwort zur Verifikation ein:" + #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" msgstr "Friendica-Server für soziale Netzwerke – Setup" @@ -1771,10 +3284,6 @@ msgstr "Lies bitte die \"INSTALL.txt\"." msgid "System check" msgstr "Systemtest" -#: ../../mod/install.php:207 ../../mod/events.php:373 -msgid "Next" -msgstr "Nächste" - #: ../../mod/install.php:208 msgid "Check again" msgstr "Noch einmal testen" @@ -2035,1312 +3544,25 @@ msgid "" "poller." msgstr "WICHTIG: Du musst [manuell] einen Cronjob (o.ä.) für den Poller einrichten." -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "Themeneinstellungen aktualisiert." - -#: ../../mod/admin.php:104 ../../mod/admin.php:601 -msgid "Site" -msgstr "Seite" - -#: ../../mod/admin.php:105 ../../mod/admin.php:976 ../../mod/admin.php:991 -msgid "Users" -msgstr "Nutzer" - -#: ../../mod/admin.php:106 ../../mod/admin.php:1080 ../../mod/admin.php:1133 -#: ../../mod/settings.php:57 -msgid "Plugins" -msgstr "Plugins" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1301 ../../mod/admin.php:1335 -msgid "Themes" -msgstr "Themen" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "DB Updates" - -#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1422 -msgid "Logs" -msgstr "Protokolle" - -#: ../../mod/admin.php:124 -msgid "probe address" -msgstr "Adresse untersuchen" - -#: ../../mod/admin.php:125 -msgid "check webfinger" -msgstr "Webfinger überprüfen" - -#: ../../mod/admin.php:130 ../../include/nav.php:182 -msgid "Admin" -msgstr "Administration" - -#: ../../mod/admin.php:131 -msgid "Plugin Features" -msgstr "Plugin Features" - -#: ../../mod/admin.php:133 -msgid "diagnostics" -msgstr "Diagnose" - -#: ../../mod/admin.php:134 -msgid "User registrations waiting for confirmation" -msgstr "Nutzeranmeldungen die auf Bestätigung warten" - -#: ../../mod/admin.php:193 ../../mod/admin.php:930 -msgid "Normal Account" -msgstr "Normales Konto" - -#: ../../mod/admin.php:194 ../../mod/admin.php:931 -msgid "Soapbox Account" -msgstr "Marktschreier-Konto" - -#: ../../mod/admin.php:195 ../../mod/admin.php:932 -msgid "Community/Celebrity Account" -msgstr "Forum/Promi-Konto" - -#: ../../mod/admin.php:196 ../../mod/admin.php:933 -msgid "Automatic Friend Account" -msgstr "Automatisches Freundekonto" - -#: ../../mod/admin.php:197 -msgid "Blog Account" -msgstr "Blog-Konto" - -#: ../../mod/admin.php:198 -msgid "Private Forum" -msgstr "Privates Forum" - -#: ../../mod/admin.php:217 -msgid "Message queues" -msgstr "Nachrichten-Warteschlangen" - -#: ../../mod/admin.php:222 ../../mod/admin.php:600 ../../mod/admin.php:975 -#: ../../mod/admin.php:1079 ../../mod/admin.php:1132 ../../mod/admin.php:1300 -#: ../../mod/admin.php:1334 ../../mod/admin.php:1421 -msgid "Administration" -msgstr "Administration" - -#: ../../mod/admin.php:223 -msgid "Summary" -msgstr "Zusammenfassung" - -#: ../../mod/admin.php:225 -msgid "Registered users" -msgstr "Registrierte Nutzer" - -#: ../../mod/admin.php:227 -msgid "Pending registrations" -msgstr "Anstehende Anmeldungen" - -#: ../../mod/admin.php:228 -msgid "Version" -msgstr "Version" - -#: ../../mod/admin.php:232 -msgid "Active plugins" -msgstr "Aktive Plugins" - -#: ../../mod/admin.php:255 -msgid "Can not parse base url. Must have at least ://" -msgstr "Die Basis-URL konnte nicht analysiert werden. Sie muss mindestens aus :// bestehen" - -#: ../../mod/admin.php:505 -msgid "Site settings updated." -msgstr "Seiteneinstellungen aktualisiert." - -#: ../../mod/admin.php:534 ../../mod/settings.php:828 -msgid "No special theme for mobile devices" -msgstr "Kein spezielles Theme für mobile Geräte verwenden." - -#: ../../mod/admin.php:551 ../../mod/contacts.php:419 -msgid "Never" -msgstr "Niemals" - -#: ../../mod/admin.php:552 -msgid "At post arrival" -msgstr "Beim Empfang von Nachrichten" - -#: ../../mod/admin.php:553 ../../include/contact_selectors.php:56 -msgid "Frequently" -msgstr "immer wieder" - -#: ../../mod/admin.php:554 ../../include/contact_selectors.php:57 -msgid "Hourly" -msgstr "Stündlich" - -#: ../../mod/admin.php:555 ../../include/contact_selectors.php:58 -msgid "Twice daily" -msgstr "Zweimal täglich" - -#: ../../mod/admin.php:556 ../../include/contact_selectors.php:59 -msgid "Daily" -msgstr "Täglich" - -#: ../../mod/admin.php:561 -msgid "Multi user instance" -msgstr "Mehrbenutzer Instanz" - -#: ../../mod/admin.php:584 -msgid "Closed" -msgstr "Geschlossen" - -#: ../../mod/admin.php:585 -msgid "Requires approval" -msgstr "Bedarf der Zustimmung" - -#: ../../mod/admin.php:586 -msgid "Open" -msgstr "Offen" - -#: ../../mod/admin.php:590 -msgid "No SSL policy, links will track page SSL state" -msgstr "Keine SSL Richtlinie, Links werden das verwendete Protokoll beibehalten" - -#: ../../mod/admin.php:591 -msgid "Force all links to use SSL" -msgstr "SSL für alle Links erzwingen" - -#: ../../mod/admin.php:592 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Selbst-unterzeichnetes Zertifikat, SSL nur für lokale Links verwenden (nicht empfohlen)" - -#: ../../mod/admin.php:602 ../../mod/admin.php:1134 ../../mod/admin.php:1336 -#: ../../mod/admin.php:1423 ../../mod/settings.php:614 -#: ../../mod/settings.php:724 ../../mod/settings.php:798 -#: ../../mod/settings.php:880 ../../mod/settings.php:1113 -msgid "Save Settings" -msgstr "Einstellungen speichern" - -#: ../../mod/admin.php:604 -msgid "File upload" -msgstr "Datei hochladen" - -#: ../../mod/admin.php:605 -msgid "Policies" -msgstr "Regeln" - -#: ../../mod/admin.php:606 -msgid "Advanced" -msgstr "Erweitert" - -#: ../../mod/admin.php:607 -msgid "Performance" -msgstr "Performance" - -#: ../../mod/admin.php:608 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "Umsiedeln - WARNUNG: Könnte diesen Server unerreichbar machen." - -#: ../../mod/admin.php:611 -msgid "Site name" -msgstr "Seitenname" - -#: ../../mod/admin.php:612 -msgid "Host name" -msgstr "Host Name" - -#: ../../mod/admin.php:613 -msgid "Sender Email" -msgstr "Absender für Emails" - -#: ../../mod/admin.php:614 -msgid "Banner/Logo" -msgstr "Banner/Logo" - -#: ../../mod/admin.php:615 -msgid "Additional Info" -msgstr "Zusätzliche Informationen" - -#: ../../mod/admin.php:615 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "Für öffentliche Server kannst du hier zusätzliche Informationen angeben, die dann auf dir.friendica.com/siteinfo angezeigt werden." - -#: ../../mod/admin.php:616 -msgid "System language" -msgstr "Systemsprache" - -#: ../../mod/admin.php:617 -msgid "System theme" -msgstr "Systemweites Theme" - -#: ../../mod/admin.php:617 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Vorgabe für das System-Theme - kann von Benutzerprofilen überschrieben werden - Theme-Einstellungen ändern" - -#: ../../mod/admin.php:618 -msgid "Mobile system theme" -msgstr "Systemweites mobiles Theme" - -#: ../../mod/admin.php:618 -msgid "Theme for mobile devices" -msgstr "Thema für mobile Geräte" - -#: ../../mod/admin.php:619 -msgid "SSL link policy" -msgstr "Regeln für SSL Links" - -#: ../../mod/admin.php:619 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Bestimmt, ob generierte Links SSL verwenden müssen" - -#: ../../mod/admin.php:620 -msgid "Force SSL" -msgstr "Erzwinge SSL" - -#: ../../mod/admin.php:620 -msgid "" -"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" -" to endless loops." -msgstr "Erzinge alle Nicht-SSL Anfragen auf SSL - Achtung: auf manchen Systemen verursacht dies eine Endlosschleife." - -#: ../../mod/admin.php:621 -msgid "Old style 'Share'" -msgstr "Altes \"Teilen\" Element" - -#: ../../mod/admin.php:621 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "Deaktiviert das BBCode Element \"share\" beim Wiederholen von Beiträgen." - -#: ../../mod/admin.php:622 -msgid "Hide help entry from navigation menu" -msgstr "Verberge den Menüeintrag für die Hilfe im Navigationsmenü" - -#: ../../mod/admin.php:622 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Verbirgt den Menüeintrag für die Hilfe-Seiten im Navigationsmenü. Die Seiten können weiterhin über /help aufgerufen werden." - -#: ../../mod/admin.php:623 -msgid "Single user instance" -msgstr "Ein-Nutzer Instanz" - -#: ../../mod/admin.php:623 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Regelt ob es sich bei dieser Instanz um eine ein Personen Installation oder eine Installation mit mehr als einem Nutzer handelt." - -#: ../../mod/admin.php:624 -msgid "Maximum image size" -msgstr "Maximale Bildgröße" - -#: ../../mod/admin.php:624 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Maximale Uploadgröße von Bildern in Bytes. Standard ist 0, d.h. ohne Limit." - -#: ../../mod/admin.php:625 -msgid "Maximum image length" -msgstr "Maximale Bildlänge" - -#: ../../mod/admin.php:625 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Maximale Länge in Pixeln der längsten Seite eines hoch geladenen Bildes. Grundeinstellung ist -1 was keine Einschränkung bedeutet." - -#: ../../mod/admin.php:626 -msgid "JPEG image quality" -msgstr "Qualität des JPEG Bildes" - -#: ../../mod/admin.php:626 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Hoch geladene JPEG Bilder werden mit dieser Qualität [0-100] gespeichert. Grundeinstellung ist 100, kein Qualitätsverlust." - -#: ../../mod/admin.php:628 -msgid "Register policy" -msgstr "Registrierungsmethode" - -#: ../../mod/admin.php:629 -msgid "Maximum Daily Registrations" -msgstr "Maximum täglicher Registrierungen" - -#: ../../mod/admin.php:629 -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 "Wenn die Registrierung weiter oben erlaubt ist, regelt dies die maximale Anzahl von Neuanmeldungen pro Tag. Wenn die Registrierung geschlossen ist, hat diese Einstellung keinen Effekt." - -#: ../../mod/admin.php:630 -msgid "Register text" -msgstr "Registrierungstext" - -#: ../../mod/admin.php:630 -msgid "Will be displayed prominently on the registration page." -msgstr "Wird gut sichtbar auf der Registrierungsseite angezeigt." - -#: ../../mod/admin.php:631 -msgid "Accounts abandoned after x days" -msgstr "Nutzerkonten gelten nach x Tagen als unbenutzt" - -#: ../../mod/admin.php:631 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Verschwende keine System-Ressourcen auf das Pollen externer Seiten, wenn Konten nicht mehr benutzt werden. 0 eingeben für kein Limit." - -#: ../../mod/admin.php:632 -msgid "Allowed friend domains" -msgstr "Erlaubte Domains für Kontakte" - -#: ../../mod/admin.php:632 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Liste der Domains, die für Freundschaften erlaubt sind, durch Kommas getrennt. Platzhalter werden akzeptiert. Leer lassen, um alle Domains zu erlauben." - -#: ../../mod/admin.php:633 -msgid "Allowed email domains" -msgstr "Erlaubte Domains für E-Mails" - -#: ../../mod/admin.php:633 -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 "Liste der Domains, die für E-Mail-Adressen bei der Registrierung erlaubt sind, durch Kommas getrennt. Platzhalter werden akzeptiert. Leer lassen, um alle Domains zu erlauben." - -#: ../../mod/admin.php:634 -msgid "Block public" -msgstr "Öffentlichen Zugriff blockieren" - -#: ../../mod/admin.php:634 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Klicken, um öffentlichen Zugriff auf sonst öffentliche Profile zu blockieren, wenn man nicht eingeloggt ist." - -#: ../../mod/admin.php:635 -msgid "Force publish" -msgstr "Erzwinge Veröffentlichung" - -#: ../../mod/admin.php:635 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Klicken, um Anzeige aller Profile dieses Servers im Verzeichnis zu erzwingen." - -#: ../../mod/admin.php:636 -msgid "Global directory update URL" -msgstr "URL für Updates beim weltweiten Verzeichnis" - -#: ../../mod/admin.php:636 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL für Update des globalen Verzeichnisses. Wenn nichts eingetragen ist, bleibt das globale Verzeichnis unerreichbar." - -#: ../../mod/admin.php:637 -msgid "Allow threaded items" -msgstr "Erlaube Threads in Diskussionen" - -#: ../../mod/admin.php:637 -msgid "Allow infinite level threading for items on this site." -msgstr "Erlaube ein unendliches Level für Threads auf dieser Seite." - -#: ../../mod/admin.php:638 -msgid "Private posts by default for new users" -msgstr "Private Beiträge als Standard für neue Nutzer" - -#: ../../mod/admin.php:638 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Die Standard-Zugriffsrechte für neue Nutzer werden so gesetzt, dass als Voreinstellung in die private Gruppe gepostet wird anstelle von öffentlichen Beiträgen." - -#: ../../mod/admin.php:639 -msgid "Don't include post content in email notifications" -msgstr "Inhalte von Beiträgen nicht in E-Mail-Benachrichtigungen versenden" - -#: ../../mod/admin.php:639 -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 "Inhalte von Beiträgen/Kommentaren/privaten Nachrichten/usw., zum Datenschutz nicht in E-Mail-Benachrichtigungen einbinden." - -#: ../../mod/admin.php:640 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Öffentlichen Zugriff auf Addons im Apps Menü verbieten." - -#: ../../mod/admin.php:640 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Wenn ausgewählt werden die im Apps Menü aufgeführten Addons nur angemeldeten Nutzern der Seite zur Verfügung gestellt." - -#: ../../mod/admin.php:641 -msgid "Don't embed private images in posts" -msgstr "Private Bilder nicht in Beiträgen einbetten." - -#: ../../mod/admin.php:641 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "Ersetze lokal gehostete private Fotos in Beiträgen nicht mit einer eingebetteten Kopie des Bildes. Dies bedeutet, dass Kontakte, die Beiträge mit privaten Fotos erhalten sich zunächst auf den jeweiligen Servern authentifizieren müssen bevor die Bilder geladen und angezeigt werden, was eine gewisse Zeit dauert." - -#: ../../mod/admin.php:642 -msgid "Allow Users to set remote_self" -msgstr "Nutzern erlauben das remote_self Flag zu setzen" - -#: ../../mod/admin.php:642 -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 "Ist dies ausgewählt kann jeder Nutzer jeden seiner Kontakte als remote_self (entferntes Konto) im Kontakt reparieren Dialog markieren. Nach dem setzten dieses Flags werden alle Top-Level Beiträge dieser Kontakte automatisch in den Stream dieses Nutzers gepostet." - -#: ../../mod/admin.php:643 -msgid "Block multiple registrations" -msgstr "Unterbinde Mehrfachregistrierung" - -#: ../../mod/admin.php:643 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Benutzern nicht erlauben, weitere Konten als zusätzliche Profile anzulegen." - -#: ../../mod/admin.php:644 -msgid "OpenID support" -msgstr "OpenID Unterstützung" - -#: ../../mod/admin.php:644 -msgid "OpenID support for registration and logins." -msgstr "OpenID-Unterstützung für Registrierung und Login." - -#: ../../mod/admin.php:645 -msgid "Fullname check" -msgstr "Namen auf Vollständigkeit überprüfen" - -#: ../../mod/admin.php:645 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Leerzeichen zwischen Vor- und Nachname im vollständigen Namen erzwingen, um SPAM zu vermeiden." - -#: ../../mod/admin.php:646 -msgid "UTF-8 Regular expressions" -msgstr "UTF-8 Reguläre Ausdrücke" - -#: ../../mod/admin.php:646 -msgid "Use PHP UTF8 regular expressions" -msgstr "PHP UTF8 Ausdrücke verwenden" - -#: ../../mod/admin.php:647 -msgid "Show Community Page" -msgstr "Gemeinschaftsseite anzeigen" - -#: ../../mod/admin.php:647 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Zeige die Gemeinschaftsseite mit allen öffentlichen Beiträgen auf diesem Server." - -#: ../../mod/admin.php:648 -msgid "Enable OStatus support" -msgstr "OStatus Unterstützung aktivieren" - -#: ../../mod/admin.php:648 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "Biete die eingebaute OStatus (iStatusNet, GNU Social, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, Privatsphäre Warnungen werden nur bei Bedarf angezeigt." - -#: ../../mod/admin.php:649 -msgid "OStatus conversation completion interval" -msgstr "Intervall zum Vervollständigen von OStatus Unterhaltungen" - -#: ../../mod/admin.php:649 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "Wie oft soll der Poller checken ob es neue Nachrichten in OStatus Unterhaltungen gibt die geladen werden müssen. Je nach Anzahl der OStatus Kontakte könnte dies ein sehr Ressourcen lastiger Job sein." - -#: ../../mod/admin.php:650 -msgid "Enable Diaspora support" -msgstr "Diaspora-Support aktivieren" - -#: ../../mod/admin.php:650 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Verwende die eingebaute Diaspora-Verknüpfung." - -#: ../../mod/admin.php:651 -msgid "Only allow Friendica contacts" -msgstr "Nur Friendica-Kontakte erlauben" - -#: ../../mod/admin.php:651 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Alle Kontakte müssen das Friendica Protokoll nutzen. Alle anderen Kommunikationsprotokolle werden deaktiviert." - -#: ../../mod/admin.php:652 -msgid "Verify SSL" -msgstr "SSL Überprüfen" - -#: ../../mod/admin.php:652 -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 "Wenn gewollt, kann man hier eine strenge Zertifikatkontrolle einstellen. Das bedeutet, dass man zu keinen Seiten mit selbst unterzeichnetem SSL eine Verbindung herstellen kann." - -#: ../../mod/admin.php:653 -msgid "Proxy user" -msgstr "Proxy Nutzer" - -#: ../../mod/admin.php:654 -msgid "Proxy URL" -msgstr "Proxy URL" - -#: ../../mod/admin.php:655 -msgid "Network timeout" -msgstr "Netzwerk Wartezeit" - -#: ../../mod/admin.php:655 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Der Wert ist in Sekunden. Setze 0 für unbegrenzt (nicht empfohlen)." - -#: ../../mod/admin.php:656 -msgid "Delivery interval" -msgstr "Zustellungsintervall" - -#: ../../mod/admin.php:656 -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 "Verzögere im Hintergrund laufende Auslieferungsprozesse um die angegebene Anzahl an Sekunden, um die Systemlast zu verringern. Empfehlungen: 4-5 für Shared-Hosts, 2-3 für VPS, 0-1 für große dedizierte Server." - -#: ../../mod/admin.php:657 -msgid "Poll interval" -msgstr "Abfrageintervall" - -#: ../../mod/admin.php:657 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Verzögere Hintergrundprozesse, um diese Anzahl an Sekunden um die Systemlast zu reduzieren. Bei 0 Sekunden wird das Auslieferungsintervall verwendet." - -#: ../../mod/admin.php:658 -msgid "Maximum Load Average" -msgstr "Maximum Load Average" - -#: ../../mod/admin.php:658 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Maximale Systemlast bevor Verteil- und Empfangsprozesse verschoben werden - Standard 50" - -#: ../../mod/admin.php:660 -msgid "Use MySQL full text engine" -msgstr "Nutze MySQL full text engine" - -#: ../../mod/admin.php:660 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Aktiviert die 'full text engine'. Beschleunigt die Suche - aber es kann nur nach vier oder mehr Zeichen gesucht werden." - -#: ../../mod/admin.php:661 -msgid "Suppress Language" -msgstr "Sprachinformation unterdrücken" - -#: ../../mod/admin.php:661 -msgid "Suppress language information in meta information about a posting." -msgstr "Verhindert das Erzeugen der Meta-Information zur Spracherkennung eines Beitrags." - -#: ../../mod/admin.php:662 -msgid "Path to item cache" -msgstr "Pfad zum Eintrag Cache" - -#: ../../mod/admin.php:663 -msgid "Cache duration in seconds" -msgstr "Cache-Dauer in Sekunden" - -#: ../../mod/admin.php:663 -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 "Wie lange sollen die gecachedten Dateien vorgehalten werden? Grundeinstellung sind 86400 Sekunden (ein Tag). Um den Item Cache zu deaktivieren, setze diesen Wert auf -1." - -#: ../../mod/admin.php:664 -msgid "Maximum numbers of comments per post" -msgstr "Maximale Anzahl von Kommentaren pro Beitrag" - -#: ../../mod/admin.php:664 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "Wie viele Kommentare sollen pro Beitrag angezeigt werden? Standardwert sind 100." - -#: ../../mod/admin.php:665 -msgid "Path for lock file" -msgstr "Pfad für die Sperrdatei" - -#: ../../mod/admin.php:666 -msgid "Temp path" -msgstr "Temp Pfad" - -#: ../../mod/admin.php:667 -msgid "Base path to installation" -msgstr "Basis-Pfad zur Installation" - -#: ../../mod/admin.php:668 -msgid "Disable picture proxy" -msgstr "Bilder Proxy deaktivieren" - -#: ../../mod/admin.php:668 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "Der Proxy für Bilder verbessert die Leitung und Privatsphäre der Nutzer. Er sollte nicht auf Systemen verwendet werden, die nur über begrenzte Bandbreite verfügen." - -#: ../../mod/admin.php:670 -msgid "New base url" -msgstr "Neue Basis-URL" - -#: ../../mod/admin.php:672 -msgid "Disable noscrape" -msgstr "Noscrape deaktivieren" - -#: ../../mod/admin.php:672 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping. Disabling it will cause higher load on your server" -" and the directory server." -msgstr "Das noscrape Feature beschleunigt Verzeichnis einsendungen indem JSON Daten gesendet werden anstelle vom analysieren der HTML Struktur. Wird es deaktiviert, wird mehr Last auf deinem Server und den Verzichnis Servern verursacht." - -#: ../../mod/admin.php:689 -msgid "Update has been marked successful" -msgstr "Update wurde als erfolgreich markiert" - -#: ../../mod/admin.php:697 +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 #, php-format -msgid "Database structure update %s was successfully applied." -msgstr "Das Update %s der Struktur der Datenbank wurde erfolgreich angewandt." +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Maximale Anzahl der täglichen Pinnwand Nachrichten für %s ist überschritten. Zustellung fehlgeschlagen." -#: ../../mod/admin.php:700 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "Das Update %s der Struktur der Datenbank schlug mit folgender Fehlermeldung fehl: %s" +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "Konnte deinen Heimatort nicht bestimmen." -#: ../../mod/admin.php:712 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "Die Ausführung von %s schlug fehl. Fehlermeldung: %s" +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Kein Empfänger." -#: ../../mod/admin.php:715 -#, php-format -msgid "Update %s was successfully applied." -msgstr "Update %s war erfolgreich." - -#: ../../mod/admin.php:719 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "Update %s hat keinen Status zurückgegeben. Unbekannter Status." - -#: ../../mod/admin.php:721 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "Es gab keine weitere Update-Funktion, die von %s ausgeführt werden musste." - -#: ../../mod/admin.php:740 -msgid "No failed updates." -msgstr "Keine fehlgeschlagenen Updates." - -#: ../../mod/admin.php:741 -msgid "Check database structure" -msgstr "Datenbank Struktur überprüfen" - -#: ../../mod/admin.php:746 -msgid "Failed Updates" -msgstr "Fehlgeschlagene Updates" - -#: ../../mod/admin.php:747 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Ohne Updates vor 1139, da diese keinen Status zurückgegeben haben." - -#: ../../mod/admin.php:748 -msgid "Mark success (if update was manually applied)" -msgstr "Als erfolgreich markieren (falls das Update manuell installiert wurde)" - -#: ../../mod/admin.php:749 -msgid "Attempt to execute this update step automatically" -msgstr "Versuchen, diesen Schritt automatisch auszuführen" - -#: ../../mod/admin.php:781 +#: ../../mod/wallmessage.php:143 #, php-format msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "\nHallo %1$s,\n\nauf %2$s wurde ein Account für dich angelegt." - -#: ../../mod/admin.php:784 -#, php-format -msgid "" -"\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." -msgstr "\nDie Anmelde-Details sind die folgenden:\n\tAdresse der Seite:\t%1$s\n\tBenutzernamename:\t%2$s\n\tPasswort:\t%3$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich\nangemeldet hast.\n\nBitte nimm dir ein paar Minuten um die anderen Einstellungen auf dieser\nSeite zu kontrollieren.\n\nEventuell magst du ja auch einige Informationen über dich in deinem\nProfil veröffentlichen, damit andere Leute dich einfacher finden können.\nBearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).\n\nWir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir\npassendes Profilbild zu wählen, damit dich alte Bekannte wieder finden.\nAußerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter\nangibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.\n\nWir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.\nWenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie\nallerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDanke für deine Aufmerksamkeit und willkommen auf %4$s." - -#: ../../mod/admin.php:816 ../../include/user.php:413 -#, php-format -msgid "Registration details for %s" -msgstr "Details der Registration von %s" - -#: ../../mod/admin.php:828 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s Benutzer geblockt/freigegeben" -msgstr[1] "%s Benutzer geblockt/freigegeben" - -#: ../../mod/admin.php:835 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s Nutzer gelöscht" -msgstr[1] "%s Nutzer gelöscht" - -#: ../../mod/admin.php:874 -#, php-format -msgid "User '%s' deleted" -msgstr "Nutzer '%s' gelöscht" - -#: ../../mod/admin.php:882 -#, php-format -msgid "User '%s' unblocked" -msgstr "Nutzer '%s' entsperrt" - -#: ../../mod/admin.php:882 -#, php-format -msgid "User '%s' blocked" -msgstr "Nutzer '%s' gesperrt" - -#: ../../mod/admin.php:977 -msgid "Add User" -msgstr "Nutzer hinzufügen" - -#: ../../mod/admin.php:978 -msgid "select all" -msgstr "Alle auswählen" - -#: ../../mod/admin.php:979 -msgid "User registrations waiting for confirm" -msgstr "Neuanmeldungen, die auf deine Bestätigung warten" - -#: ../../mod/admin.php:980 -msgid "User waiting for permanent deletion" -msgstr "Nutzer wartet auf permanente Löschung" - -#: ../../mod/admin.php:981 -msgid "Request date" -msgstr "Anfragedatum" - -#: ../../mod/admin.php:981 ../../mod/admin.php:993 ../../mod/admin.php:994 -#: ../../mod/admin.php:1007 ../../mod/crepair.php:165 -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Name" -msgstr "Name" - -#: ../../mod/admin.php:981 ../../mod/admin.php:993 ../../mod/admin.php:994 -#: ../../mod/admin.php:1009 ../../include/contact_selectors.php:79 -#: ../../include/contact_selectors.php:86 -msgid "Email" -msgstr "E-Mail" - -#: ../../mod/admin.php:982 -msgid "No registrations." -msgstr "Keine Neuanmeldungen." - -#: ../../mod/admin.php:983 ../../mod/notifications.php:161 -#: ../../mod/notifications.php:208 -msgid "Approve" -msgstr "Genehmigen" - -#: ../../mod/admin.php:984 -msgid "Deny" -msgstr "Verwehren" - -#: ../../mod/admin.php:986 ../../mod/contacts.php:442 -#: ../../mod/contacts.php:501 ../../mod/contacts.php:714 -msgid "Block" -msgstr "Sperren" - -#: ../../mod/admin.php:987 ../../mod/contacts.php:442 -#: ../../mod/contacts.php:501 ../../mod/contacts.php:714 -msgid "Unblock" -msgstr "Entsperren" - -#: ../../mod/admin.php:988 -msgid "Site admin" -msgstr "Seitenadministrator" - -#: ../../mod/admin.php:989 -msgid "Account expired" -msgstr "Account ist abgelaufen" - -#: ../../mod/admin.php:992 -msgid "New User" -msgstr "Neuer Nutzer" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Register date" -msgstr "Anmeldedatum" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Last login" -msgstr "Letzte Anmeldung" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Last item" -msgstr "Letzter Beitrag" - -#: ../../mod/admin.php:993 -msgid "Deleted since" -msgstr "Gelöscht seit" - -#: ../../mod/admin.php:994 ../../mod/settings.php:36 -msgid "Account" -msgstr "Nutzerkonto" - -#: ../../mod/admin.php:996 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Die markierten Nutzer werden gelöscht!\\n\\nAlle Beiträge, die diese Nutzer auf dieser Seite veröffentlicht haben, werden permanent gelöscht!\\n\\nBist du sicher?" - -#: ../../mod/admin.php:997 -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 "Der Nutzer {0} wird gelöscht!\\n\\nAlles was dieser Nutzer auf dieser Seite veröffentlicht hat, wird permanent gelöscht!\\n\\nBist du sicher?" - -#: ../../mod/admin.php:1007 -msgid "Name of the new user." -msgstr "Name des neuen Nutzers" - -#: ../../mod/admin.php:1008 -msgid "Nickname" -msgstr "Spitzname" - -#: ../../mod/admin.php:1008 -msgid "Nickname of the new user." -msgstr "Spitznamen für den neuen Nutzer" - -#: ../../mod/admin.php:1009 -msgid "Email address of the new user." -msgstr "Email Adresse des neuen Nutzers" - -#: ../../mod/admin.php:1042 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s deaktiviert." - -#: ../../mod/admin.php:1046 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s aktiviert." - -#: ../../mod/admin.php:1056 ../../mod/admin.php:1272 -msgid "Disable" -msgstr "Ausschalten" - -#: ../../mod/admin.php:1058 ../../mod/admin.php:1274 -msgid "Enable" -msgstr "Einschalten" - -#: ../../mod/admin.php:1081 ../../mod/admin.php:1302 -msgid "Toggle" -msgstr "Umschalten" - -#: ../../mod/admin.php:1089 ../../mod/admin.php:1312 -msgid "Author: " -msgstr "Autor:" - -#: ../../mod/admin.php:1090 ../../mod/admin.php:1313 -msgid "Maintainer: " -msgstr "Betreuer:" - -#: ../../mod/admin.php:1232 -msgid "No themes found." -msgstr "Keine Themen gefunden." - -#: ../../mod/admin.php:1294 -msgid "Screenshot" -msgstr "Bildschirmfoto" - -#: ../../mod/admin.php:1340 -msgid "[Experimental]" -msgstr "[Experimentell]" - -#: ../../mod/admin.php:1341 -msgid "[Unsupported]" -msgstr "[Nicht unterstützt]" - -#: ../../mod/admin.php:1368 -msgid "Log settings updated." -msgstr "Protokolleinstellungen aktualisiert." - -#: ../../mod/admin.php:1424 -msgid "Clear" -msgstr "löschen" - -#: ../../mod/admin.php:1430 -msgid "Enable Debugging" -msgstr "Protokoll führen" - -#: ../../mod/admin.php:1431 -msgid "Log file" -msgstr "Protokolldatei" - -#: ../../mod/admin.php:1431 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Webserver muss Schreibrechte besitzen. Abhängig vom Friendica-Installationsverzeichnis." - -#: ../../mod/admin.php:1432 -msgid "Log level" -msgstr "Protokoll-Level" - -#: ../../mod/admin.php:1481 ../../mod/contacts.php:498 -msgid "Update now" -msgstr "Jetzt aktualisieren" - -#: ../../mod/admin.php:1482 -msgid "Close" -msgstr "Schließen" - -#: ../../mod/admin.php:1488 -msgid "FTP Host" -msgstr "FTP Host" - -#: ../../mod/admin.php:1489 -msgid "FTP Path" -msgstr "FTP Pfad" - -#: ../../mod/admin.php:1490 -msgid "FTP User" -msgstr "FTP Nutzername" - -#: ../../mod/admin.php:1491 -msgid "FTP Password" -msgstr "FTP Passwort" - -#: ../../mod/_search.php:99 ../../mod/search.php:99 ../../include/text.php:953 -#: ../../include/text.php:954 ../../include/nav.php:119 -msgid "Search" -msgstr "Suche" - -#: ../../mod/_search.php:180 ../../mod/_search.php:206 -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Keine Ergebnisse." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Tipps für neue Nutzer" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "Link" - -#: ../../mod/tagger.php:95 ../../include/conversation.php:266 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s hat %2$ss %3$s mit %4$s getaggt" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Beitrag nicht gefunden" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Beitrag bearbeiten" - -#: ../../mod/editpost.php:109 ../../mod/notes.php:63 ../../mod/filer.php:31 -#: ../../include/text.php:956 -msgid "Save" -msgstr "Speichern" - -#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 -msgid "upload photo" -msgstr "Bild hochladen" - -#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 -msgid "Attach file" -msgstr "Datei anhängen" - -#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 -msgid "attach file" -msgstr "Datei anhängen" - -#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 -msgid "web link" -msgstr "Weblink" - -#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 -msgid "Insert video link" -msgstr "Video-Adresse einfügen" - -#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 -msgid "video link" -msgstr "Video-Link" - -#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 -msgid "Insert audio link" -msgstr "Audio-Adresse einfügen" - -#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 -msgid "audio link" -msgstr "Audio-Link" - -#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 -msgid "Set your location" -msgstr "Deinen Standort festlegen" - -#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 -msgid "set location" -msgstr "Ort setzen" - -#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 -msgid "Clear browser location" -msgstr "Browser-Standort leeren" - -#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 -msgid "clear location" -msgstr "Ort löschen" - -#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 -msgid "Permission settings" -msgstr "Berechtigungseinstellungen" - -#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 -msgid "CC: email addresses" -msgstr "Cc: E-Mail-Addressen" - -#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 -msgid "Public post" -msgstr "Öffentlicher Beitrag" - -#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 -msgid "Set title" -msgstr "Titel setzen" - -#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 -msgid "Categories (comma-separated list)" -msgstr "Kategorien (kommasepariert)" - -#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Z.B.: bob@example.com, mary@example.com" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Beitrag nicht verfügbar." - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Beitrag konnte nicht gefunden werden." - -#: ../../mod/regmod.php:55 -msgid "Account approved." -msgstr "Konto freigegeben." - -#: ../../mod/regmod.php:92 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registrierung für %s wurde zurückgezogen" - -#: ../../mod/regmod.php:104 -msgid "Please login." -msgstr "Bitte melde dich an." - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "Auf diesem Server suchen" - -#: ../../mod/directory.php:61 ../../mod/contacts.php:707 -msgid "Finding: " -msgstr "Funde: " - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "Verzeichnis" - -#: ../../mod/directory.php:63 ../../mod/contacts.php:708 -#: ../../include/contact_widgets.php:34 -msgid "Find" -msgstr "Finde" - -#: ../../mod/directory.php:113 ../../mod/profiles.php:735 -msgid "Age: " -msgstr "Alter: " - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "Geschlecht:" - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "Keine Einträge (einige Einträge könnten versteckt sein)." - -#: ../../mod/crepair.php:106 -msgid "Contact settings applied." -msgstr "Einstellungen zum Kontakt angewandt." - -#: ../../mod/crepair.php:108 -msgid "Contact update failed." -msgstr "Konnte den Kontakt nicht aktualisieren." - -#: ../../mod/crepair.php:139 -msgid "Repair Contact Settings" -msgstr "Kontakteinstellungen reparieren" - -#: ../../mod/crepair.php:141 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "ACHTUNG: Das sind Experten-Einstellungen! Wenn du etwas Falsches eingibst, funktioniert die Kommunikation mit diesem Kontakt evtl. nicht mehr." - -#: ../../mod/crepair.php:142 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Bitte nutze den Zurück-Button deines Browsers jetzt, wenn du dir unsicher bist, was du tun willst." - -#: ../../mod/crepair.php:148 -msgid "Return to contact editor" -msgstr "Zurück zum Kontakteditor" - -#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 -msgid "No mirroring" -msgstr "Kein Spiegeln" - -#: ../../mod/crepair.php:159 -msgid "Mirror as forwarded posting" -msgstr "Spiegeln als weitergeleitete Beiträge" - -#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 -msgid "Mirror as my own posting" -msgstr "Spiegeln als meine eigenen Beiträge" - -#: ../../mod/crepair.php:166 -msgid "Account Nickname" -msgstr "Konto-Spitzname" - -#: ../../mod/crepair.php:167 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@Tagname - überschreibt Name/Spitzname" - -#: ../../mod/crepair.php:168 -msgid "Account URL" -msgstr "Konto-URL" - -#: ../../mod/crepair.php:169 -msgid "Friend Request URL" -msgstr "URL für Freundschaftsanfragen" - -#: ../../mod/crepair.php:170 -msgid "Friend Confirm URL" -msgstr "URL für Bestätigungen von Freundschaftsanfragen" - -#: ../../mod/crepair.php:171 -msgid "Notification Endpoint URL" -msgstr "URL-Endpunkt für Benachrichtigungen" - -#: ../../mod/crepair.php:172 -msgid "Poll/Feed URL" -msgstr "Pull/Feed-URL" - -#: ../../mod/crepair.php:173 -msgid "New photo from this URL" -msgstr "Neues Foto von dieser URL" - -#: ../../mod/crepair.php:174 -msgid "Remote Self" -msgstr "Entfernte Konten" - -#: ../../mod/crepair.php:176 -msgid "Mirror postings from this contact" -msgstr "Spiegle Beiträge dieses Kontakts" - -#: ../../mod/crepair.php:176 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "Markiere diesen Kontakt als remote_self (entferntes Konto), dies veranlasst Friendica alle Top-Level Beiträge dieses Kontakts an all deine Kontakte zu senden." - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Account umziehen" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Du kannst einen Account von einem anderen Friendica Server importieren." - -#: ../../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 "Du musst deinen Account vom alten Server exportieren und hier hochladen. Wir stellen deinen alten Account mit all deinen Kontakten wieder her. Wir werden auch versuchen all deine Freunde darüber zu informieren, dass du hierher umgezogen bist." - -#: ../../mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Dieses Feature ist experimentell. Wir können keine Kontakte vom OStatus Netzwerk (statusnet/identi.ca) oder von Diaspora importieren" - -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "Account Datei" - -#: ../../mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "Um deinen Account zu exportieren, rufe \"Einstellungen -> Persönliche Daten exportieren\" auf und wähle \"Account exportieren\"" - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Entfernte Privatsphäreneinstellungen nicht verfügbar." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Sichtbar für:" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "Wenn du möchtest, dass %s dir antworten kann, überprüfe deine Privatsphären-Einstellungen und erlaube private Nachrichten von unbekannten Absendern." #: ../../mod/help.php:79 msgid "Help:" @@ -3350,535 +3572,75 @@ msgstr "Hilfe:" msgid "Help" msgstr "Hilfe" -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "Kein Profil" +#: ../../mod/help.php:90 ../../index.php:256 +msgid "Not Found" +msgstr "Nicht gefunden" -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "Diese Kontaktanfrage wurde bereits akzeptiert." +#: ../../mod/help.php:93 ../../index.php:259 +msgid "Page not found." +msgstr "Seite nicht gefunden." -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "Profiladresse ist ungültig oder stellt keine Profildaten zur Verfügung." - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Warnung: Es konnte kein Name des Besitzers von der angegebenen Profiladresse gefunden werden." - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "Warnung: Es gibt kein Profilbild bei der angegebenen Profiladresse." - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 #, 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 benötigter Parameter wurde an der angegebenen Stelle nicht gefunden" -msgstr[1] "%d benötigte Parameter wurden an der angegebenen Stelle nicht gefunden" +msgid "%1$s welcomes %2$s" +msgstr "%1$s heißt %2$s herzlich willkommen" -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "Kontaktanfrage abgeschlossen." - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "Nicht behebbarer Protokollfehler." - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "Profil nicht verfügbar." - -#: ../../mod/dfrn_request.php:267 +#: ../../mod/home.php:35 #, php-format -msgid "%s has received too many connection requests today." -msgstr "%s hat heute zu viele Freundschaftsanfragen erhalten." +msgid "Welcome to %s" +msgstr "Willkommen zu %s" -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "Maßnahmen zum Spamschutz wurden ergriffen." +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Entschuldige, die Datei scheint größer zu sein als es die PHP Konfiguration erlaubt." -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Freunde sind angehalten, es in 24 Stunden erneut zu versuchen." +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "Oder - hast Du versucht, eine leere Datei hochzuladen?" -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "Ungültiger Locator" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "Ungültige E-Mail-Adresse." - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "Dieses Konto ist nicht für E-Mail konfiguriert. Anfrage fehlgeschlagen." - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "Konnte deinen Namen an der angegebenen Stelle nicht finden." - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "Du hast dich hier bereits vorgestellt." - -#: ../../mod/dfrn_request.php:480 +#: ../../mod/wall_attach.php:81 #, php-format -msgid "Apparently you are already friends with %s." -msgstr "Es scheint so, als ob du bereits mit %s befreundet bist." - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "Ungültige Profil-URL." - -#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 -msgid "Disallowed profile URL." -msgstr "Nicht erlaubte Profil-URL." - -#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:188 -msgid "Failed to update contact record." -msgstr "Aktualisierung der Kontaktdaten fehlgeschlagen." - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "Deine Kontaktanfrage wurde gesendet." - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "Bitte melde dich an, um die Kontaktanfrage zu bestätigen." - -#: ../../mod/dfrn_request.php:660 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Momentan bist du mit einer anderen Identität angemeldet. Bitte melde Dich mit diesem Profil an." - -#: ../../mod/dfrn_request.php:671 -msgid "Hide this contact" -msgstr "Verberge diesen Kontakt" - -#: ../../mod/dfrn_request.php:674 -#, php-format -msgid "Welcome home %s." -msgstr "Willkommen zurück %s." - -#: ../../mod/dfrn_request.php:675 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Bitte bestätige deine Kontaktanfrage bei %s." - -#: ../../mod/dfrn_request.php:676 -msgid "Confirm" -msgstr "Bestätigen" - -#: ../../mod/dfrn_request.php:804 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Bitte gib die Adresse deines Profils in einem der unterstützten sozialen Netzwerke an:" - -#: ../../mod/dfrn_request.php:824 -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 "Wenn du noch kein Mitglied dieses freien sozialen Netzwerks bist, folge diesem Link um einen öffentlichen Friendica-Server zu finden und beizutreten." - -#: ../../mod/dfrn_request.php:827 -msgid "Friend/Connection Request" -msgstr "Freundschafts-/Kontaktanfrage" - -#: ../../mod/dfrn_request.php:828 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Beispiele: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" - -#: ../../mod/dfrn_request.php:829 -msgid "Please answer the following:" -msgstr "Bitte beantworte folgendes:" - -#: ../../mod/dfrn_request.php:830 -#, php-format -msgid "Does %s know you?" -msgstr "Kennt %s dich?" - -#: ../../mod/dfrn_request.php:834 -msgid "Add a personal note:" -msgstr "Eine persönliche Notiz beifügen:" - -#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 -msgid "Friendica" -msgstr "Friendica" - -#: ../../mod/dfrn_request.php:837 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/Federated Social Web" - -#: ../../mod/dfrn_request.php:838 ../../mod/settings.php:736 -#: ../../include/contact_selectors.php:80 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../mod/dfrn_request.php:839 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - bitte verwende dieses Formular nicht. Stattdessen suche nach %s in deiner Diaspora Suchleiste." - -#: ../../mod/dfrn_request.php:840 -msgid "Your Identity Address:" -msgstr "Adresse deines Profils:" - -#: ../../mod/dfrn_request.php:843 -msgid "Submit Request" -msgstr "Anfrage abschicken" - -#: ../../mod/update_profile.php:41 ../../mod/update_network.php:25 -#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 -#: ../../mod/update_notes.php:37 -msgid "[Embedded content - reload page to view]" -msgstr "[Eingebetteter Inhalt - Seite neu laden zum Betrachten]" - -#: ../../mod/content.php:497 ../../include/conversation.php:690 -msgid "View in context" -msgstr "Im Zusammenhang betrachten" - -#: ../../mod/contacts.php:108 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "%d Kontakt bearbeitet." -msgstr[1] "%d Kontakte bearbeitet" - -#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 -msgid "Could not access contact record." -msgstr "Konnte nicht auf die Kontaktdaten zugreifen." - -#: ../../mod/contacts.php:153 -msgid "Could not locate selected profile." -msgstr "Konnte das ausgewählte Profil nicht finden." - -#: ../../mod/contacts.php:186 -msgid "Contact updated." -msgstr "Kontakt aktualisiert." - -#: ../../mod/contacts.php:287 -msgid "Contact has been blocked" -msgstr "Kontakt wurde blockiert" - -#: ../../mod/contacts.php:287 -msgid "Contact has been unblocked" -msgstr "Kontakt wurde wieder freigegeben" - -#: ../../mod/contacts.php:298 -msgid "Contact has been ignored" -msgstr "Kontakt wurde ignoriert" - -#: ../../mod/contacts.php:298 -msgid "Contact has been unignored" -msgstr "Kontakt wird nicht mehr ignoriert" - -#: ../../mod/contacts.php:310 -msgid "Contact has been archived" -msgstr "Kontakt wurde archiviert" - -#: ../../mod/contacts.php:310 -msgid "Contact has been unarchived" -msgstr "Kontakt wurde aus dem Archiv geholt" - -#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 -msgid "Do you really want to delete this contact?" -msgstr "Möchtest du wirklich diesen Kontakt löschen?" - -#: ../../mod/contacts.php:352 -msgid "Contact has been removed." -msgstr "Kontakt wurde entfernt." - -#: ../../mod/contacts.php:390 -#, php-format -msgid "You are mutual friends with %s" -msgstr "Du hast mit %s eine beidseitige Freundschaft" - -#: ../../mod/contacts.php:394 -#, php-format -msgid "You are sharing with %s" -msgstr "Du teilst mit %s" - -#: ../../mod/contacts.php:399 -#, php-format -msgid "%s is sharing with you" -msgstr "%s teilt mit Dir" - -#: ../../mod/contacts.php:416 -msgid "Private communications are not available for this contact." -msgstr "Private Kommunikation ist für diesen Kontakt nicht verfügbar." - -#: ../../mod/contacts.php:423 -msgid "(Update was successful)" -msgstr "(Aktualisierung war erfolgreich)" - -#: ../../mod/contacts.php:423 -msgid "(Update was not successful)" -msgstr "(Aktualisierung war nicht erfolgreich)" - -#: ../../mod/contacts.php:425 -msgid "Suggest friends" -msgstr "Kontakte vorschlagen" - -#: ../../mod/contacts.php:429 -#, php-format -msgid "Network type: %s" -msgstr "Netzwerktyp: %s" - -#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d gemeinsamer Kontakt" -msgstr[1] "%d gemeinsame Kontakte" - -#: ../../mod/contacts.php:437 -msgid "View all contacts" -msgstr "Alle Kontakte anzeigen" - -#: ../../mod/contacts.php:445 -msgid "Toggle Blocked status" -msgstr "Geblockt-Status ein-/ausschalten" - -#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 -#: ../../mod/contacts.php:715 -msgid "Unignore" -msgstr "Ignorieren aufheben" - -#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 -#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 -#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 -msgid "Ignore" -msgstr "Ignorieren" - -#: ../../mod/contacts.php:451 -msgid "Toggle Ignored status" -msgstr "Ignoriert-Status ein-/ausschalten" - -#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 -msgid "Unarchive" -msgstr "Aus Archiv zurückholen" - -#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 -msgid "Archive" -msgstr "Archivieren" - -#: ../../mod/contacts.php:458 -msgid "Toggle Archive status" -msgstr "Archiviert-Status ein-/ausschalten" - -#: ../../mod/contacts.php:461 -msgid "Repair" -msgstr "Reparieren" - -#: ../../mod/contacts.php:464 -msgid "Advanced Contact Settings" -msgstr "Fortgeschrittene Kontakteinstellungen" - -#: ../../mod/contacts.php:470 -msgid "Communications lost with this contact!" -msgstr "Verbindungen mit diesem Kontakt verloren!" - -#: ../../mod/contacts.php:473 -msgid "Contact Editor" -msgstr "Kontakt Editor" - -#: ../../mod/contacts.php:476 -msgid "Profile Visibility" -msgstr "Profil-Sichtbarkeit" - -#: ../../mod/contacts.php:477 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Bitte wähle eines deiner Profile das angezeigt werden soll, wenn %s dein Profil aufruft." - -#: ../../mod/contacts.php:478 -msgid "Contact Information / Notes" -msgstr "Kontakt Informationen / Notizen" - -#: ../../mod/contacts.php:479 -msgid "Edit contact notes" -msgstr "Notizen zum Kontakt bearbeiten" - -#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 -#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Besuche %ss Profil [%s]" - -#: ../../mod/contacts.php:485 -msgid "Block/Unblock contact" -msgstr "Kontakt blockieren/freischalten" - -#: ../../mod/contacts.php:486 -msgid "Ignore contact" -msgstr "Ignoriere den Kontakt" - -#: ../../mod/contacts.php:487 -msgid "Repair URL settings" -msgstr "URL Einstellungen reparieren" - -#: ../../mod/contacts.php:488 -msgid "View conversations" -msgstr "Unterhaltungen anzeigen" - -#: ../../mod/contacts.php:490 -msgid "Delete contact" -msgstr "Lösche den Kontakt" - -#: ../../mod/contacts.php:494 -msgid "Last update:" -msgstr "letzte Aktualisierung:" - -#: ../../mod/contacts.php:496 -msgid "Update public posts" -msgstr "Öffentliche Beiträge aktualisieren" - -#: ../../mod/contacts.php:505 -msgid "Currently blocked" -msgstr "Derzeit geblockt" - -#: ../../mod/contacts.php:506 -msgid "Currently ignored" -msgstr "Derzeit ignoriert" - -#: ../../mod/contacts.php:507 -msgid "Currently archived" -msgstr "Momentan archiviert" - -#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 -#: ../../mod/notifications.php:204 -msgid "Hide this contact from others" -msgstr "Verberge diesen Kontakt vor anderen" - -#: ../../mod/contacts.php:508 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Antworten/Likes auf deine öffentlichen Beiträge könnten weiterhin sichtbar sein" - -#: ../../mod/contacts.php:509 -msgid "Notification for new posts" -msgstr "Benachrichtigung bei neuen Beiträgen" - -#: ../../mod/contacts.php:509 -msgid "Send a notification of every new post of this contact" -msgstr "Sende eine Benachrichtigung wann immer dieser Kontakt einen neuen Beitrag schreibt." - -#: ../../mod/contacts.php:510 -msgid "Fetch further information for feeds" -msgstr "Weitere Informationen zu Feeds holen" - -#: ../../mod/contacts.php:511 -msgid "Disabled" -msgstr "Deaktiviert" - -#: ../../mod/contacts.php:511 -msgid "Fetch information" -msgstr "Beziehe Information" - -#: ../../mod/contacts.php:511 -msgid "Fetch information and keywords" -msgstr "Beziehe Information und Schlüsselworte" - -#: ../../mod/contacts.php:513 -msgid "Blacklisted keywords" -msgstr "Blacklistete Schlüsselworte " - -#: ../../mod/contacts.php:513 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "Komma-Separierte Liste mit Schlüsselworten die nicht in Hashtags konvertiert werden wenn \"Beziehe Information und Schlüsselworte\" aktiviert wurde" - -#: ../../mod/contacts.php:564 -msgid "Suggestions" -msgstr "Kontaktvorschläge" - -#: ../../mod/contacts.php:567 -msgid "Suggest potential friends" -msgstr "Freunde vorschlagen" - -#: ../../mod/contacts.php:570 ../../mod/group.php:194 -msgid "All Contacts" -msgstr "Alle Kontakte" - -#: ../../mod/contacts.php:573 -msgid "Show all contacts" -msgstr "Alle Kontakte anzeigen" - -#: ../../mod/contacts.php:576 -msgid "Unblocked" -msgstr "Ungeblockt" - -#: ../../mod/contacts.php:579 -msgid "Only show unblocked contacts" -msgstr "Nur nicht-blockierte Kontakte anzeigen" - -#: ../../mod/contacts.php:583 -msgid "Blocked" -msgstr "Geblockt" - -#: ../../mod/contacts.php:586 -msgid "Only show blocked contacts" -msgstr "Nur blockierte Kontakte anzeigen" - -#: ../../mod/contacts.php:590 -msgid "Ignored" -msgstr "Ignoriert" - -#: ../../mod/contacts.php:593 -msgid "Only show ignored contacts" -msgstr "Nur ignorierte Kontakte anzeigen" - -#: ../../mod/contacts.php:597 -msgid "Archived" -msgstr "Archiviert" - -#: ../../mod/contacts.php:600 -msgid "Only show archived contacts" -msgstr "Nur archivierte Kontakte anzeigen" - -#: ../../mod/contacts.php:604 -msgid "Hidden" -msgstr "Verborgen" - -#: ../../mod/contacts.php:607 -msgid "Only show hidden contacts" -msgstr "Nur verborgene Kontakte anzeigen" - -#: ../../mod/contacts.php:655 -msgid "Mutual Friendship" -msgstr "Beidseitige Freundschaft" - -#: ../../mod/contacts.php:659 -msgid "is a fan of yours" -msgstr "ist ein Fan von dir" - -#: ../../mod/contacts.php:663 -msgid "you are a fan of" -msgstr "du bist Fan von" - -#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "Kontakt bearbeiten" - -#: ../../mod/contacts.php:706 -msgid "Search your contacts" -msgstr "Suche in deinen Kontakten" - -#: ../../mod/contacts.php:713 ../../mod/settings.php:132 -#: ../../mod/settings.php:640 -msgid "Update" -msgstr "Aktualisierungen" +msgid "File exceeds size limit of %d" +msgstr "Die Datei ist größer als das erlaubte Limit von %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Hochladen der Datei fehlgeschlagen." + +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "Profilübereinstimmungen" + +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Keine Schlüsselwörter zum Abgleichen gefunden. Bitte füge einige Schlüsselwörter zu deinem Standardprofil hinzu." + +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "ist interessiert an:" + +#: ../../mod/match.php:58 ../../mod/suggest.php:90 ../../boot.php:1568 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "Verbinden" + +#: ../../mod/share.php:44 +msgid "link" +msgstr "Link" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Nicht verfügbar." + +#: ../../mod/community.php:32 ../../include/nav.php:129 +#: ../../include/nav.php:131 ../../view/theme/diabook/theme.php:129 +msgid "Community" +msgstr "Gemeinschaft" + +#: ../../mod/community.php:62 ../../mod/community.php:71 +#: ../../mod/search.php:168 ../../mod/search.php:192 +msgid "No results." +msgstr "Keine Ergebnisse." #: ../../mod/settings.php:29 ../../mod/photos.php:80 msgid "everybody" @@ -3896,7 +3658,7 @@ msgstr "Anzeige" msgid "Social Networks" msgstr "Soziale Netzwerke" -#: ../../mod/settings.php:62 ../../include/nav.php:168 +#: ../../mod/settings.php:62 ../../include/nav.php:170 msgid "Delegations" msgstr "Delegationen" @@ -4050,6 +3812,11 @@ msgstr "Zusätzliche Features" msgid "Built-in support for %s connectivity is %s" msgstr "Eingebaute Unterstützung für Verbindungen zu %s ist %s" +#: ../../mod/settings.php:736 ../../mod/dfrn_request.php:838 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + #: ../../mod/settings.php:736 ../../mod/settings.php:737 msgid "enabled" msgstr "eingeschaltet" @@ -4237,6 +4004,18 @@ msgstr "(Optional) Erlaube die Anmeldung für dieses Konto mit dieser OpenID." msgid "Publish your default profile in your local site directory?" msgstr "Darf dein Standardprofil im Verzeichnis dieses Servers veröffentlicht werden?" +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:234 ../../mod/profiles.php:661 +#: ../../mod/profiles.php:665 ../../mod/api.php:106 +msgid "No" +msgstr "Nein" + #: ../../mod/settings.php:1016 msgid "Publish your default profile in the global social directory?" msgstr "Darf dein Standardprofil im weltweiten Verzeichnis veröffentlicht werden?" @@ -4275,10 +4054,6 @@ msgstr "Dürfen dir Unbekannte private Nachrichten schicken?" msgid "Profile is not published." msgstr "Profil ist nicht veröffentlicht." -#: ../../mod/settings.php:1062 ../../mod/profile_photo.php:248 -msgid "or" -msgstr "oder" - #: ../../mod/settings.php:1067 msgid "Your Identity Address is" msgstr "Die Adresse deines Profils lautet:" @@ -4507,6 +4282,412 @@ msgstr "Wenn du dein Profil von einem anderen Server umgezogen hast und einige d msgid "Resend relocate message to contacts" msgstr "Umzugsbenachrichtigung erneut an Kontakte senden" +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Diese Kontaktanfrage wurde bereits akzeptiert." + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "Profiladresse ist ungültig oder stellt keine Profildaten zur Verfügung." + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Warnung: Es konnte kein Name des Besitzers von der angegebenen Profiladresse gefunden werden." + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Warnung: Es gibt kein Profilbild bei der angegebenen Profiladresse." + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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 benötigter Parameter wurde an der angegebenen Stelle nicht gefunden" +msgstr[1] "%d benötigte Parameter wurden an der angegebenen Stelle nicht gefunden" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Kontaktanfrage abgeschlossen." + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Nicht behebbarer Protokollfehler." + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profil nicht verfügbar." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s hat heute zu viele Freundschaftsanfragen erhalten." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Maßnahmen zum Spamschutz wurden ergriffen." + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Freunde sind angehalten, es in 24 Stunden erneut zu versuchen." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Ungültiger Locator" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Ungültige E-Mail-Adresse." + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Dieses Konto ist nicht für E-Mail konfiguriert. Anfrage fehlgeschlagen." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Konnte deinen Namen an der angegebenen Stelle nicht finden." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Du hast dich hier bereits vorgestellt." + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Es scheint so, als ob du bereits mit %s befreundet bist." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "Ungültige Profil-URL." + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "Nicht erlaubte Profil-URL." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "Deine Kontaktanfrage wurde gesendet." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Bitte melde dich an, um die Kontaktanfrage zu bestätigen." + +#: ../../mod/dfrn_request.php:660 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Momentan bist du mit einer anderen Identität angemeldet. Bitte melde Dich mit diesem Profil an." + +#: ../../mod/dfrn_request.php:671 +msgid "Hide this contact" +msgstr "Verberge diesen Kontakt" + +#: ../../mod/dfrn_request.php:674 +#, php-format +msgid "Welcome home %s." +msgstr "Willkommen zurück %s." + +#: ../../mod/dfrn_request.php:675 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Bitte bestätige deine Kontaktanfrage bei %s." + +#: ../../mod/dfrn_request.php:676 +msgid "Confirm" +msgstr "Bestätigen" + +#: ../../mod/dfrn_request.php:804 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Bitte gib die Adresse deines Profils in einem der unterstützten sozialen Netzwerke an:" + +#: ../../mod/dfrn_request.php:824 +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 "Wenn du noch kein Mitglied dieses freien sozialen Netzwerks bist, folge diesem Link um einen öffentlichen Friendica-Server zu finden und beizutreten." + +#: ../../mod/dfrn_request.php:827 +msgid "Friend/Connection Request" +msgstr "Freundschafts-/Kontaktanfrage" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Beispiele: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:829 +msgid "Please answer the following:" +msgstr "Bitte beantworte folgendes:" + +#: ../../mod/dfrn_request.php:830 +#, php-format +msgid "Does %s know you?" +msgstr "Kennt %s dich?" + +#: ../../mod/dfrn_request.php:834 +msgid "Add a personal note:" +msgstr "Eine persönliche Notiz beifügen:" + +#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:837 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/Federated Social Web" + +#: ../../mod/dfrn_request.php:839 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - bitte verwende dieses Formular nicht. Stattdessen suche nach %s in deiner Diaspora Suchleiste." + +#: ../../mod/dfrn_request.php:840 +msgid "Your Identity Address:" +msgstr "Adresse deines Profils:" + +#: ../../mod/dfrn_request.php:843 +msgid "Submit Request" +msgstr "Anfrage abschicken" + +#: ../../mod/register.php:90 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Registrierung erfolgreich. Eine E-Mail mit weiteren Anweisungen wurde an dich gesendet." + +#: ../../mod/register.php:96 +#, php-format +msgid "" +"Failed to send email message. Here your accout details:
    login: %s
    " +"password: %s

    You can change your password after login." +msgstr "Versenden der E-Mail fehlgeschlagen. Hier sind deine Account Details:\n\nLogin: %s\nPasswort: %s\n\nDu kannst das Passwort nach dem Anmelden ändern." + +#: ../../mod/register.php:105 +msgid "Your registration can not be processed." +msgstr "Deine Registrierung konnte nicht verarbeitet werden." + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden." + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Die maximale Anzahl täglicher Registrierungen auf dieser Seite wurde überschritten. Bitte versuche es morgen noch einmal." + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Du kannst dieses Formular auch (optional) mit deiner OpenID ausfüllen, indem du deine OpenID angibst und 'Registrieren' klickst." + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Wenn du nicht mit OpenID vertraut bist, lass dieses Feld bitte leer und fülle die restlichen Felder aus." + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "Deine OpenID (optional): " + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "Soll dein Profil im Nutzerverzeichnis angezeigt werden?" + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung möglich." + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "ID deiner Einladung: " + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Vollständiger Name (z.B. Max Mustermann): " + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "Deine E-Mail-Adresse: " + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@$sitename' sein." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "Spitznamen wählen: " + +#: ../../mod/register.php:269 ../../boot.php:1241 ../../include/nav.php:109 +msgid "Register" +msgstr "Registrieren" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Import" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "Importiere dein Profil auf diese Friendica Instanz" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "System zur Wartung abgeschaltet" + +#: ../../mod/search.php:99 ../../include/text.php:953 +#: ../../include/text.php:954 ../../include/nav.php:119 +msgid "Search" +msgstr "Suche" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "Weltweites Verzeichnis" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Auf diesem Server suchen" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Verzeichnis" + +#: ../../mod/directory.php:113 ../../mod/profiles.php:750 +msgid "Age: " +msgstr "Alter: " + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Geschlecht:" + +#: ../../mod/directory.php:138 ../../boot.php:1650 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "Geschlecht:" + +#: ../../mod/directory.php:140 ../../boot.php:1653 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "Status:" + +#: ../../mod/directory.php:142 ../../boot.php:1655 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "Homepage:" + +#: ../../mod/directory.php:144 ../../boot.php:1657 +#: ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "Über:" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Keine Einträge (einige Einträge könnten versteckt sein)." + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "Keine potentiellen Bevollmächtigten für die Seite gefunden." + +#: ../../mod/delegate.php:130 ../../include/nav.php:170 +msgid "Delegate Page Management" +msgstr "Delegiere das Management für die Seite" + +#: ../../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 "Bevollmächtigte sind in der Lage, alle Aspekte dieses Kontos/dieser Seite zu verwalten, abgesehen von den Grundeinstellungen des Kontos. Bitte gib niemandem eine Bevollmächtigung für deinen privaten Account, dem du nicht absolut vertraust!" + +#: ../../mod/delegate.php:133 +msgid "Existing Page Managers" +msgstr "Vorhandene Seitenmanager" + +#: ../../mod/delegate.php:135 +msgid "Existing Page Delegates" +msgstr "Vorhandene Bevollmächtigte für die Seite" + +#: ../../mod/delegate.php:137 +msgid "Potential Delegates" +msgstr "Potentielle Bevollmächtigte" + +#: ../../mod/delegate.php:140 +msgid "Add" +msgstr "Hinzufügen" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "Keine Einträge." + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Gemeinsame Freunde" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Keine gemeinsamen Kontakte." + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Account exportieren" + +#: ../../mod/uexport.php:77 +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 "Exportiere deine Accountinformationen und Kontakte. Verwende dies um ein Backup deines Accounts anzulegen und/oder damit auf einen anderen Server umzuziehen." + +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Alles exportieren" + +#: ../../mod/uexport.php:78 +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 "Exportiere deine Account Informationen, Kontakte und alle Einträge als JSON Datei. Dies könnte eine sehr große Datei werden und dementsprechend viel Zeit benötigen. Verwende dies um ein komplettes Backup deines Accounts anzulegen (Fotos werden nicht exportiert)." + +#: ../../mod/mood.php:62 ../../include/conversation.php:227 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "%1$s ist momentan %2$s" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "Stimmung" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "Wähle deine aktuelle Stimmung und erzähle sie deinen Freunden" + +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "Möchtest du wirklich diese Empfehlung löschen?" + +#: ../../mod/suggest.php:68 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:527 +msgid "Friend Suggestions" +msgstr "Kontaktvorschläge" + +#: ../../mod/suggest.php:74 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Keine Vorschläge verfügbar. Falls der Server frisch aufgesetzt wurde, versuche es bitte in 24 Stunden noch einmal." + +#: ../../mod/suggest.php:92 +msgid "Ignore/Hide" +msgstr "Ignorieren/Verbergen" + #: ../../mod/profiles.php:37 msgid "Profile deleted." msgstr "Profil gelöscht." @@ -4567,7 +4748,7 @@ msgstr "Sexuelle Vorlieben" msgid "Homepage" msgstr "Webseite" -#: ../../mod/profiles.php:379 ../../mod/profiles.php:683 +#: ../../mod/profiles.php:379 ../../mod/profiles.php:698 msgid "Interests" msgstr "Interessen" @@ -4575,7 +4756,7 @@ msgstr "Interessen" msgid "Address" msgstr "Adresse" -#: ../../mod/profiles.php:390 ../../mod/profiles.php:679 +#: ../../mod/profiles.php:390 ../../mod/profiles.php:694 msgid "Location" msgstr "Wohnort" @@ -4583,435 +4764,400 @@ msgstr "Wohnort" msgid "Profile updated." msgstr "Profil aktualisiert." -#: ../../mod/profiles.php:553 +#: ../../mod/profiles.php:568 msgid " and " msgstr " und " -#: ../../mod/profiles.php:561 +#: ../../mod/profiles.php:576 msgid "public profile" msgstr "öffentliches Profil" -#: ../../mod/profiles.php:564 +#: ../../mod/profiles.php:579 #, php-format msgid "%1$s changed %2$s to “%3$s”" msgstr "%1$s hat %2$s geändert auf “%3$s”" -#: ../../mod/profiles.php:565 +#: ../../mod/profiles.php:580 #, php-format msgid " - Visit %1$s's %2$s" msgstr " – %1$ss %2$s besuchen" -#: ../../mod/profiles.php:568 +#: ../../mod/profiles.php:583 #, php-format msgid "%1$s has an updated %2$s, changing %3$s." msgstr "%1$s hat folgendes aktualisiert %2$s, verändert wurde %3$s." -#: ../../mod/profiles.php:643 +#: ../../mod/profiles.php:658 msgid "Hide contacts and friends:" msgstr "Kontakte und Freunde verbergen" -#: ../../mod/profiles.php:648 +#: ../../mod/profiles.php:663 msgid "Hide your contact/friend list from viewers of this profile?" msgstr "Liste der Kontakte vor Betrachtern dieses Profils verbergen?" -#: ../../mod/profiles.php:670 +#: ../../mod/profiles.php:685 msgid "Edit Profile Details" msgstr "Profil bearbeiten" -#: ../../mod/profiles.php:672 +#: ../../mod/profiles.php:687 msgid "Change Profile Photo" msgstr "Profilbild ändern" -#: ../../mod/profiles.php:673 +#: ../../mod/profiles.php:688 msgid "View this profile" msgstr "Dieses Profil anzeigen" -#: ../../mod/profiles.php:674 +#: ../../mod/profiles.php:689 msgid "Create a new profile using these settings" msgstr "Neues Profil anlegen und diese Einstellungen verwenden" -#: ../../mod/profiles.php:675 +#: ../../mod/profiles.php:690 msgid "Clone this profile" msgstr "Dieses Profil duplizieren" -#: ../../mod/profiles.php:676 +#: ../../mod/profiles.php:691 msgid "Delete this profile" msgstr "Dieses Profil löschen" -#: ../../mod/profiles.php:677 +#: ../../mod/profiles.php:692 msgid "Basic information" msgstr "Grundinformationen" -#: ../../mod/profiles.php:678 +#: ../../mod/profiles.php:693 msgid "Profile picture" msgstr "Profilbild" -#: ../../mod/profiles.php:680 +#: ../../mod/profiles.php:695 msgid "Preferences" msgstr "Vorlieben" -#: ../../mod/profiles.php:681 +#: ../../mod/profiles.php:696 msgid "Status information" msgstr "Status Informationen" -#: ../../mod/profiles.php:682 +#: ../../mod/profiles.php:697 msgid "Additional information" msgstr "Zusätzliche Informationen" -#: ../../mod/profiles.php:685 +#: ../../mod/profiles.php:700 msgid "Profile Name:" msgstr "Profilname:" -#: ../../mod/profiles.php:686 +#: ../../mod/profiles.php:701 msgid "Your Full Name:" msgstr "Dein kompletter Name:" -#: ../../mod/profiles.php:687 +#: ../../mod/profiles.php:702 msgid "Title/Description:" msgstr "Titel/Beschreibung:" -#: ../../mod/profiles.php:688 +#: ../../mod/profiles.php:703 msgid "Your Gender:" msgstr "Dein Geschlecht:" -#: ../../mod/profiles.php:689 +#: ../../mod/profiles.php:704 #, php-format msgid "Birthday (%s):" msgstr "Geburtstag (%s):" -#: ../../mod/profiles.php:690 +#: ../../mod/profiles.php:705 msgid "Street Address:" msgstr "Adresse:" -#: ../../mod/profiles.php:691 +#: ../../mod/profiles.php:706 msgid "Locality/City:" msgstr "Wohnort:" -#: ../../mod/profiles.php:692 +#: ../../mod/profiles.php:707 msgid "Postal/Zip Code:" msgstr "Postleitzahl:" -#: ../../mod/profiles.php:693 +#: ../../mod/profiles.php:708 msgid "Country:" msgstr "Land:" -#: ../../mod/profiles.php:694 +#: ../../mod/profiles.php:709 msgid "Region/State:" msgstr "Region/Bundesstaat:" -#: ../../mod/profiles.php:695 +#: ../../mod/profiles.php:710 msgid " Marital Status:" msgstr " Beziehungsstatus:" -#: ../../mod/profiles.php:696 +#: ../../mod/profiles.php:711 msgid "Who: (if applicable)" msgstr "Wer: (falls anwendbar)" -#: ../../mod/profiles.php:697 +#: ../../mod/profiles.php:712 msgid "Examples: cathy123, Cathy Williams, cathy@example.com" msgstr "Beispiele: cathy123, Cathy Williams, cathy@example.com" -#: ../../mod/profiles.php:698 +#: ../../mod/profiles.php:713 msgid "Since [date]:" msgstr "Seit [Datum]:" -#: ../../mod/profiles.php:699 ../../include/profile_advanced.php:46 +#: ../../mod/profiles.php:714 ../../include/profile_advanced.php:46 msgid "Sexual Preference:" msgstr "Sexuelle Vorlieben:" -#: ../../mod/profiles.php:700 +#: ../../mod/profiles.php:715 msgid "Homepage URL:" msgstr "Adresse der Homepage:" -#: ../../mod/profiles.php:701 ../../include/profile_advanced.php:50 +#: ../../mod/profiles.php:716 ../../include/profile_advanced.php:50 msgid "Hometown:" msgstr "Heimatort:" -#: ../../mod/profiles.php:702 ../../include/profile_advanced.php:54 +#: ../../mod/profiles.php:717 ../../include/profile_advanced.php:54 msgid "Political Views:" msgstr "Politische Ansichten:" -#: ../../mod/profiles.php:703 +#: ../../mod/profiles.php:718 msgid "Religious Views:" msgstr "Religiöse Ansichten:" -#: ../../mod/profiles.php:704 +#: ../../mod/profiles.php:719 msgid "Public Keywords:" msgstr "Öffentliche Schlüsselwörter:" -#: ../../mod/profiles.php:705 +#: ../../mod/profiles.php:720 msgid "Private Keywords:" msgstr "Private Schlüsselwörter:" -#: ../../mod/profiles.php:706 ../../include/profile_advanced.php:62 +#: ../../mod/profiles.php:721 ../../include/profile_advanced.php:62 msgid "Likes:" msgstr "Likes:" -#: ../../mod/profiles.php:707 ../../include/profile_advanced.php:64 +#: ../../mod/profiles.php:722 ../../include/profile_advanced.php:64 msgid "Dislikes:" msgstr "Dislikes:" -#: ../../mod/profiles.php:708 +#: ../../mod/profiles.php:723 msgid "Example: fishing photography software" msgstr "Beispiel: Fischen Fotografie Software" -#: ../../mod/profiles.php:709 +#: ../../mod/profiles.php:724 msgid "(Used for suggesting potential friends, can be seen by others)" msgstr "(Wird verwendet, um potentielle Freunde zu finden, kann von Fremden eingesehen werden)" -#: ../../mod/profiles.php:710 +#: ../../mod/profiles.php:725 msgid "(Used for searching profiles, never shown to others)" msgstr "(Wird für die Suche nach Profilen verwendet und niemals veröffentlicht)" -#: ../../mod/profiles.php:711 +#: ../../mod/profiles.php:726 msgid "Tell us about yourself..." msgstr "Erzähle uns ein bisschen von dir …" -#: ../../mod/profiles.php:712 +#: ../../mod/profiles.php:727 msgid "Hobbies/Interests" msgstr "Hobbies/Interessen" -#: ../../mod/profiles.php:713 +#: ../../mod/profiles.php:728 msgid "Contact information and Social Networks" msgstr "Kontaktinformationen und Soziale Netzwerke" -#: ../../mod/profiles.php:714 +#: ../../mod/profiles.php:729 msgid "Musical interests" msgstr "Musikalische Interessen" -#: ../../mod/profiles.php:715 +#: ../../mod/profiles.php:730 msgid "Books, literature" msgstr "Bücher, Literatur" -#: ../../mod/profiles.php:716 +#: ../../mod/profiles.php:731 msgid "Television" msgstr "Fernsehen" -#: ../../mod/profiles.php:717 +#: ../../mod/profiles.php:732 msgid "Film/dance/culture/entertainment" msgstr "Filme/Tänze/Kultur/Unterhaltung" -#: ../../mod/profiles.php:718 +#: ../../mod/profiles.php:733 msgid "Love/romance" msgstr "Liebe/Romantik" -#: ../../mod/profiles.php:719 +#: ../../mod/profiles.php:734 msgid "Work/employment" msgstr "Arbeit/Anstellung" -#: ../../mod/profiles.php:720 +#: ../../mod/profiles.php:735 msgid "School/education" msgstr "Schule/Ausbildung" -#: ../../mod/profiles.php:725 +#: ../../mod/profiles.php:740 msgid "" "This is your public profile.
    It may " "be visible to anybody using the internet." msgstr "Dies ist dein öffentliches Profil.
    Es könnte für jeden Nutzer des Internets sichtbar sein." -#: ../../mod/profiles.php:788 +#: ../../mod/profiles.php:803 msgid "Edit/Manage Profiles" msgstr "Bearbeite/Verwalte Profile" -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Gruppe erstellt." +#: ../../mod/profiles.php:804 ../../boot.php:1611 ../../boot.php:1637 +msgid "Change profile photo" +msgstr "Profilbild ändern" -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "Konnte die Gruppe nicht erstellen." +#: ../../mod/profiles.php:805 ../../boot.php:1612 +msgid "Create New Profile" +msgstr "Neues Profil anlegen" -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Gruppe nicht gefunden." +#: ../../mod/profiles.php:816 ../../boot.php:1622 +msgid "Profile Image" +msgstr "Profilbild" -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Gruppenname geändert." +#: ../../mod/profiles.php:818 ../../boot.php:1625 +msgid "visible to everybody" +msgstr "sichtbar für jeden" -#: ../../mod/group.php:87 -msgid "Save Group" -msgstr "Gruppe speichern" +#: ../../mod/profiles.php:819 ../../boot.php:1626 +msgid "Edit visibility" +msgstr "Sichtbarkeit bearbeiten" -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Eine Gruppe von Kontakten/Freunden anlegen." +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Beitrag nicht gefunden" -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Gruppenname:" +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Beitrag bearbeiten" -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Gruppe entfernt." +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "Bild hochladen" -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Konnte die Gruppe nicht entfernen." +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "Datei anhängen" -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Gruppeneditor" +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "Datei anhängen" -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Mitglieder" +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "Weblink" -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." -msgstr "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen" +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "Video-Adresse einfügen" -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Quelle (bbcode) Text:" +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "Video-Link" -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Eingabe (Diaspora) nach BBCode zu konvertierender Text:" +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "Audio-Adresse einfügen" -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Originaltext:" +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "Audio-Link" -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (reines HTML): " +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "Deinen Standort festlegen" -#: ../../mod/babel.php:39 -msgid "bb2html: " -msgstr "bb2html: " +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "Ort setzen" -#: ../../mod/babel.php:43 -msgid "bb2html2bb: " -msgstr "bb2html2bb: " +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "Browser-Standort leeren" -#: ../../mod/babel.php:47 -msgid "bb2md: " -msgstr "bb2md: " +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "Ort löschen" -#: ../../mod/babel.php:51 -msgid "bb2md2html: " -msgstr "bb2md2html: " +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "Berechtigungseinstellungen" -#: ../../mod/babel.php:55 -msgid "bb2dia2bb: " -msgstr "bb2dia2bb: " +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "Cc: E-Mail-Addressen" -#: ../../mod/babel.php:59 -msgid "bb2md2html2bb: " -msgstr "bb2md2html2bb: " +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "Öffentlicher Beitrag" -#: ../../mod/babel.php:69 -msgid "Source input (Diaspora format): " -msgstr "Originaltext (Diaspora Format): " +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "Titel setzen" -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "Kategorien (kommasepariert)" -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "Nicht verfügbar." +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Z.B.: bob@example.com, mary@example.com" -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Kontakt hinzugefügt" +#: ../../mod/friendica.php:59 +msgid "This is Friendica, version" +msgstr "Dies ist Friendica, Version" -#: ../../mod/notify.php:75 ../../mod/notifications.php:336 -msgid "No more system notifications." -msgstr "Keine weiteren Systembenachrichtigungen." +#: ../../mod/friendica.php:60 +msgid "running at web location" +msgstr "die unter folgender Webadresse zu finden ist" -#: ../../mod/notify.php:79 ../../mod/notifications.php:340 -msgid "System Notifications" -msgstr "Systembenachrichtigungen" - -#: ../../mod/message.php:9 ../../include/nav.php:162 -msgid "New Message" -msgstr "Neue Nachricht" - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "Konnte die Kontaktinformationen nicht finden." - -#: ../../mod/message.php:182 ../../include/nav.php:159 -msgid "Messages" -msgstr "Nachrichten" - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Möchtest du wirklich diese Nachricht löschen?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Nachricht gelöscht." - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Unterhaltung gelöscht." - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Keine Nachrichten." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "'Unbekannter Absender - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Du und %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s und du" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Unterhaltung löschen" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D, d. M Y - g:i A" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d Nachricht" -msgstr[1] "%d Nachrichten" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Nachricht nicht verfügbar." - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Nachricht löschen" - -#: ../../mod/message.php:548 +#: ../../mod/friendica.php:62 msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Sichere Kommunikation ist nicht verfügbar. Eventuell kannst du auf der Profilseite des Absenders antworten." +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Bitte besuche Friendica.com, um mehr über das Friendica Projekt zu erfahren." -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Antwort senden" +#: ../../mod/friendica.php:64 +msgid "Bug reports and issues: please visit" +msgstr "Probleme oder Fehler gefunden? Bitte besuche" -#: ../../mod/like.php:168 ../../include/conversation.php:140 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s mag %2$ss %3$s nicht" +#: ../../mod/friendica.php:65 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Vorschläge, Lob, Spenden usw.: E-Mail an \"Info\" at Friendica - dot com" -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Beitrag erfolgreich veröffentlicht." +#: ../../mod/friendica.php:79 +msgid "Installed plugins/addons/apps:" +msgstr "Installierte Plugins/Erweiterungen/Apps" -#: ../../mod/localtime.php:12 ../../include/event.php:11 -#: ../../include/bb2diaspora.php:148 +#: ../../mod/friendica.php:92 +msgid "No installed plugins/addons/apps" +msgstr "Keine Plugins/Erweiterungen/Apps installiert" + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Verbindung der Applikation autorisieren" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Gehe zu deiner Anwendung zurück und trage dort folgenden Sicherheitscode ein:" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Bitte melde dich an um fortzufahren." + +#: ../../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 "Möchtest du dieser Anwendung den Zugriff auf deine Beiträge und Kontakte, sowie das Erstellen neuer Beiträge in deinem Namen gestatten?" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Entfernte Privatsphäreneinstellungen nicht verfügbar." + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Sichtbar für:" + +#: ../../mod/notes.php:44 ../../boot.php:2150 +msgid "Personal Notes" +msgstr "Persönliche Notizen" + +#: ../../mod/localtime.php:12 ../../include/bb2diaspora.php:148 +#: ../../include/event.php:11 msgid "l F d, Y \\@ g:i A" msgstr "l, d. F Y\\, H:i" @@ -5044,46 +5190,128 @@ msgstr "Umgerechnete lokale Zeit: %s" msgid "Please select your timezone:" msgstr "Bitte wähle deine Zeitzone:" -#: ../../mod/filer.php:30 ../../include/conversation.php:1006 -#: ../../include/conversation.php:1024 -msgid "Save to Folder:" -msgstr "In diesem Ordner speichern:" +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Anstupsen" -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- auswählen -" +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "Stupse Leute an oder mache anderes mit ihnen" -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Ungültiger Profil-Bezeichner." +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "Empfänger" -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Editor für die Profil-Sichtbarkeit" +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Was willst du mit dem Empfänger machen:" -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Sichtbar für" +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Diesen Beitrag privat machen" -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Alle Kontakte (mit gesichertem Profilzugriff)" +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "Limit für Einladungen erreicht." -#: ../../mod/viewcontacts.php:41 -msgid "No contacts." -msgstr "Keine Kontakte." +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s: Keine gültige Email Adresse." -#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 -msgid "View Contacts" -msgstr "Kontakte anzeigen" +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Ich lade Dich zu unserem sozialen Netzwerk Friendica ein" -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "Personensuche" +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limit für Einladungen erreicht. Bitte kontaktiere des Administrator der Seite." -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "Keine Übereinstimmungen" +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s: Zustellung der Nachricht fehlgeschlagen." + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d Nachricht gesendet." +msgstr[1] "%d Nachrichten gesendet." + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Du hast keine weiteren Einladungen" + +#: ../../mod/invite.php:120 +#, 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 "Besuche %s für eine Liste der öffentlichen Server, denen du beitreten kannst. Friendica Mitglieder unterschiedlicher Server können sich sowohl alle miteinander verbinden, als auch mit Mitgliedern anderer Sozialer Netzwerke." + +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s oder einer anderen öffentlichen Friendica Website." + +#: ../../mod/invite.php:123 +#, 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 Server verbinden sich alle untereinander, um ein großes datenschutzorientiertes Soziales Netzwerk zu bilden, das von seinen Mitgliedern betrieben und kontrolliert wird. Sie können sich auch mit vielen üblichen Sozialen Netzwerken verbinden. Besuche %s für eine Liste alternativer Friendica Server, denen du beitreten kannst." + +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Es tut uns leid. Dieses System ist zurzeit nicht dafür konfiguriert, sich mit anderen öffentlichen Seiten zu verbinden oder Mitglieder einzuladen." + +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Einladungen senden" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "E-Mail-Adressen eingeben, eine pro Zeile:" + +#: ../../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 "Du bist herzlich dazu eingeladen, dich mir und anderen guten Freunden auf Friendica anzuschließen - und ein besseres Soziales Netz aufzubauen." + +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Du benötigst den folgenden Einladungscode: $invite_code" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Sobald du registriert bist, kontaktiere mich bitte auf meiner Profilseite:" + +#: ../../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 "Für weitere Informationen über das Friendica Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendica.com" + +#: ../../mod/photos.php:52 ../../boot.php:2129 +msgid "Photo Albums" +msgstr "Fotoalben" + +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 +#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" +msgstr "Kontaktbilder" #: ../../mod/photos.php:67 ../../mod/photos.php:1262 ../../mod/photos.php:1819 msgid "Upload New Photos" @@ -5130,24 +5358,10 @@ msgstr "Die Bildgröße übersteigt das Limit von " msgid "Image file is empty." msgstr "Bilddatei ist leer." -#: ../../mod/photos.php:807 ../../mod/wall_upload.php:144 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Konnte das Bild nicht bearbeiten." - -#: ../../mod/photos.php:834 ../../mod/wall_upload.php:172 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Hochladen des Bildes gescheitert." - #: ../../mod/photos.php:930 msgid "No photos selected" msgstr "Keine Bilder ausgewählt" -#: ../../mod/photos.php:1031 ../../mod/videos.php:226 -msgid "Access to this item is restricted." -msgstr "Zugriff zu diesem Eintrag wurde eingeschränkt." - #: ../../mod/photos.php:1094 #, php-format msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." @@ -5266,718 +5480,270 @@ msgstr "Öffentliches Foto" msgid "Share" msgstr "Teilen" -#: ../../mod/photos.php:1808 ../../mod/videos.php:308 -msgid "View Album" -msgstr "Album betrachten" - #: ../../mod/photos.php:1817 msgid "Recent Photos" msgstr "Neueste Fotos" -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Entschuldige, die Datei scheint größer zu sein als es die PHP Konfiguration erlaubt." +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "Konto freigegeben." -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "Oder - hast Du versucht, eine leere Datei hochzuladen?" - -#: ../../mod/wall_attach.php:81 +#: ../../mod/regmod.php:92 #, php-format -msgid "File exceeds size limit of %d" -msgstr "Die Datei ist größer als das erlaubte Limit von %d" +msgid "Registration revoked for %s" +msgstr "Registrierung für %s wurde zurückgezogen" -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "Hochladen der Datei fehlgeschlagen." +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "Bitte melde dich an." -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "Keine Videos ausgewählt" +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Account umziehen" -#: ../../mod/videos.php:301 ../../include/text.php:1405 -msgid "View Video" -msgstr "Video ansehen" +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Du kannst einen Account von einem anderen Friendica Server importieren." -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Neueste Videos" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Neues Video hochladen" - -#: ../../mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Anstupsen" - -#: ../../mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "Stupse Leute an oder mache anderes mit ihnen" - -#: ../../mod/poke.php:194 -msgid "Recipient" -msgstr "Empfänger" - -#: ../../mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Was willst du mit dem Empfänger machen:" - -#: ../../mod/poke.php:198 -msgid "Make this post private" -msgstr "Diesen Beitrag privat machen" - -#: ../../mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s folgt %2$s %3$s" - -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Account exportieren" - -#: ../../mod/uexport.php:77 +#: ../../mod/uimport.php:68 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 "Exportiere deine Accountinformationen und Kontakte. Verwende dies um ein Backup deines Accounts anzulegen und/oder damit auf einen anderen Server umzuziehen." +"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 "Du musst deinen Account vom alten Server exportieren und hier hochladen. Wir stellen deinen alten Account mit all deinen Kontakten wieder her. Wir werden auch versuchen all deine Freunde darüber zu informieren, dass du hierher umgezogen bist." -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Alles exportieren" - -#: ../../mod/uexport.php:78 +#: ../../mod/uimport.php:69 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 "Exportiere deine Account Informationen, Kontakte und alle Einträge als JSON Datei. Dies könnte eine sehr große Datei werden und dementsprechend viel Zeit benötigen. Verwende dies um ein komplettes Backup deines Accounts anzulegen (Fotos werden nicht exportiert)." +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Dieses Feature ist experimentell. Wir können keine Kontakte vom OStatus Netzwerk (statusnet/identi.ca) oder von Diaspora importieren" -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Gemeinsame Freunde" +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "Account Datei" -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Keine gemeinsamen Kontakte." - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "Bildgröße überschreitet das Limit von %d" - -#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 -#: ../../mod/wall_upload.php:185 ../../mod/item.php:484 -#: ../../include/Photo.php:916 ../../include/Photo.php:931 -#: ../../include/Photo.php:938 ../../include/Photo.php:960 -#: ../../include/message.php:144 -msgid "Wall Photos" -msgstr "Pinnwand-Bilder" - -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Bild hochgeladen, aber das Zuschneiden schlug fehl." - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Verkleinern der Bildgröße von [%s] scheiterte." - -#: ../../mod/profile_photo.php:118 +#: ../../mod/uimport.php:70 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Drücke Umschalt+Neu Laden oder leere den Browser-Cache, falls das neue Foto nicht gleich angezeigt wird." +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "Um deinen Account zu exportieren, rufe \"Einstellungen -> Persönliche Daten exportieren\" auf und wähle \"Account exportieren\"" -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "Bild konnte nicht verarbeitet werden" +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Beitrag nicht verfügbar." -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "Datei hochladen:" +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Beitrag konnte nicht gefunden werden." -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "Profil auswählen:" +#: ../../boot.php:749 +msgid "Delete this item?" +msgstr "Diesen Beitrag löschen?" -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "Hochladen" +#: ../../boot.php:752 +msgid "show fewer" +msgstr "weniger anzeigen" -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "diesen Schritt überspringen" - -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "wähle ein Foto aus deinen Fotoalben" - -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "Bild zurechtschneiden" - -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Passe bitte den Bildausschnitt an, damit das Bild optimal dargestellt werden kann." - -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "Bearbeitung abgeschlossen" - -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "Bild erfolgreich hochgeladen." - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Anwendungen" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Keine Applikationen installiert." - -#: ../../mod/navigation.php:20 ../../include/nav.php:34 -msgid "Nothing new here" -msgstr "Keine Neuigkeiten" - -#: ../../mod/navigation.php:24 ../../include/nav.php:38 -msgid "Clear notifications" -msgstr "Bereinige Benachrichtigungen" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "Profilübereinstimmungen" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Keine Schlüsselwörter zum Abgleichen gefunden. Bitte füge einige Schlüsselwörter zu deinem Standardprofil hinzu." - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "ist interessiert an:" - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Tag entfernt" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Gegenstands-Tag entfernen" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Wähle ein Tag zum Entfernen aus: " - -#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 -msgid "Remove" -msgstr "Entfernen" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l, F j" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Veranstaltung bearbeiten" - -#: ../../mod/events.php:335 ../../include/text.php:1647 -#: ../../include/text.php:1657 -msgid "link to source" -msgstr "Link zum Originalbeitrag" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Neue Veranstaltung erstellen" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Vorherige" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "Stunde:Minute" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Veranstaltungsdetails" - -#: ../../mod/events.php:457 +#: ../../boot.php:1122 #, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "Das Format ist %s %s. Beginnzeitpunkt und Titel werden benötigt." +msgid "Update %s failed. See error logs." +msgstr "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen." -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "Veranstaltungsbeginn:" +#: ../../boot.php:1240 +msgid "Create a New Account" +msgstr "Neues Konto erstellen" -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Benötigt" +#: ../../boot.php:1265 ../../include/nav.php:73 +msgid "Logout" +msgstr "Abmelden" -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "Enddatum/-zeit ist nicht bekannt oder nicht relevant" +#: ../../boot.php:1268 +msgid "Nickname or Email address: " +msgstr "Spitzname oder E-Mail-Adresse: " -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "Veranstaltungsende:" +#: ../../boot.php:1269 +msgid "Password: " +msgstr "Passwort: " -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "An Zeitzone des Betrachters anpassen" +#: ../../boot.php:1270 +msgid "Remember me" +msgstr "Anmeldedaten merken" -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Beschreibung" +#: ../../boot.php:1273 +msgid "Or login using OpenID: " +msgstr "Oder melde dich mit deiner OpenID an: " -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Titel:" +#: ../../boot.php:1279 +msgid "Forgot your password?" +msgstr "Passwort vergessen?" -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Veranstaltung teilen" +#: ../../boot.php:1282 +msgid "Website Terms of Service" +msgstr "Website Nutzungsbedingungen" -#: ../../mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Keine potentiellen Bevollmächtigten für die Seite gefunden." +#: ../../boot.php:1283 +msgid "terms of service" +msgstr "Nutzungsbedingungen" -#: ../../mod/delegate.php:130 ../../include/nav.php:168 -msgid "Delegate Page Management" -msgstr "Delegiere das Management für die Seite" +#: ../../boot.php:1285 +msgid "Website Privacy Policy" +msgstr "Website Datenschutzerklärung" -#: ../../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 "Bevollmächtigte sind in der Lage, alle Aspekte dieses Kontos/dieser Seite zu verwalten, abgesehen von den Grundeinstellungen des Kontos. Bitte gib niemandem eine Bevollmächtigung für deinen privaten Account, dem du nicht absolut vertraust!" +#: ../../boot.php:1286 +msgid "privacy policy" +msgstr "Datenschutzerklärung" -#: ../../mod/delegate.php:133 -msgid "Existing Page Managers" -msgstr "Vorhandene Seitenmanager" +#: ../../boot.php:1419 +msgid "Requested account is not available." +msgstr "Das angefragte Profil ist nicht vorhanden." -#: ../../mod/delegate.php:135 -msgid "Existing Page Delegates" -msgstr "Vorhandene Bevollmächtigte für die Seite" +#: ../../boot.php:1501 ../../boot.php:1635 +#: ../../include/profile_advanced.php:84 +msgid "Edit profile" +msgstr "Profil bearbeiten" -#: ../../mod/delegate.php:137 -msgid "Potential Delegates" -msgstr "Potentielle Bevollmächtigte" +#: ../../boot.php:1600 +msgid "Message" +msgstr "Nachricht" -#: ../../mod/delegate.php:140 -msgid "Add" -msgstr "Hinzufügen" +#: ../../boot.php:1606 ../../include/nav.php:175 +msgid "Profiles" +msgstr "Profile" -#: ../../mod/delegate.php:141 -msgid "No entries." -msgstr "Keine Einträge." +#: ../../boot.php:1606 +msgid "Manage/edit profiles" +msgstr "Profile verwalten/editieren" -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Kontakte, die keiner Gruppe zugewiesen sind" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "Dateien" - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "System zur Wartung abgeschaltet" - -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Konto löschen" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Dein Konto wird endgültig gelöscht. Es gibt keine Möglichkeit, es wiederherzustellen." - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Bitte gib dein Passwort zur Verifikation ein:" - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Kontaktvorschlag gesendet." - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Kontakte vorschlagen" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Schlage %s einen Kontakt vor" - -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "Konnte den Originalbeitrag nicht finden." - -#: ../../mod/item.php:345 -msgid "Empty post discarded." -msgstr "Leerer Beitrag wurde verworfen." - -#: ../../mod/item.php:938 -msgid "System error. Post not saved." -msgstr "Systemfehler. Beitrag konnte nicht gespeichert werden." - -#: ../../mod/item.php:964 -#, php-format -msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Diese Nachricht wurde dir von %s geschickt, einem Mitglied des Sozialen Netzwerks Friendica." - -#: ../../mod/item.php:966 -#, php-format -msgid "You may visit them online at %s" -msgstr "Du kannst sie online unter %s besuchen" - -#: ../../mod/item.php:967 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Falls du diese Beiträge nicht erhalten möchtest, kontaktiere bitte den Autor, indem du auf diese Nachricht antwortest." - -#: ../../mod/item.php:971 -#, php-format -msgid "%s posted an update." -msgstr "%s hat ein Update veröffentlicht." - -#: ../../mod/ping.php:240 -msgid "{0} wants to be your friend" -msgstr "{0} möchte mit dir in Kontakt treten" - -#: ../../mod/ping.php:245 -msgid "{0} sent you a message" -msgstr "{0} schickte dir eine Nachricht" - -#: ../../mod/ping.php:250 -msgid "{0} requested registration" -msgstr "{0} möchte sich registrieren" - -#: ../../mod/ping.php:256 -#, php-format -msgid "{0} commented %s's post" -msgstr "{0} kommentierte einen Beitrag von %s" - -#: ../../mod/ping.php:261 -#, php-format -msgid "{0} liked %s's post" -msgstr "{0} mag %ss Beitrag" - -#: ../../mod/ping.php:266 -#, php-format -msgid "{0} disliked %s's post" -msgstr "{0} mag %ss Beitrag nicht" - -#: ../../mod/ping.php:271 -#, php-format -msgid "{0} is now friends with %s" -msgstr "{0} ist jetzt mit %s befreundet" - -#: ../../mod/ping.php:276 -msgid "{0} posted" -msgstr "{0} hat etwas veröffentlicht" - -#: ../../mod/ping.php:281 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "{0} hat %ss Beitrag mit dem Schlagwort #%s versehen" - -#: ../../mod/ping.php:287 -msgid "{0} mentioned you in a post" -msgstr "{0} hat dich in einem Beitrag erwähnt" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "OpenID Protokollfehler. Keine ID zurückgegeben." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "Nutzerkonto wurde nicht gefunden und OpenID-Registrierung ist auf diesem Server nicht gestattet." - -#: ../../mod/openid.php:93 ../../include/auth.php:112 -#: ../../include/auth.php:175 -msgid "Login failed." -msgstr "Anmeldung fehlgeschlagen." - -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "Invalid request identifier." - -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "Verwerfen" - -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "System" - -#: ../../mod/notifications.php:83 ../../include/nav.php:143 -msgid "Network" +#: ../../boot.php:1706 +msgid "Network:" msgstr "Netzwerk" -#: ../../mod/notifications.php:98 ../../include/nav.php:152 -msgid "Introductions" -msgstr "Kontaktanfragen" +#: ../../boot.php:1736 ../../boot.php:1822 +msgid "g A l F d" +msgstr "l, d. F G \\U\\h\\r" -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "Zeige ignorierte Anfragen" +#: ../../boot.php:1737 ../../boot.php:1823 +msgid "F d" +msgstr "d. F" -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "Verberge ignorierte Anfragen" +#: ../../boot.php:1782 ../../boot.php:1863 +msgid "[today]" +msgstr "[heute]" -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "Benachrichtigungstyp: " +#: ../../boot.php:1794 +msgid "Birthday Reminders" +msgstr "Geburtstagserinnerungen" -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "Kontaktvorschlag" +#: ../../boot.php:1795 +msgid "Birthdays this week:" +msgstr "Geburtstage diese Woche:" -#: ../../mod/notifications.php:152 -#, php-format -msgid "suggested by %s" -msgstr "vorgeschlagen von %s" +#: ../../boot.php:1856 +msgid "[No description]" +msgstr "[keine Beschreibung]" -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "Neue-Kontakt Nachricht senden" +#: ../../boot.php:1874 +msgid "Event Reminders" +msgstr "Veranstaltungserinnerungen" -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "falls anwendbar" +#: ../../boot.php:1875 +msgid "Events this week:" +msgstr "Veranstaltungen diese Woche" -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "Behauptet dich zu kennen: " +#: ../../boot.php:2112 ../../include/nav.php:76 +msgid "Status" +msgstr "Status" -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "ja" +#: ../../boot.php:2115 +msgid "Status Messages and Posts" +msgstr "Statusnachrichten und Beiträge" -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "nein" +#: ../../boot.php:2122 +msgid "Profile Details" +msgstr "Profildetails" -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "Genehmigen als: " +#: ../../boot.php:2133 ../../boot.php:2136 ../../include/nav.php:79 +msgid "Videos" +msgstr "Videos" -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "Freund" +#: ../../boot.php:2146 +msgid "Events and Calendar" +msgstr "Ereignisse und Kalender" -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "Teilenden" +#: ../../boot.php:2153 +msgid "Only You Can See This" +msgstr "Nur du kannst das sehen" -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "Fan/Verehrer" +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "Dieser Beitrag wurde bearbeitet." -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "Kontakt-/Freundschaftsanfrage" +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "Thread ignorieren" -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "Neuer Bewunderer" +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "Thread nicht mehr ignorieren" -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "Keine Kontaktanfragen." +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "Ignoriert-Status ein-/ausschalten" -#: ../../mod/notifications.php:220 ../../include/nav.php:153 -msgid "Notifications" -msgstr "Benachrichtigungen" +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "Ignoriert" -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "%s mag %ss Beitrag" +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "Kategorien:" -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "%s mag %ss Beitrag nicht" +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "Abgelegt unter:" -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s ist jetzt mit %s befreundet" +#: ../../object/Item.php:329 +msgid "via" +msgstr "via" -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "%s hat einen neuen Beitrag erstellt" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s hat %ss Beitrag kommentiert" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "Keine weiteren Netzwerk-Benachrichtigungen." - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "Netzwerk Benachrichtigungen" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "Keine weiteren persönlichen Benachrichtigungen" - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "Persönliche Benachrichtigungen" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "Keine weiteren Pinnwand-Benachrichtigungen" - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "Pinnwand Benachrichtigungen" - -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Limit für Einladungen erreicht." - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s: Keine gültige Email Adresse." - -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Ich lade Dich zu unserem sozialen Netzwerk Friendica ein" - -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limit für Einladungen erreicht. Bitte kontaktiere des Administrator der Seite." - -#: ../../mod/invite.php:89 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s: Zustellung der Nachricht fehlgeschlagen." - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d Nachricht gesendet." -msgstr[1] "%d Nachrichten gesendet." - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Du hast keine weiteren Einladungen" - -#: ../../mod/invite.php:120 +#: ../../include/dbstructure.php:26 #, 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 "Besuche %s für eine Liste der öffentlichen Server, denen du beitreten kannst. Friendica Mitglieder unterschiedlicher Server können sich sowohl alle miteinander verbinden, als auch mit Mitgliedern anderer Sozialer Netzwerke." +"\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 "\nDie Friendica-Entwickler haben vor kurzem das Update %s veröffentlicht, aber bei der Installation ging etwas schrecklich schief.\n\nDas Problem sollte so schnell wie möglich gelöst werden, aber ich schaffe es nicht alleine. Bitte kontaktiere einen Friendica-Entwickler falls du mir nicht alleine helfen kannst. Meine Datenbank könnte ungültig sein." -#: ../../mod/invite.php:122 +#: ../../include/dbstructure.php:31 #, php-format msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s oder einer anderen öffentlichen Friendica Website." +"The error message is\n" +"[pre]%s[/pre]" +msgstr "Die Fehlermeldung lautet\n[pre]%s[/pre]" -#: ../../mod/invite.php:123 -#, php-format +#: ../../include/dbstructure.php:162 +msgid "Errors encountered creating database tables." +msgstr "Fehler aufgetreten während der Erzeugung der Datenbanktabellen." + +#: ../../include/dbstructure.php:220 +msgid "Errors encountered performing database changes." +msgstr "Es sind Fehler beim Bearbeiten der Datenbank aufgetreten." + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Abgemeldet." + +#: ../../include/auth.php:128 ../../include/user.php:67 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 Server verbinden sich alle untereinander, um ein großes datenschutzorientiertes Soziales Netzwerk zu bilden, das von seinen Mitgliedern betrieben und kontrolliert wird. Sie können sich auch mit vielen üblichen Sozialen Netzwerken verbinden. Besuche %s für eine Liste alternativer Friendica Server, denen du beitreten kannst." +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Beim Versuch dich mit der von dir angegebenen OpenID anzumelden trat ein Problem auf. Bitte überprüfe, dass du die OpenID richtig geschrieben hast." -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Es tut uns leid. Dieses System ist zurzeit nicht dafür konfiguriert, sich mit anderen öffentlichen Seiten zu verbinden oder Mitglieder einzuladen." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Einladungen senden" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "E-Mail-Adressen eingeben, eine pro Zeile:" - -#: ../../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 "Du bist herzlich dazu eingeladen, dich mir und anderen guten Freunden auf Friendica anzuschließen - und ein besseres Soziales Netz aufzubauen." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Du benötigst den folgenden Einladungscode: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Sobald du registriert bist, kontaktiere mich bitte auf meiner Profilseite:" - -#: ../../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 "Für weitere Informationen über das Friendica Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendica.com" - -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Verwalte Identitäten und/oder Seiten" - -#: ../../mod/manage.php:107 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Zwischen verschiedenen Identitäten oder Gemeinschafts-/Gruppenseiten wechseln, die deine Kontoinformationen teilen oder zu denen du „Verwalten“-Befugnisse bekommen hast." - -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Wähle eine Identität zum Verwalten aus: " - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Willkommen zu %s" - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "Freunde von %s" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "Keine Freunde zum Anzeigen." +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Die Fehlermeldung lautete:" #: ../../include/contact_widgets.php:6 msgid "Add New Contact" @@ -6014,10 +5780,18 @@ msgstr "Verbinden/Folgen" msgid "Examples: Robert Morgenstein, Fishing" msgstr "Beispiel: Robert Morgenstein, Angeln" +#: ../../include/contact_widgets.php:36 ../../view/theme/diabook/theme.php:526 +msgid "Similar Interests" +msgstr "Ähnliche Interessen" + #: ../../include/contact_widgets.php:37 msgid "Random Profile" msgstr "Zufälliges Profil" +#: ../../include/contact_widgets.php:38 ../../view/theme/diabook/theme.php:528 +msgid "Invite Friends" +msgstr "Freunde einladen" + #: ../../include/contact_widgets.php:71 msgid "Networks" msgstr "Netzwerke" @@ -6038,210 +5812,419 @@ msgstr "Alles" msgid "Categories" msgstr "Kategorien" -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Zum Upgraden hier klicken." +#: ../../include/features.php:23 +msgid "General Features" +msgstr "Allgemeine Features" -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Diese Aktion überschreitet die Obergrenze deines Abonnements." +#: ../../include/features.php:25 +msgid "Multiple Profiles" +msgstr "Mehrere Profile" -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Diese Aktion ist in deinem Abonnement nicht verfügbar." +#: ../../include/features.php:25 +msgid "Ability to create multiple profiles" +msgstr "Möglichkeit mehrere Profile zu erstellen" -#: ../../include/api.php:304 ../../include/api.php:315 -#: ../../include/api.php:416 ../../include/api.php:1063 -#: ../../include/api.php:1065 -msgid "User not found." -msgstr "Nutzer nicht gefunden." +#: ../../include/features.php:30 +msgid "Post Composition Features" +msgstr "Beitragserstellung Features" -#: ../../include/api.php:771 -#, php-format -msgid "Daily posting limit of %d posts reached. The post was rejected." -msgstr "Das tägliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen." +#: ../../include/features.php:31 +msgid "Richtext Editor" +msgstr "Web-Editor" -#: ../../include/api.php:790 -#, php-format -msgid "Weekly posting limit of %d posts reached. The post was rejected." -msgstr "Das wöchentliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen." +#: ../../include/features.php:31 +msgid "Enable richtext editor" +msgstr "Den Web-Editor für neue Beiträge aktivieren" -#: ../../include/api.php:809 -#, php-format -msgid "Monthly posting limit of %d posts reached. The post was rejected." -msgstr "Das monatliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen." +#: ../../include/features.php:32 +msgid "Post Preview" +msgstr "Beitragsvorschau" -#: ../../include/api.php:1272 -msgid "There is no status with this id." -msgstr "Es gibt keinen Status mit dieser ID." +#: ../../include/features.php:32 +msgid "Allow previewing posts and comments before publishing them" +msgstr "Die Vorschau von Beiträgen und Kommentaren vor dem absenden erlauben." -#: ../../include/api.php:1342 -msgid "There is no conversation with this id." -msgstr "Es existiert keine Unterhaltung mit dieser ID." +#: ../../include/features.php:33 +msgid "Auto-mention Forums" +msgstr "Foren automatisch erwähnen" -#: ../../include/api.php:1614 -msgid "Invalid request." -msgstr "Ungültige Anfrage" - -#: ../../include/api.php:1625 -msgid "Invalid item." -msgstr "Ungültiges Objekt" - -#: ../../include/api.php:1635 -msgid "Invalid action. " -msgstr "Ungültige Aktion" - -#: ../../include/api.php:1643 -msgid "DB error" -msgstr "DB Error" - -#: ../../include/network.php:895 -msgid "view full size" -msgstr "Volle Größe anzeigen" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:154 -msgid "Starts:" -msgstr "Beginnt:" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:162 -msgid "Finishes:" -msgstr "Endet:" - -#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Kann die DNS Informationen für den Datenbankserver '%s' nicht ermitteln." - -#: ../../include/notifier.php:786 ../../include/delivery.php:456 -msgid "(no subject)" -msgstr "(kein Betreff)" - -#: ../../include/notifier.php:796 ../../include/enotify.php:33 -#: ../../include/delivery.php:467 -msgid "noreply" -msgstr "noreply" - -#: ../../include/user.php:40 -msgid "An invitation is required." -msgstr "Du benötigst eine Einladung." - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "Die Einladung konnte nicht überprüft werden." - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "Ungültige OpenID URL" - -#: ../../include/user.php:67 ../../include/auth.php:128 +#: ../../include/features.php:33 msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Beim Versuch dich mit der von dir angegebenen OpenID anzumelden trat ein Problem auf. Bitte überprüfe, dass du die OpenID richtig geschrieben hast." +"Add/remove mention when a fourm page is selected/deselected in ACL window." +msgstr "Automatisch eine @-Erwähnung eines Forums einfügen/entfehrnen, wenn dieses im ACL Fenster de-/markiert wurde." -#: ../../include/user.php:67 ../../include/auth.php:128 -msgid "The error message was:" -msgstr "Die Fehlermeldung lautete:" +#: ../../include/features.php:38 +msgid "Network Sidebar Widgets" +msgstr "Widgets für Netzwerk und Seitenleiste" -#: ../../include/user.php:74 -msgid "Please enter the required information." -msgstr "Bitte trage die erforderlichen Informationen ein." +#: ../../include/features.php:39 +msgid "Search by Date" +msgstr "Archiv" -#: ../../include/user.php:88 -msgid "Please use a shorter name." -msgstr "Bitte verwende einen kürzeren Namen." +#: ../../include/features.php:39 +msgid "Ability to select posts by date ranges" +msgstr "Möglichkeit die Beiträge nach Datumsbereichen zu sortieren" -#: ../../include/user.php:90 -msgid "Name too short." -msgstr "Der Name ist zu kurz." +#: ../../include/features.php:40 +msgid "Group Filter" +msgstr "Gruppen Filter" -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Das scheint nicht dein kompletter Name (Vor- und Nachname) zu sein." +#: ../../include/features.php:40 +msgid "Enable widget to display Network posts only from selected group" +msgstr "Widget zur Darstellung der Beiträge nach Kontaktgruppen sortiert aktivieren." -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." -msgstr "Die Domain deiner E-Mail Adresse ist auf dieser Seite nicht erlaubt." +#: ../../include/features.php:41 +msgid "Network Filter" +msgstr "Netzwerk Filter" -#: ../../include/user.php:113 -msgid "Not a valid email address." -msgstr "Keine gültige E-Mail-Adresse." +#: ../../include/features.php:41 +msgid "Enable widget to display Network posts only from selected network" +msgstr "Widget zum filtern der Beiträge in Abhängigkeit des Netzwerks aus dem der Ersteller sendet aktivieren." -#: ../../include/user.php:126 -msgid "Cannot use that email." -msgstr "Konnte diese E-Mail-Adresse nicht verwenden." +#: ../../include/features.php:42 +msgid "Save search terms for re-use" +msgstr "Speichere Suchanfragen für spätere Wiederholung." -#: ../../include/user.php:132 +#: ../../include/features.php:47 +msgid "Network Tabs" +msgstr "Netzwerk Reiter" + +#: ../../include/features.php:48 +msgid "Network Personal Tab" +msgstr "Netzwerk-Reiter: Persönlich" + +#: ../../include/features.php:48 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Aktiviert einen Netzwerk-Reiter in dem Nachrichten angezeigt werden mit denen du interagiert hast" + +#: ../../include/features.php:49 +msgid "Network New Tab" +msgstr "Netzwerk-Reiter: Neue" + +#: ../../include/features.php:49 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "Aktiviert einen Netzwerk-Reiter in dem ausschließlich neue Beiträge (der letzten 12 Stunden) angezeigt werden" + +#: ../../include/features.php:50 +msgid "Network Shared Links Tab" +msgstr "Netzwerk-Reiter: Geteilte Links" + +#: ../../include/features.php:50 +msgid "Enable tab to display only Network posts with links in them" +msgstr "Aktiviert einen Netzwerk-Reiter der ausschließlich Nachrichten mit Links enthält" + +#: ../../include/features.php:55 +msgid "Post/Comment Tools" +msgstr "Werkzeuge für Beiträge und Kommentare" + +#: ../../include/features.php:56 +msgid "Multiple Deletion" +msgstr "Mehrere Beiträge löschen" + +#: ../../include/features.php:56 +msgid "Select and delete multiple posts/comments at once" +msgstr "Mehrere Beiträge/Kommentare markieren und gleichzeitig löschen" + +#: ../../include/features.php:57 +msgid "Edit Sent Posts" +msgstr "Gesendete Beiträge editieren" + +#: ../../include/features.php:57 +msgid "Edit and correct posts and comments after sending" +msgstr "Erlaubt es Beiträge und Kommentare nach dem Senden zu editieren bzw.zu korrigieren." + +#: ../../include/features.php:58 +msgid "Tagging" +msgstr "Tagging" + +#: ../../include/features.php:58 +msgid "Ability to tag existing posts" +msgstr "Möglichkeit bereits existierende Beiträge nachträglich mit Tags zu versehen." + +#: ../../include/features.php:59 +msgid "Post Categories" +msgstr "Beitragskategorien" + +#: ../../include/features.php:59 +msgid "Add categories to your posts" +msgstr "Eigene Beiträge mit Kategorien versehen" + +#: ../../include/features.php:60 +msgid "Ability to file posts under folders" +msgstr "Beiträge in Ordnern speichern aktivieren" + +#: ../../include/features.php:61 +msgid "Dislike Posts" +msgstr "Beiträge 'nicht mögen'" + +#: ../../include/features.php:61 +msgid "Ability to dislike posts/comments" +msgstr "Ermöglicht es Beiträge mit einem Klick 'nicht zu mögen'" + +#: ../../include/features.php:62 +msgid "Star Posts" +msgstr "Beiträge Markieren" + +#: ../../include/features.php:62 +msgid "Ability to mark special posts with a star indicator" +msgstr "Erlaubt es Beiträge mit einem Stern-Indikator zu markieren" + +#: ../../include/features.php:63 +msgid "Mute Post Notifications" +msgstr "Benachrichtigungen für Beiträge Stumm schalten" + +#: ../../include/features.php:63 +msgid "Ability to mute notifications for a thread" +msgstr "Möglichkeit Benachrichtigungen für einen Thread abbestellen zu können" + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "Connect-URL fehlt" + +#: ../../include/follow.php:59 msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\", \"_\" und \"-\") bestehen, außerdem muss er mit einem Buchstaben beginnen." +"This site is not configured to allow communications with other networks." +msgstr "Diese Seite ist so konfiguriert, dass keine Kommunikation mit anderen Netzwerken erfolgen kann." -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." -msgstr "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen." +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Es wurden keine kompatiblen Kommunikationsprotokolle oder Feeds gefunden." -#: ../../include/user.php:148 +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "Die angegebene Profiladresse liefert unzureichende Informationen." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Es wurde kein Autor oder Name gefunden." + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Zu dieser Adresse konnte keine passende Browser URL gefunden werden." + +#: ../../include/follow.php:86 msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen." +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Konnte die @-Adresse mit keinem der bekannten Protokolle oder Email-Kontakte abgleichen." -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden." +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Verwende mailto: vor der Email Adresse, um eine Überprüfung der E-Mail-Adresse zu erzwingen." -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." -msgstr "Während der Anmeldung ist ein Fehler aufgetreten. Bitte versuche es noch einmal." +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "Die Adresse dieses Profils gehört zu einem Netzwerk, mit dem die Kommunikation auf dieser Seite ausgeschaltet wurde." -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." -msgstr "Bei der Erstellung des Standardprofils ist ein Fehler aufgetreten. Bitte versuche es noch einmal." +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Eingeschränktes Profil. Diese Person wird keine direkten/privaten Nachrichten von dir erhalten können." -#: ../../include/user.php:289 ../../include/user.php:293 -#: ../../include/profile_selectors.php:42 -msgid "Friends" -msgstr "Freunde" +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Konnte die Kontaktinformationen nicht empfangen." -#: ../../include/user.php:377 +#: ../../include/follow.php:258 +msgid "following" +msgstr "folgen" + +#: ../../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 "Eine gelöschte Gruppe mit diesem Namen wurde wiederbelebt. Bestehende Berechtigungseinstellungen könnten auf diese Gruppe oder zukünftige Mitglieder angewandt werden. Falls du dies nicht möchtest, erstelle bitte eine andere Gruppe mit einem anderen Namen." + +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Voreingestellte Gruppe für neue Kontakte" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Alle Kontakte" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "bearbeiten" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Gruppe bearbeiten" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Neue Gruppe erstellen" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Kontakte in keiner Gruppe" + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Verschiedenes" + +#: ../../include/datetime.php:153 ../../include/datetime.php:290 +msgid "year" +msgstr "Jahr" + +#: ../../include/datetime.php:158 ../../include/datetime.php:291 +msgid "month" +msgstr "Monat" + +#: ../../include/datetime.php:163 ../../include/datetime.php:293 +msgid "day" +msgstr "Tag" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "nie" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "vor weniger als einer Sekunde" + +#: ../../include/datetime.php:290 +msgid "years" +msgstr "Jahre" + +#: ../../include/datetime.php:291 +msgid "months" +msgstr "Monate" + +#: ../../include/datetime.php:292 +msgid "week" +msgstr "Woche" + +#: ../../include/datetime.php:292 +msgid "weeks" +msgstr "Wochen" + +#: ../../include/datetime.php:293 +msgid "days" +msgstr "Tage" + +#: ../../include/datetime.php:294 +msgid "hour" +msgstr "Stunde" + +#: ../../include/datetime.php:294 +msgid "hours" +msgstr "Stunden" + +#: ../../include/datetime.php:295 +msgid "minute" +msgstr "Minute" + +#: ../../include/datetime.php:295 +msgid "minutes" +msgstr "Minuten" + +#: ../../include/datetime.php:296 +msgid "second" +msgstr "Sekunde" + +#: ../../include/datetime.php:296 +msgid "seconds" +msgstr "Sekunden" + +#: ../../include/datetime.php:305 #, 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 "\nHallo %1$s,\n\ndanke für deine Registrierung auf %2$s. Dein Account wurde eingerichtet." +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s her" -#: ../../include/user.php:381 +#: ../../include/datetime.php:477 ../../include/items.php:2211 #, php-format +msgid "%s's birthday" +msgstr "%ss Geburtstag" + +#: ../../include/datetime.php:478 ../../include/items.php:2212 +#, php-format +msgid "Happy Birthday %s" +msgstr "Herzlichen Glückwunsch %s" + +#: ../../include/acl_selectors.php:333 +msgid "Visible to everybody" +msgstr "Für jeden sichtbar" + +#: ../../include/acl_selectors.php:334 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "show" +msgstr "zeigen" + +#: ../../include/acl_selectors.php:335 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "don't show" +msgstr "nicht zeigen" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[kein Betreff]" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "wird nicht mehr gefolgt" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "Anstupsen" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "Pinnwand anschauen" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "Profil anschauen" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "Bilder anschauen" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "Netzwerkbeiträge" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "Kontakt bearbeiten" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Kontakt löschen" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "Private Nachricht senden" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Willkommen " + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Bitte lade ein Profilbild hoch." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Willkommen zurück " + +#: ../../include/security.php:366 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 "\nDie Anmelde-Details sind die folgenden:\n\tAdresse der Seite:\t%3$s\n\tBenutzernamename:\t%1$s\n\tPasswort:\t%5$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich\nangemeldet hast.\n\nBitte nimm dir ein paar Minuten um die anderen Einstellungen auf dieser\nSeite zu kontrollieren.\n\nEventuell magst du ja auch einige Informationen über dich in deinem\nProfil veröffentlichen, damit andere Leute dich einfacher finden können.\nBearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).\n\nWir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir\npassendes Profilbild zu wählen, damit dich alte Bekannte wieder finden.\nAußerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter\nangibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.\n\nWir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.\nWenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie\nallerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2$s." +"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 "Das Sicherheitsmerkmal war nicht korrekt. Das passiert meistens wenn das Formular vor dem Absenden zu lange geöffnet war (länger als 3 Stunden)." + +#: ../../include/conversation.php:118 ../../include/conversation.php:246 +#: ../../include/text.php:1966 ../../view/theme/diabook/theme.php:463 +msgid "event" +msgstr "Veranstaltung" #: ../../include/conversation.php:207 #, php-format @@ -6273,37 +6256,6 @@ msgstr "Lösche die markierten Beiträge" msgid "Follow Thread" msgstr "Folge der Unterhaltung" -#: ../../include/conversation.php:876 ../../include/Contact.php:229 -msgid "View Status" -msgstr "Pinnwand anschauen" - -#: ../../include/conversation.php:877 ../../include/Contact.php:230 -msgid "View Profile" -msgstr "Profil anschauen" - -#: ../../include/conversation.php:878 ../../include/Contact.php:231 -msgid "View Photos" -msgstr "Bilder anschauen" - -#: ../../include/conversation.php:879 ../../include/Contact.php:232 -#: ../../include/Contact.php:255 -msgid "Network Posts" -msgstr "Netzwerkbeiträge" - -#: ../../include/conversation.php:880 ../../include/Contact.php:233 -#: ../../include/Contact.php:255 -msgid "Edit Contact" -msgstr "Kontakt bearbeiten" - -#: ../../include/conversation.php:881 ../../include/Contact.php:235 -#: ../../include/Contact.php:255 -msgid "Send PM" -msgstr "Private Nachricht senden" - -#: ../../include/conversation.php:882 ../../include/Contact.php:228 -msgid "Poke" -msgstr "Anstupsen" - #: ../../include/conversation.php:944 #, php-format msgid "%s likes this." @@ -6392,45 +6344,9 @@ msgstr "Poste an Kontakte" msgid "Private post" msgstr "Privater Beitrag" -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Abgemeldet." - -#: ../../include/uimport.php:94 -msgid "Error decoding account file" -msgstr "Fehler beim Verarbeiten der Account Datei" - -#: ../../include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Fehler! Keine Versionsdaten in der Datei! Ist das wirklich eine Friendica Account Datei?" - -#: ../../include/uimport.php:116 ../../include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "Fehler! Konnte den Nickname nicht überprüfen." - -#: ../../include/uimport.php:120 ../../include/uimport.php:131 -#, php-format -msgid "User '%s' already exists on this server!" -msgstr "Nutzer '%s' existiert bereits auf diesem Server!" - -#: ../../include/uimport.php:153 -msgid "User creation error" -msgstr "Fehler beim Anlegen des Nutzeraccounts aufgetreten" - -#: ../../include/uimport.php:171 -msgid "User profile creation error" -msgstr "Fehler beim Anlegen des Nutzerkontos" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d Kontakt nicht importiert" -msgstr[1] "%d Kontakte nicht importiert" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" -msgstr "Erledigt. Du kannst dich jetzt mit deinem Nutzernamen und Passwort anmelden" +#: ../../include/network.php:895 +msgid "view full size" +msgstr "Volle Größe anzeigen" #: ../../include/text.php:297 msgid "newer" @@ -6675,6 +6591,11 @@ msgstr "Byte" msgid "Click to open/close" msgstr "Zum öffnen/schließen klicken" +#: ../../include/text.php:1702 ../../include/user.php:247 +#: ../../view/theme/duepuntozero/config.php:44 +msgid "default" +msgstr "Standard" + #: ../../include/text.php:1714 msgid "Select an alternate language" msgstr "Alternative Sprache auswählen" @@ -6691,6 +6612,768 @@ msgstr "Beitrag" msgid "Item filed" msgstr "Beitrag abgelegt" +#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 +#: ../../include/bbcode.php:1048 +msgid "Image/photo" +msgstr "Bild/Foto" + +#: ../../include/bbcode.php:528 +#, php-format +msgid "%2$s %3$s" +msgstr "%2$s %3$s" + +#: ../../include/bbcode.php:562 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "%s schrieb den folgenden Beitrag" + +#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 +msgid "$1 wrote:" +msgstr "$1 hat geschrieben:" + +#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 +msgid "Encrypted content" +msgstr "Verschlüsselter Inhalt" + +#: ../../include/notifier.php:786 ../../include/delivery.php:456 +msgid "(no subject)" +msgstr "(kein Betreff)" + +#: ../../include/notifier.php:796 ../../include/delivery.php:467 +#: ../../include/enotify.php:33 +msgid "noreply" +msgstr "noreply" + +#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Kann die DNS Informationen für den Datenbankserver '%s' nicht ermitteln." + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Unbekannt | Nicht kategorisiert" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Sofort blockieren" + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "Zwielichtig, Spammer, Selbstdarsteller" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Ist mir bekannt, hab aber keine Meinung" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "OK, wahrscheinlich harmlos" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Seriös, hat mein Vertrauen" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Wöchentlich" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Monatlich" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../include/contact_selectors.php:82 +msgid "Zot!" +msgstr "Zott" + +#: ../../include/contact_selectors.php:83 +msgid "LinkedIn" +msgstr "LinkedIn" + +#: ../../include/contact_selectors.php:84 +msgid "XMPP/IM" +msgstr "XMPP/Chat" + +#: ../../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 "Statusnet" +msgstr "StatusNet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" + +#: ../../include/Scrape.php:614 +msgid " on Last.fm" +msgstr " bei Last.fm" + +#: ../../include/bb2diaspora.php:154 ../../include/event.php:20 +msgid "Starts:" +msgstr "Beginnt:" + +#: ../../include/bb2diaspora.php:162 ../../include/event.php:30 +msgid "Finishes:" +msgstr "Endet:" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "j F, Y" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "j F" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "Geburtstag:" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "Alter:" + +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "für %1$d %2$s" + +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "Tags" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "Religion:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "Hobbies/Interessen:" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "Kontaktinformationen und Soziale Netzwerke:" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "Musikalische Interessen:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "Literatur/Bücher:" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "Fernsehen:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "Filme/Tänze/Kultur/Unterhaltung:" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "Liebesleben:" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "Arbeit/Beschäftigung:" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "Schule/Ausbildung:" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Zum Upgraden hier klicken." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Diese Aktion überschreitet die Obergrenze deines Abonnements." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Diese Aktion ist in deinem Abonnement nicht verfügbar." + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Diese Sitzung beenden" + +#: ../../include/nav.php:76 ../../include/nav.php:148 +#: ../../view/theme/diabook/theme.php:123 +msgid "Your posts and conversations" +msgstr "Deine Beiträge und Unterhaltungen" + +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Your profile page" +msgstr "Deine Profilseite" + +#: ../../include/nav.php:78 ../../view/theme/diabook/theme.php:126 +msgid "Your photos" +msgstr "Deine Fotos" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "Deine Videos" + +#: ../../include/nav.php:80 ../../view/theme/diabook/theme.php:127 +msgid "Your events" +msgstr "Deine Ereignisse" + +#: ../../include/nav.php:81 ../../view/theme/diabook/theme.php:128 +msgid "Personal notes" +msgstr "Persönliche Notizen" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Deine persönlichen Notizen" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Anmelden" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Homepage" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Nutzerkonto erstellen" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Hilfe und Dokumentation" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Apps" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Addon Anwendungen, Dienstprogramme, Spiele" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Inhalt der Seite durchsuchen" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Unterhaltungen auf dieser Seite" + +#: ../../include/nav.php:131 +msgid "Conversations on the network" +msgstr "Unterhaltungen im Netzwerk" + +#: ../../include/nav.php:133 +msgid "Directory" +msgstr "Verzeichnis" + +#: ../../include/nav.php:133 +msgid "People directory" +msgstr "Nutzerverzeichnis" + +#: ../../include/nav.php:135 +msgid "Information" +msgstr "Information" + +#: ../../include/nav.php:135 +msgid "Information about this friendica instance" +msgstr "Informationen zu dieser Friendica Instanz" + +#: ../../include/nav.php:145 +msgid "Conversations from your friends" +msgstr "Unterhaltungen deiner Kontakte" + +#: ../../include/nav.php:146 +msgid "Network Reset" +msgstr "Netzwerk zurücksetzen" + +#: ../../include/nav.php:146 +msgid "Load Network page with no filters" +msgstr "Netzwerk-Seite ohne Filter laden" + +#: ../../include/nav.php:154 +msgid "Friend Requests" +msgstr "Kontaktanfragen" + +#: ../../include/nav.php:156 +msgid "See all notifications" +msgstr "Alle Benachrichtigungen anzeigen" + +#: ../../include/nav.php:157 +msgid "Mark all system notifications seen" +msgstr "Markiere alle Systembenachrichtigungen als gelesen" + +#: ../../include/nav.php:161 +msgid "Private mail" +msgstr "Private E-Mail" + +#: ../../include/nav.php:162 +msgid "Inbox" +msgstr "Eingang" + +#: ../../include/nav.php:163 +msgid "Outbox" +msgstr "Ausgang" + +#: ../../include/nav.php:167 +msgid "Manage" +msgstr "Verwalten" + +#: ../../include/nav.php:167 +msgid "Manage other pages" +msgstr "Andere Seiten verwalten" + +#: ../../include/nav.php:172 +msgid "Account settings" +msgstr "Kontoeinstellungen" + +#: ../../include/nav.php:175 +msgid "Manage/Edit Profiles" +msgstr "Profile Verwalten/Editieren" + +#: ../../include/nav.php:177 +msgid "Manage/edit friends and contacts" +msgstr "Freunde und Kontakte verwalten/editieren" + +#: ../../include/nav.php:184 +msgid "Site setup and configuration" +msgstr "Einstellungen der Seite und Konfiguration" + +#: ../../include/nav.php:188 +msgid "Navigation" +msgstr "Navigation" + +#: ../../include/nav.php:188 +msgid "Site map" +msgstr "Sitemap" + +#: ../../include/api.php:304 ../../include/api.php:315 +#: ../../include/api.php:416 ../../include/api.php:1063 +#: ../../include/api.php:1065 +msgid "User not found." +msgstr "Nutzer nicht gefunden." + +#: ../../include/api.php:771 +#, php-format +msgid "Daily posting limit of %d posts reached. The post was rejected." +msgstr "Das tägliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen." + +#: ../../include/api.php:790 +#, php-format +msgid "Weekly posting limit of %d posts reached. The post was rejected." +msgstr "Das wöchentliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen." + +#: ../../include/api.php:809 +#, php-format +msgid "Monthly posting limit of %d posts reached. The post was rejected." +msgstr "Das monatliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen." + +#: ../../include/api.php:1272 +msgid "There is no status with this id." +msgstr "Es gibt keinen Status mit dieser ID." + +#: ../../include/api.php:1342 +msgid "There is no conversation with this id." +msgstr "Es existiert keine Unterhaltung mit dieser ID." + +#: ../../include/api.php:1614 +msgid "Invalid request." +msgstr "Ungültige Anfrage" + +#: ../../include/api.php:1625 +msgid "Invalid item." +msgstr "Ungültiges Objekt" + +#: ../../include/api.php:1635 +msgid "Invalid action. " +msgstr "Ungültige Aktion" + +#: ../../include/api.php:1643 +msgid "DB error" +msgstr "DB Error" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "Du benötigst eine Einladung." + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "Die Einladung konnte nicht überprüft werden." + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "Ungültige OpenID URL" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "Bitte trage die erforderlichen Informationen ein." + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "Bitte verwende einen kürzeren Namen." + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "Der Name ist zu kurz." + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Das scheint nicht dein kompletter Name (Vor- und Nachname) zu sein." + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "Die Domain deiner E-Mail Adresse ist auf dieser Seite nicht erlaubt." + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "Keine gültige E-Mail-Adresse." + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "Konnte diese E-Mail-Adresse nicht verwenden." + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\", \"_\" und \"-\") bestehen, außerdem muss er mit einem Buchstaben beginnen." + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen." + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen." + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden." + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "Während der Anmeldung ist ein Fehler aufgetreten. Bitte versuche es noch einmal." + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "Bei der Erstellung des Standardprofils ist ein Fehler aufgetreten. Bitte versuche es noch einmal." + +#: ../../include/user.php:289 ../../include/user.php:293 +#: ../../include/profile_selectors.php:42 +msgid "Friends" +msgstr "Freunde" + +#: ../../include/user.php:377 +#, 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 "\nHallo %1$s,\n\ndanke für deine Registrierung auf %2$s. Dein Account wurde eingerichtet." + +#: ../../include/user.php:381 +#, 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 "\nDie Anmelde-Details sind die folgenden:\n\tAdresse der Seite:\t%3$s\n\tBenutzernamename:\t%1$s\n\tPasswort:\t%5$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich\nangemeldet hast.\n\nBitte nimm dir ein paar Minuten um die anderen Einstellungen auf dieser\nSeite zu kontrollieren.\n\nEventuell magst du ja auch einige Informationen über dich in deinem\nProfil veröffentlichen, damit andere Leute dich einfacher finden können.\nBearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).\n\nWir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir\npassendes Profilbild zu wählen, damit dich alte Bekannte wieder finden.\nAußerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter\nangibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.\n\nWir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.\nWenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie\nallerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2$s." + +#: ../../include/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "Freigabe-Benachrichtigung von Diaspora" + +#: ../../include/diaspora.php:2520 +msgid "Attachments:" +msgstr "Anhänge:" + +#: ../../include/items.php:4555 +msgid "Do you really want to delete this item?" +msgstr "Möchtest du wirklich dieses Item löschen?" + +#: ../../include/items.php:4778 +msgid "Archives" +msgstr "Archiv" + +#: ../../include/profile_selectors.php:6 +msgid "Male" +msgstr "Männlich" + +#: ../../include/profile_selectors.php:6 +msgid "Female" +msgstr "Weiblich" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Male" +msgstr "Momentan männlich" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Female" +msgstr "Momentan weiblich" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Male" +msgstr "Hauptsächlich männlich" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Female" +msgstr "Hauptsächlich weiblich" + +#: ../../include/profile_selectors.php:6 +msgid "Transgender" +msgstr "Transgender" + +#: ../../include/profile_selectors.php:6 +msgid "Intersex" +msgstr "Intersex" + +#: ../../include/profile_selectors.php:6 +msgid "Transsexual" +msgstr "Transsexuell" + +#: ../../include/profile_selectors.php:6 +msgid "Hermaphrodite" +msgstr "Hermaphrodit" + +#: ../../include/profile_selectors.php:6 +msgid "Neuter" +msgstr "Neuter" + +#: ../../include/profile_selectors.php:6 +msgid "Non-specific" +msgstr "Nicht spezifiziert" + +#: ../../include/profile_selectors.php:6 +msgid "Other" +msgstr "Andere" + +#: ../../include/profile_selectors.php:6 +msgid "Undecided" +msgstr "Unentschieden" + +#: ../../include/profile_selectors.php:23 +msgid "Males" +msgstr "Männer" + +#: ../../include/profile_selectors.php:23 +msgid "Females" +msgstr "Frauen" + +#: ../../include/profile_selectors.php:23 +msgid "Gay" +msgstr "Schwul" + +#: ../../include/profile_selectors.php:23 +msgid "Lesbian" +msgstr "Lesbisch" + +#: ../../include/profile_selectors.php:23 +msgid "No Preference" +msgstr "Keine Vorlieben" + +#: ../../include/profile_selectors.php:23 +msgid "Bisexual" +msgstr "Bisexuell" + +#: ../../include/profile_selectors.php:23 +msgid "Autosexual" +msgstr "Autosexual" + +#: ../../include/profile_selectors.php:23 +msgid "Abstinent" +msgstr "Abstinent" + +#: ../../include/profile_selectors.php:23 +msgid "Virgin" +msgstr "Jungfrauen" + +#: ../../include/profile_selectors.php:23 +msgid "Deviant" +msgstr "Deviant" + +#: ../../include/profile_selectors.php:23 +msgid "Fetish" +msgstr "Fetish" + +#: ../../include/profile_selectors.php:23 +msgid "Oodles" +msgstr "Oodles" + +#: ../../include/profile_selectors.php:23 +msgid "Nonsexual" +msgstr "Nonsexual" + +#: ../../include/profile_selectors.php:42 +msgid "Single" +msgstr "Single" + +#: ../../include/profile_selectors.php:42 +msgid "Lonely" +msgstr "Einsam" + +#: ../../include/profile_selectors.php:42 +msgid "Available" +msgstr "Verfügbar" + +#: ../../include/profile_selectors.php:42 +msgid "Unavailable" +msgstr "Nicht verfügbar" + +#: ../../include/profile_selectors.php:42 +msgid "Has crush" +msgstr "verknallt" + +#: ../../include/profile_selectors.php:42 +msgid "Infatuated" +msgstr "verliebt" + +#: ../../include/profile_selectors.php:42 +msgid "Dating" +msgstr "Dating" + +#: ../../include/profile_selectors.php:42 +msgid "Unfaithful" +msgstr "Untreu" + +#: ../../include/profile_selectors.php:42 +msgid "Sex Addict" +msgstr "Sexbesessen" + +#: ../../include/profile_selectors.php:42 +msgid "Friends/Benefits" +msgstr "Freunde/Zuwendungen" + +#: ../../include/profile_selectors.php:42 +msgid "Casual" +msgstr "Casual" + +#: ../../include/profile_selectors.php:42 +msgid "Engaged" +msgstr "Verlobt" + +#: ../../include/profile_selectors.php:42 +msgid "Married" +msgstr "Verheiratet" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily married" +msgstr "imaginär verheiratet" + +#: ../../include/profile_selectors.php:42 +msgid "Partners" +msgstr "Partner" + +#: ../../include/profile_selectors.php:42 +msgid "Cohabiting" +msgstr "zusammenlebend" + +#: ../../include/profile_selectors.php:42 +msgid "Common law" +msgstr "wilde Ehe" + +#: ../../include/profile_selectors.php:42 +msgid "Happy" +msgstr "Glücklich" + +#: ../../include/profile_selectors.php:42 +msgid "Not looking" +msgstr "Nicht auf der Suche" + +#: ../../include/profile_selectors.php:42 +msgid "Swinger" +msgstr "Swinger" + +#: ../../include/profile_selectors.php:42 +msgid "Betrayed" +msgstr "Betrogen" + +#: ../../include/profile_selectors.php:42 +msgid "Separated" +msgstr "Getrennt" + +#: ../../include/profile_selectors.php:42 +msgid "Unstable" +msgstr "Unstabil" + +#: ../../include/profile_selectors.php:42 +msgid "Divorced" +msgstr "Geschieden" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily divorced" +msgstr "imaginär geschieden" + +#: ../../include/profile_selectors.php:42 +msgid "Widowed" +msgstr "Verwitwet" + +#: ../../include/profile_selectors.php:42 +msgid "Uncertain" +msgstr "Unsicher" + +#: ../../include/profile_selectors.php:42 +msgid "It's complicated" +msgstr "Ist kompliziert" + +#: ../../include/profile_selectors.php:42 +msgid "Don't care" +msgstr "Ist mir nicht wichtig" + +#: ../../include/profile_selectors.php:42 +msgid "Ask me" +msgstr "Frag mich" + #: ../../include/enotify.php:18 msgid "Friendica Notification" msgstr "Friendica-Benachrichtigung" @@ -6975,691 +7658,6 @@ msgstr "Kompletter Name:\t%1$s\\nURL der Seite:\t%2$s\\nLogin Name:\t%3$s (%4$s) msgid "Please visit %s to approve or reject the request." msgstr "Bitte besuche %s um die Anfrage zu bearbeiten." -#: ../../include/Scrape.php:614 -msgid " on Last.fm" -msgstr " bei Last.fm" - -#: ../../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 "Eine gelöschte Gruppe mit diesem Namen wurde wiederbelebt. Bestehende Berechtigungseinstellungen könnten auf diese Gruppe oder zukünftige Mitglieder angewandt werden. Falls du dies nicht möchtest, erstelle bitte eine andere Gruppe mit einem anderen Namen." - -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Voreingestellte Gruppe für neue Kontakte" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Alle Kontakte" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "bearbeiten" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Gruppe bearbeiten" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Neue Gruppe erstellen" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Kontakte in keiner Gruppe" - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "Connect-URL fehlt" - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Diese Seite ist so konfiguriert, dass keine Kommunikation mit anderen Netzwerken erfolgen kann." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Es wurden keine kompatiblen Kommunikationsprotokolle oder Feeds gefunden." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "Die angegebene Profiladresse liefert unzureichende Informationen." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Es wurde kein Autor oder Name gefunden." - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Zu dieser Adresse konnte keine passende Browser URL gefunden werden." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Konnte die @-Adresse mit keinem der bekannten Protokolle oder Email-Kontakte abgleichen." - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Verwende mailto: vor der Email Adresse, um eine Überprüfung der E-Mail-Adresse zu erzwingen." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "Die Adresse dieses Profils gehört zu einem Netzwerk, mit dem die Kommunikation auf dieser Seite ausgeschaltet wurde." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Eingeschränktes Profil. Diese Person wird keine direkten/privaten Nachrichten von dir erhalten können." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "Konnte die Kontaktinformationen nicht empfangen." - -#: ../../include/follow.php:258 -msgid "following" -msgstr "folgen" - -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[kein Betreff]" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Diese Sitzung beenden" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "Deine Videos" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "Deine persönlichen Notizen" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Anmelden" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Homepage" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Nutzerkonto erstellen" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Hilfe und Dokumentation" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Apps" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Addon Anwendungen, Dienstprogramme, Spiele" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Inhalt der Seite durchsuchen" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Unterhaltungen auf dieser Seite" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Verzeichnis" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Nutzerverzeichnis" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "Information" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "Informationen zu dieser Friendica Instanz" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Unterhaltungen deiner Kontakte" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Netzwerk zurücksetzen" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "Netzwerk-Seite ohne Filter laden" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Kontaktanfragen" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Alle Benachrichtigungen anzeigen" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Markiere alle Systembenachrichtigungen als gelesen" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Private E-Mail" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "Eingang" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Ausgang" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Verwalten" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Andere Seiten verwalten" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Kontoeinstellungen" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Profile Verwalten/Editieren" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Freunde und Kontakte verwalten/editieren" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Einstellungen der Seite und Konfiguration" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navigation" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Sitemap" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "j F, Y" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "j F" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "Geburtstag:" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "Alter:" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "für %1$d %2$s" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "Tags" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "Religion:" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "Hobbies/Interessen:" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "Kontaktinformationen und Soziale Netzwerke:" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "Musikalische Interessen:" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "Literatur/Bücher:" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "Fernsehen:" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "Filme/Tänze/Kultur/Unterhaltung:" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "Liebesleben:" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "Arbeit/Beschäftigung:" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "Schule/Ausbildung:" - -#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 -#: ../../include/bbcode.php:1048 -msgid "Image/photo" -msgstr "Bild/Foto" - -#: ../../include/bbcode.php:528 -#, php-format -msgid "%2$s %3$s" -msgstr "%2$s %3$s" - -#: ../../include/bbcode.php:562 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "%s schrieb den folgenden Beitrag" - -#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 -msgid "$1 wrote:" -msgstr "$1 hat geschrieben:" - -#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 -msgid "Encrypted content" -msgstr "Verschlüsselter Inhalt" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Unbekannt | Nicht kategorisiert" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Sofort blockieren" - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Zwielichtig, Spammer, Selbstdarsteller" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Ist mir bekannt, hab aber keine Meinung" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "OK, wahrscheinlich harmlos" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Seriös, hat mein Vertrauen" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Wöchentlich" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Monatlich" - -#: ../../include/contact_selectors.php:77 -msgid "OStatus" -msgstr "OStatus" - -#: ../../include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: ../../include/contact_selectors.php:82 -msgid "Zot!" -msgstr "Zott" - -#: ../../include/contact_selectors.php:83 -msgid "LinkedIn" -msgstr "LinkedIn" - -#: ../../include/contact_selectors.php:84 -msgid "XMPP/IM" -msgstr "XMPP/Chat" - -#: ../../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 "Statusnet" -msgstr "StatusNet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "App.net" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Verschiedenes" - -#: ../../include/datetime.php:153 ../../include/datetime.php:290 -msgid "year" -msgstr "Jahr" - -#: ../../include/datetime.php:158 ../../include/datetime.php:291 -msgid "month" -msgstr "Monat" - -#: ../../include/datetime.php:163 ../../include/datetime.php:293 -msgid "day" -msgstr "Tag" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "nie" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "vor weniger als einer Sekunde" - -#: ../../include/datetime.php:290 -msgid "years" -msgstr "Jahre" - -#: ../../include/datetime.php:291 -msgid "months" -msgstr "Monate" - -#: ../../include/datetime.php:292 -msgid "week" -msgstr "Woche" - -#: ../../include/datetime.php:292 -msgid "weeks" -msgstr "Wochen" - -#: ../../include/datetime.php:293 -msgid "days" -msgstr "Tage" - -#: ../../include/datetime.php:294 -msgid "hour" -msgstr "Stunde" - -#: ../../include/datetime.php:294 -msgid "hours" -msgstr "Stunden" - -#: ../../include/datetime.php:295 -msgid "minute" -msgstr "Minute" - -#: ../../include/datetime.php:295 -msgid "minutes" -msgstr "Minuten" - -#: ../../include/datetime.php:296 -msgid "second" -msgstr "Sekunde" - -#: ../../include/datetime.php:296 -msgid "seconds" -msgstr "Sekunden" - -#: ../../include/datetime.php:305 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s her" - -#: ../../include/datetime.php:477 ../../include/items.php:2204 -#, php-format -msgid "%s's birthday" -msgstr "%ss Geburtstag" - -#: ../../include/datetime.php:478 ../../include/items.php:2205 -#, php-format -msgid "Happy Birthday %s" -msgstr "Herzlichen Glückwunsch %s" - -#: ../../include/features.php:23 -msgid "General Features" -msgstr "Allgemeine Features" - -#: ../../include/features.php:25 -msgid "Multiple Profiles" -msgstr "Mehrere Profile" - -#: ../../include/features.php:25 -msgid "Ability to create multiple profiles" -msgstr "Möglichkeit mehrere Profile zu erstellen" - -#: ../../include/features.php:30 -msgid "Post Composition Features" -msgstr "Beitragserstellung Features" - -#: ../../include/features.php:31 -msgid "Richtext Editor" -msgstr "Web-Editor" - -#: ../../include/features.php:31 -msgid "Enable richtext editor" -msgstr "Den Web-Editor für neue Beiträge aktivieren" - -#: ../../include/features.php:32 -msgid "Post Preview" -msgstr "Beitragsvorschau" - -#: ../../include/features.php:32 -msgid "Allow previewing posts and comments before publishing them" -msgstr "Die Vorschau von Beiträgen und Kommentaren vor dem absenden erlauben." - -#: ../../include/features.php:33 -msgid "Auto-mention Forums" -msgstr "Foren automatisch erwähnen" - -#: ../../include/features.php:33 -msgid "" -"Add/remove mention when a fourm page is selected/deselected in ACL window." -msgstr "Automatisch eine @-Erwähnung eines Forums einfügen/entfehrnen, wenn dieses im ACL Fenster de-/markiert wurde." - -#: ../../include/features.php:38 -msgid "Network Sidebar Widgets" -msgstr "Widgets für Netzwerk und Seitenleiste" - -#: ../../include/features.php:39 -msgid "Search by Date" -msgstr "Archiv" - -#: ../../include/features.php:39 -msgid "Ability to select posts by date ranges" -msgstr "Möglichkeit die Beiträge nach Datumsbereichen zu sortieren" - -#: ../../include/features.php:40 -msgid "Group Filter" -msgstr "Gruppen Filter" - -#: ../../include/features.php:40 -msgid "Enable widget to display Network posts only from selected group" -msgstr "Widget zur Darstellung der Beiträge nach Kontaktgruppen sortiert aktivieren." - -#: ../../include/features.php:41 -msgid "Network Filter" -msgstr "Netzwerk Filter" - -#: ../../include/features.php:41 -msgid "Enable widget to display Network posts only from selected network" -msgstr "Widget zum filtern der Beiträge in Abhängigkeit des Netzwerks aus dem der Ersteller sendet aktivieren." - -#: ../../include/features.php:42 -msgid "Save search terms for re-use" -msgstr "Speichere Suchanfragen für spätere Wiederholung." - -#: ../../include/features.php:47 -msgid "Network Tabs" -msgstr "Netzwerk Reiter" - -#: ../../include/features.php:48 -msgid "Network Personal Tab" -msgstr "Netzwerk-Reiter: Persönlich" - -#: ../../include/features.php:48 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Aktiviert einen Netzwerk-Reiter in dem Nachrichten angezeigt werden mit denen du interagiert hast" - -#: ../../include/features.php:49 -msgid "Network New Tab" -msgstr "Netzwerk-Reiter: Neue" - -#: ../../include/features.php:49 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "Aktiviert einen Netzwerk-Reiter in dem ausschließlich neue Beiträge (der letzten 12 Stunden) angezeigt werden" - -#: ../../include/features.php:50 -msgid "Network Shared Links Tab" -msgstr "Netzwerk-Reiter: Geteilte Links" - -#: ../../include/features.php:50 -msgid "Enable tab to display only Network posts with links in them" -msgstr "Aktiviert einen Netzwerk-Reiter der ausschließlich Nachrichten mit Links enthält" - -#: ../../include/features.php:55 -msgid "Post/Comment Tools" -msgstr "Werkzeuge für Beiträge und Kommentare" - -#: ../../include/features.php:56 -msgid "Multiple Deletion" -msgstr "Mehrere Beiträge löschen" - -#: ../../include/features.php:56 -msgid "Select and delete multiple posts/comments at once" -msgstr "Mehrere Beiträge/Kommentare markieren und gleichzeitig löschen" - -#: ../../include/features.php:57 -msgid "Edit Sent Posts" -msgstr "Gesendete Beiträge editieren" - -#: ../../include/features.php:57 -msgid "Edit and correct posts and comments after sending" -msgstr "Erlaubt es Beiträge und Kommentare nach dem Senden zu editieren bzw.zu korrigieren." - -#: ../../include/features.php:58 -msgid "Tagging" -msgstr "Tagging" - -#: ../../include/features.php:58 -msgid "Ability to tag existing posts" -msgstr "Möglichkeit bereits existierende Beiträge nachträglich mit Tags zu versehen." - -#: ../../include/features.php:59 -msgid "Post Categories" -msgstr "Beitragskategorien" - -#: ../../include/features.php:59 -msgid "Add categories to your posts" -msgstr "Eigene Beiträge mit Kategorien versehen" - -#: ../../include/features.php:60 -msgid "Ability to file posts under folders" -msgstr "Beiträge in Ordnern speichern aktivieren" - -#: ../../include/features.php:61 -msgid "Dislike Posts" -msgstr "Beiträge 'nicht mögen'" - -#: ../../include/features.php:61 -msgid "Ability to dislike posts/comments" -msgstr "Ermöglicht es Beiträge mit einem Klick 'nicht zu mögen'" - -#: ../../include/features.php:62 -msgid "Star Posts" -msgstr "Beiträge Markieren" - -#: ../../include/features.php:62 -msgid "Ability to mark special posts with a star indicator" -msgstr "Erlaubt es Beiträge mit einem Stern-Indikator zu markieren" - -#: ../../include/features.php:63 -msgid "Mute Post Notifications" -msgstr "Benachrichtigungen für Beiträge Stumm schalten" - -#: ../../include/features.php:63 -msgid "Ability to mute notifications for a thread" -msgstr "Möglichkeit Benachrichtigungen für einen Thread abbestellen zu können" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "Freigabe-Benachrichtigung von Diaspora" - -#: ../../include/diaspora.php:2520 -msgid "Attachments:" -msgstr "Anhänge:" - -#: ../../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 "\nDie Friendica-Entwickler haben vor kurzem das Update %s veröffentlicht, aber bei der Installation ging etwas schrecklich schief.\n\nDas Problem sollte so schnell wie möglich gelöst werden, aber ich schaffe es nicht alleine. Bitte kontaktiere einen Friendica-Entwickler falls du mir nicht alleine helfen kannst. Meine Datenbank könnte ungültig sein." - -#: ../../include/dbstructure.php:31 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "Die Fehlermeldung lautet\n[pre]%s[/pre]" - -#: ../../include/dbstructure.php:162 -msgid "Errors encountered creating database tables." -msgstr "Fehler aufgetreten während der Erzeugung der Datenbanktabellen." - -#: ../../include/dbstructure.php:220 -msgid "Errors encountered performing database changes." -msgstr "Es sind Fehler beim Bearbeiten der Datenbank aufgetreten." - -#: ../../include/acl_selectors.php:333 -msgid "Visible to everybody" -msgstr "Für jeden sichtbar" - -#: ../../include/items.php:4539 -msgid "Do you really want to delete this item?" -msgstr "Möchtest du wirklich dieses Item löschen?" - -#: ../../include/items.php:4762 -msgid "Archives" -msgstr "Archiv" - #: ../../include/oembed.php:212 msgid "Embedded content" msgstr "Eingebetteter Inhalt" @@ -7668,256 +7666,226 @@ msgstr "Eingebetteter Inhalt" msgid "Embedding disabled" msgstr "Einbettungen deaktiviert" -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Willkommen " +#: ../../include/uimport.php:94 +msgid "Error decoding account file" +msgstr "Fehler beim Verarbeiten der Account Datei" -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Bitte lade ein Profilbild hoch." +#: ../../include/uimport.php:100 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Fehler! Keine Versionsdaten in der Datei! Ist das wirklich eine Friendica Account Datei?" -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Willkommen zurück " +#: ../../include/uimport.php:116 ../../include/uimport.php:127 +msgid "Error! Cannot check nickname" +msgstr "Fehler! Konnte den Nickname nicht überprüfen." -#: ../../include/security.php:366 -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 "Das Sicherheitsmerkmal war nicht korrekt. Das passiert meistens wenn das Formular vor dem Absenden zu lange geöffnet war (länger als 3 Stunden)." +#: ../../include/uimport.php:120 ../../include/uimport.php:131 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "Nutzer '%s' existiert bereits auf diesem Server!" -#: ../../include/profile_selectors.php:6 -msgid "Male" -msgstr "Männlich" +#: ../../include/uimport.php:153 +msgid "User creation error" +msgstr "Fehler beim Anlegen des Nutzeraccounts aufgetreten" -#: ../../include/profile_selectors.php:6 -msgid "Female" -msgstr "Weiblich" +#: ../../include/uimport.php:171 +msgid "User profile creation error" +msgstr "Fehler beim Anlegen des Nutzerkontos" -#: ../../include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "Momentan männlich" +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d Kontakt nicht importiert" +msgstr[1] "%d Kontakte nicht importiert" -#: ../../include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "Momentan weiblich" +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" +msgstr "Erledigt. Du kannst dich jetzt mit deinem Nutzernamen und Passwort anmelden" -#: ../../include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "Hauptsächlich männlich" +#: ../../index.php:428 +msgid "toggle mobile" +msgstr "auf/von Mobile Ansicht wechseln" -#: ../../include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "Hauptsächlich weiblich" +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/dispy/config.php:72 ../../view/theme/quattro/config.php:66 +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:55 +#: ../../view/theme/duepuntozero/config.php:61 +msgid "Theme settings" +msgstr "Themeneinstellungen" -#: ../../include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Transgender" +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Wähle das Vergrößerungsmaß für Bilder in Beiträgen und Kommentaren (Höhe und Breite)" -#: ../../include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Intersex" +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/diabook/config.php:151 +msgid "Set font-size for posts and comments" +msgstr "Schriftgröße für Beiträge und Kommentare festlegen" -#: ../../include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Transsexuell" +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Theme Breite festlegen" -#: ../../include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Hermaphrodit" +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr "Farbschema" -#: ../../include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Neuter" +#: ../../view/theme/dispy/config.php:74 +#: ../../view/theme/diabook/config.php:152 +msgid "Set line-height for posts and comments" +msgstr "Liniengröße für Beiträge und Kommantare festlegen" -#: ../../include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Nicht spezifiziert" +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Farbschema wählen" -#: ../../include/profile_selectors.php:6 -msgid "Other" -msgstr "Andere" +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "Ausrichtung" -#: ../../include/profile_selectors.php:6 -msgid "Undecided" -msgstr "Unentschieden" +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Links" -#: ../../include/profile_selectors.php:23 -msgid "Males" -msgstr "Männer" +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Mitte" -#: ../../include/profile_selectors.php:23 -msgid "Females" -msgstr "Frauen" +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "Schriftgröße in Beiträgen" -#: ../../include/profile_selectors.php:23 -msgid "Gay" -msgstr "Schwul" +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "Schriftgröße in Eingabefeldern" -#: ../../include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Lesbisch" +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Auflösung für die Mittelspalte setzen" -#: ../../include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Keine Vorlieben" +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Wähle Farbschema" -#: ../../include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Bisexuell" +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Zoomfaktor der Earth Layer" -#: ../../include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Autosexual" +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" +msgstr "Longitude (X) der Earth Layer" -#: ../../include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Abstinent" +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Latitude (Y) der Earth Layer" -#: ../../include/profile_selectors.php:23 -msgid "Virgin" -msgstr "Jungfrauen" +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" +msgstr "Foren" -#: ../../include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Deviant" +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" +msgstr "Earth Layers" -#: ../../include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Fetish" +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" +msgstr "Community-Profile" -#: ../../include/profile_selectors.php:23 -msgid "Oodles" -msgstr "Oodles" +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" +msgstr "Hilfe oder @NewHere" -#: ../../include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Nonsexual" +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" +msgstr "Verbinde Dienste" -#: ../../include/profile_selectors.php:42 -msgid "Single" -msgstr "Single" +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" +msgstr "Freunde finden" -#: ../../include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Einsam" +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" +msgstr "Letzte Nutzer" -#: ../../include/profile_selectors.php:42 -msgid "Available" -msgstr "Verfügbar" +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" +msgstr "Letzte Fotos" -#: ../../include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "Nicht verfügbar" +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" +msgstr "Zuletzt gemocht" -#: ../../include/profile_selectors.php:42 -msgid "Has crush" -msgstr "verknallt" +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "Deine Kontakte" -#: ../../include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "verliebt" +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Deine privaten Fotos" -#: ../../include/profile_selectors.php:42 -msgid "Dating" -msgstr "Dating" +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "Lokales Verzeichnis" -#: ../../include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Untreu" +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "Zoomfaktor der Earth Layer" -#: ../../include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Sexbesessen" +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "Rahmen auf der rechten Seite anzeigen/verbergen" -#: ../../include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Freunde/Zuwendungen" +#: ../../view/theme/vier/config.php:56 +msgid "Set style" +msgstr "Stil auswählen" -#: ../../include/profile_selectors.php:42 -msgid "Casual" -msgstr "Casual" +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" +msgstr "greenzero" -#: ../../include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Verlobt" +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" +msgstr "purplezero" -#: ../../include/profile_selectors.php:42 -msgid "Married" -msgstr "Verheiratet" +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" +msgstr "easterbunny" -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "imaginär verheiratet" +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" +msgstr "darkzero" -#: ../../include/profile_selectors.php:42 -msgid "Partners" -msgstr "Partner" +#: ../../view/theme/duepuntozero/config.php:49 +msgid "comix" +msgstr "comix" -#: ../../include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "zusammenlebend" +#: ../../view/theme/duepuntozero/config.php:50 +msgid "slackr" +msgstr "slackr" -#: ../../include/profile_selectors.php:42 -msgid "Common law" -msgstr "wilde Ehe" - -#: ../../include/profile_selectors.php:42 -msgid "Happy" -msgstr "Glücklich" - -#: ../../include/profile_selectors.php:42 -msgid "Not looking" -msgstr "Nicht auf der Suche" - -#: ../../include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Swinger" - -#: ../../include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Betrogen" - -#: ../../include/profile_selectors.php:42 -msgid "Separated" -msgstr "Getrennt" - -#: ../../include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Unstabil" - -#: ../../include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Geschieden" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "imaginär geschieden" - -#: ../../include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Verwitwet" - -#: ../../include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Unsicher" - -#: ../../include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "Ist kompliziert" - -#: ../../include/profile_selectors.php:42 -msgid "Don't care" -msgstr "Ist mir nicht wichtig" - -#: ../../include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Frag mich" - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "wird nicht mehr gefolgt" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "Kontakt löschen" +#: ../../view/theme/duepuntozero/config.php:62 +msgid "Variations" +msgstr "Variationen" diff --git a/view/de/strings.php b/view/de/strings.php index ca804d0c77..ab33e4827a 100644 --- a/view/de/strings.php +++ b/view/de/strings.php @@ -5,290 +5,126 @@ function string_plural_select_de($n){ return ($n != 1);; }} ; -$a->strings["This entry was edited"] = "Dieser Beitrag wurde bearbeitet."; -$a->strings["Private Message"] = "Private Nachricht"; -$a->strings["Edit"] = "Bearbeiten"; -$a->strings["Select"] = "Auswählen"; -$a->strings["Delete"] = "Löschen"; -$a->strings["save to folder"] = "In Ordner speichern"; -$a->strings["add star"] = "markieren"; -$a->strings["remove star"] = "Markierung entfernen"; -$a->strings["toggle star status"] = "Markierung umschalten"; -$a->strings["starred"] = "markiert"; -$a->strings["ignore thread"] = "Thread ignorieren"; -$a->strings["unignore thread"] = "Thread nicht mehr ignorieren"; -$a->strings["toggle ignore status"] = "Ignoriert-Status ein-/ausschalten"; -$a->strings["ignored"] = "Ignoriert"; -$a->strings["add tag"] = "Tag hinzufügen"; -$a->strings["I like this (toggle)"] = "Ich mag das (toggle)"; -$a->strings["like"] = "mag ich"; -$a->strings["I don't like this (toggle)"] = "Ich mag das nicht (toggle)"; -$a->strings["dislike"] = "mag ich nicht"; -$a->strings["Share this"] = "Weitersagen"; -$a->strings["share"] = "Teilen"; -$a->strings["Categories:"] = "Kategorien:"; -$a->strings["Filed under:"] = "Abgelegt unter:"; -$a->strings["View %s's profile @ %s"] = "Das Profil von %s auf %s betrachten."; -$a->strings["to"] = "zu"; -$a->strings["via"] = "via"; -$a->strings["Wall-to-Wall"] = "Wall-to-Wall"; -$a->strings["via Wall-To-Wall:"] = "via Wall-To-Wall:"; -$a->strings["%s from %s"] = "%s von %s"; -$a->strings["Comment"] = "Kommentar"; -$a->strings["Please wait"] = "Bitte warten"; -$a->strings["%d comment"] = array( - 0 => "%d Kommentar", - 1 => "%d Kommentare", +$a->strings["%d contact edited."] = array( + 0 => "%d Kontakt bearbeitet.", + 1 => "%d Kontakte bearbeitet", ); -$a->strings["comment"] = array( - 0 => "Kommentar", - 1 => "Kommentare", -); -$a->strings["show more"] = "mehr anzeigen"; -$a->strings["This is you"] = "Das bist du"; -$a->strings["Submit"] = "Senden"; -$a->strings["Bold"] = "Fett"; -$a->strings["Italic"] = "Kursiv"; -$a->strings["Underline"] = "Unterstrichen"; -$a->strings["Quote"] = "Zitat"; -$a->strings["Code"] = "Code"; -$a->strings["Image"] = "Bild"; -$a->strings["Link"] = "Link"; -$a->strings["Video"] = "Video"; -$a->strings["Preview"] = "Vorschau"; -$a->strings["You must be logged in to use addons. "] = "Sie müssen angemeldet sein um Addons benutzen zu können."; -$a->strings["Not Found"] = "Nicht gefunden"; -$a->strings["Page not found."] = "Seite nicht gefunden."; -$a->strings["Permission denied"] = "Zugriff verweigert"; +$a->strings["Could not access contact record."] = "Konnte nicht auf die Kontaktdaten zugreifen."; +$a->strings["Could not locate selected profile."] = "Konnte das ausgewählte Profil nicht finden."; +$a->strings["Contact updated."] = "Kontakt aktualisiert."; +$a->strings["Failed to update contact record."] = "Aktualisierung der Kontaktdaten fehlgeschlagen."; $a->strings["Permission denied."] = "Zugriff verweigert."; -$a->strings["toggle mobile"] = "auf/von Mobile Ansicht wechseln"; -$a->strings["Home"] = "Pinnwand"; -$a->strings["Your posts and conversations"] = "Deine Beiträge und Unterhaltungen"; -$a->strings["Profile"] = "Profil"; -$a->strings["Your profile page"] = "Deine Profilseite"; -$a->strings["Photos"] = "Bilder"; -$a->strings["Your photos"] = "Deine Fotos"; -$a->strings["Events"] = "Veranstaltungen"; -$a->strings["Your events"] = "Deine Ereignisse"; -$a->strings["Personal notes"] = "Persönliche Notizen"; -$a->strings["Your personal photos"] = "Deine privaten Fotos"; -$a->strings["Community"] = "Gemeinschaft"; -$a->strings["don't show"] = "nicht zeigen"; -$a->strings["show"] = "zeigen"; -$a->strings["Theme settings"] = "Themeneinstellungen"; -$a->strings["Set font-size for posts and comments"] = "Schriftgröße für Beiträge und Kommentare festlegen"; -$a->strings["Set line-height for posts and comments"] = "Liniengröße für Beiträge und Kommantare festlegen"; -$a->strings["Set resolution for middle column"] = "Auflösung für die Mittelspalte setzen"; +$a->strings["Contact has been blocked"] = "Kontakt wurde blockiert"; +$a->strings["Contact has been unblocked"] = "Kontakt wurde wieder freigegeben"; +$a->strings["Contact has been ignored"] = "Kontakt wurde ignoriert"; +$a->strings["Contact has been unignored"] = "Kontakt wird nicht mehr ignoriert"; +$a->strings["Contact has been archived"] = "Kontakt wurde archiviert"; +$a->strings["Contact has been unarchived"] = "Kontakt wurde aus dem Archiv geholt"; +$a->strings["Do you really want to delete this contact?"] = "Möchtest du wirklich diesen Kontakt löschen?"; +$a->strings["Yes"] = "Ja"; +$a->strings["Cancel"] = "Abbrechen"; +$a->strings["Contact has been removed."] = "Kontakt wurde entfernt."; +$a->strings["You are mutual friends with %s"] = "Du hast mit %s eine beidseitige Freundschaft"; +$a->strings["You are sharing with %s"] = "Du teilst mit %s"; +$a->strings["%s is sharing with you"] = "%s teilt mit Dir"; +$a->strings["Private communications are not available for this contact."] = "Private Kommunikation ist für diesen Kontakt nicht verfügbar."; +$a->strings["Never"] = "Niemals"; +$a->strings["(Update was successful)"] = "(Aktualisierung war erfolgreich)"; +$a->strings["(Update was not successful)"] = "(Aktualisierung war nicht erfolgreich)"; +$a->strings["Suggest friends"] = "Kontakte vorschlagen"; +$a->strings["Network type: %s"] = "Netzwerktyp: %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d gemeinsamer Kontakt", + 1 => "%d gemeinsame Kontakte", +); +$a->strings["View all contacts"] = "Alle Kontakte anzeigen"; +$a->strings["Unblock"] = "Entsperren"; +$a->strings["Block"] = "Sperren"; +$a->strings["Toggle Blocked status"] = "Geblockt-Status ein-/ausschalten"; +$a->strings["Unignore"] = "Ignorieren aufheben"; +$a->strings["Ignore"] = "Ignorieren"; +$a->strings["Toggle Ignored status"] = "Ignoriert-Status ein-/ausschalten"; +$a->strings["Unarchive"] = "Aus Archiv zurückholen"; +$a->strings["Archive"] = "Archivieren"; +$a->strings["Toggle Archive status"] = "Archiviert-Status ein-/ausschalten"; +$a->strings["Repair"] = "Reparieren"; +$a->strings["Advanced Contact Settings"] = "Fortgeschrittene Kontakteinstellungen"; +$a->strings["Communications lost with this contact!"] = "Verbindungen mit diesem Kontakt verloren!"; +$a->strings["Contact Editor"] = "Kontakt Editor"; +$a->strings["Submit"] = "Senden"; +$a->strings["Profile Visibility"] = "Profil-Sichtbarkeit"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Bitte wähle eines deiner Profile das angezeigt werden soll, wenn %s dein Profil aufruft."; +$a->strings["Contact Information / Notes"] = "Kontakt Informationen / Notizen"; +$a->strings["Edit contact notes"] = "Notizen zum Kontakt bearbeiten"; +$a->strings["Visit %s's profile [%s]"] = "Besuche %ss Profil [%s]"; +$a->strings["Block/Unblock contact"] = "Kontakt blockieren/freischalten"; +$a->strings["Ignore contact"] = "Ignoriere den Kontakt"; +$a->strings["Repair URL settings"] = "URL Einstellungen reparieren"; +$a->strings["View conversations"] = "Unterhaltungen anzeigen"; +$a->strings["Delete contact"] = "Lösche den Kontakt"; +$a->strings["Last update:"] = "letzte Aktualisierung:"; +$a->strings["Update public posts"] = "Öffentliche Beiträge aktualisieren"; +$a->strings["Update now"] = "Jetzt aktualisieren"; +$a->strings["Currently blocked"] = "Derzeit geblockt"; +$a->strings["Currently ignored"] = "Derzeit ignoriert"; +$a->strings["Currently archived"] = "Momentan archiviert"; +$a->strings["Hide this contact from others"] = "Verberge diesen Kontakt vor anderen"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Antworten/Likes auf deine öffentlichen Beiträge könnten weiterhin sichtbar sein"; +$a->strings["Notification for new posts"] = "Benachrichtigung bei neuen Beiträgen"; +$a->strings["Send a notification of every new post of this contact"] = "Sende eine Benachrichtigung wann immer dieser Kontakt einen neuen Beitrag schreibt."; +$a->strings["Fetch further information for feeds"] = "Weitere Informationen zu Feeds holen"; +$a->strings["Disabled"] = "Deaktiviert"; +$a->strings["Fetch information"] = "Beziehe Information"; +$a->strings["Fetch information and keywords"] = "Beziehe Information und Schlüsselworte"; +$a->strings["Blacklisted keywords"] = "Blacklistete Schlüsselworte "; +$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = "Komma-Separierte Liste mit Schlüsselworten die nicht in Hashtags konvertiert werden wenn \"Beziehe Information und Schlüsselworte\" aktiviert wurde"; +$a->strings["Suggestions"] = "Kontaktvorschläge"; +$a->strings["Suggest potential friends"] = "Freunde vorschlagen"; +$a->strings["All Contacts"] = "Alle Kontakte"; +$a->strings["Show all contacts"] = "Alle Kontakte anzeigen"; +$a->strings["Unblocked"] = "Ungeblockt"; +$a->strings["Only show unblocked contacts"] = "Nur nicht-blockierte Kontakte anzeigen"; +$a->strings["Blocked"] = "Geblockt"; +$a->strings["Only show blocked contacts"] = "Nur blockierte Kontakte anzeigen"; +$a->strings["Ignored"] = "Ignoriert"; +$a->strings["Only show ignored contacts"] = "Nur ignorierte Kontakte anzeigen"; +$a->strings["Archived"] = "Archiviert"; +$a->strings["Only show archived contacts"] = "Nur archivierte Kontakte anzeigen"; +$a->strings["Hidden"] = "Verborgen"; +$a->strings["Only show hidden contacts"] = "Nur verborgene Kontakte anzeigen"; +$a->strings["Mutual Friendship"] = "Beidseitige Freundschaft"; +$a->strings["is a fan of yours"] = "ist ein Fan von dir"; +$a->strings["you are a fan of"] = "du bist Fan von"; +$a->strings["Edit contact"] = "Kontakt bearbeiten"; $a->strings["Contacts"] = "Kontakte"; -$a->strings["Your contacts"] = "Deine Kontakte"; -$a->strings["Community Pages"] = "Foren"; -$a->strings["Community Profiles"] = "Community-Profile"; -$a->strings["Last users"] = "Letzte Nutzer"; -$a->strings["Last likes"] = "Zuletzt gemocht"; -$a->strings["event"] = "Veranstaltung"; -$a->strings["status"] = "Status"; -$a->strings["photo"] = "Foto"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s mag %2\$ss %3\$s"; -$a->strings["Last photos"] = "Letzte Fotos"; -$a->strings["Contact Photos"] = "Kontaktbilder"; -$a->strings["Profile Photos"] = "Profilbilder"; -$a->strings["Find Friends"] = "Freunde finden"; -$a->strings["Local Directory"] = "Lokales Verzeichnis"; -$a->strings["Global Directory"] = "Weltweites Verzeichnis"; -$a->strings["Similar Interests"] = "Ähnliche Interessen"; -$a->strings["Friend Suggestions"] = "Kontaktvorschläge"; -$a->strings["Invite Friends"] = "Freunde einladen"; -$a->strings["Settings"] = "Einstellungen"; -$a->strings["Earth Layers"] = "Earth Layers"; -$a->strings["Set zoomfactor for Earth Layers"] = "Zoomfaktor der Earth Layer"; -$a->strings["Set longitude (X) for Earth Layers"] = "Longitude (X) der Earth Layer"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Latitude (Y) der Earth Layer"; -$a->strings["Help or @NewHere ?"] = "Hilfe oder @NewHere"; -$a->strings["Connect Services"] = "Verbinde Dienste"; -$a->strings["Show/hide boxes at right-hand column:"] = "Rahmen auf der rechten Seite anzeigen/verbergen"; -$a->strings["Set color scheme"] = "Wähle Farbschema"; -$a->strings["Set zoomfactor for Earth Layer"] = "Zoomfaktor der Earth Layer"; -$a->strings["Alignment"] = "Ausrichtung"; -$a->strings["Left"] = "Links"; -$a->strings["Center"] = "Mitte"; -$a->strings["Color scheme"] = "Farbschema"; -$a->strings["Posts font size"] = "Schriftgröße in Beiträgen"; -$a->strings["Textareas font size"] = "Schriftgröße in Eingabefeldern"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Wähle das Vergrößerungsmaß für Bilder in Beiträgen und Kommentaren (Höhe und Breite)"; -$a->strings["Set theme width"] = "Theme Breite festlegen"; -$a->strings["Set colour scheme"] = "Farbschema wählen"; -$a->strings["default"] = "Standard"; -$a->strings["Midnight"] = "Mitternacht"; -$a->strings["Bootstrap"] = "Bootstrap"; -$a->strings["Shades of Pink"] = "Shades of Pink"; -$a->strings["Lime and Orange"] = "Lime and Orange"; -$a->strings["GeoCities Retro"] = "GeoCities Retro"; -$a->strings["Background Image"] = "Hintergrundbild"; -$a->strings["The URL to a picture (e.g. from your photo album) that should be used as background image."] = "Die URL eines Bildes (z.B. aus deinem Fotoalbum), das als Hintergrundbild verwendet werden soll."; -$a->strings["Background Color"] = "Hintergrundfarbe"; -$a->strings["HEX value for the background color. Don't include the #"] = "HEX Wert der Hintergrundfarbe. Gib die # nicht mit an."; -$a->strings["font size"] = "Schriftgröße"; -$a->strings["base font size for your interface"] = "Basis-Schriftgröße für dein Interface."; -$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"] = "Variationen"; -$a->strings["Set style"] = "Stil auswählen"; -$a->strings["Delete this item?"] = "Diesen Beitrag löschen?"; -$a->strings["show fewer"] = "weniger anzeigen"; -$a->strings["Update %s failed. See error logs."] = "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen."; -$a->strings["Create a New Account"] = "Neues Konto erstellen"; -$a->strings["Register"] = "Registrieren"; -$a->strings["Logout"] = "Abmelden"; -$a->strings["Login"] = "Anmeldung"; -$a->strings["Nickname or Email address: "] = "Spitzname oder E-Mail-Adresse: "; -$a->strings["Password: "] = "Passwort: "; -$a->strings["Remember me"] = "Anmeldedaten merken"; -$a->strings["Or login using OpenID: "] = "Oder melde dich mit deiner OpenID an: "; -$a->strings["Forgot your password?"] = "Passwort vergessen?"; -$a->strings["Password Reset"] = "Passwort zurücksetzen"; -$a->strings["Website Terms of Service"] = "Website Nutzungsbedingungen"; -$a->strings["terms of service"] = "Nutzungsbedingungen"; -$a->strings["Website Privacy Policy"] = "Website Datenschutzerklärung"; -$a->strings["privacy policy"] = "Datenschutzerklärung"; -$a->strings["Requested account is not available."] = "Das angefragte Profil ist nicht vorhanden."; -$a->strings["Requested profile is not available."] = "Das angefragte Profil ist nicht vorhanden."; -$a->strings["Edit profile"] = "Profil bearbeiten"; -$a->strings["Connect"] = "Verbinden"; -$a->strings["Message"] = "Nachricht"; -$a->strings["Profiles"] = "Profile"; -$a->strings["Manage/edit profiles"] = "Profile verwalten/editieren"; -$a->strings["Change profile photo"] = "Profilbild ändern"; -$a->strings["Create New Profile"] = "Neues Profil anlegen"; -$a->strings["Profile Image"] = "Profilbild"; -$a->strings["visible to everybody"] = "sichtbar für jeden"; -$a->strings["Edit visibility"] = "Sichtbarkeit bearbeiten"; -$a->strings["Location:"] = "Ort:"; -$a->strings["Gender:"] = "Geschlecht:"; -$a->strings["Status:"] = "Status:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["About:"] = "Über:"; -$a->strings["Network:"] = "Netzwerk"; -$a->strings["g A l F d"] = "l, d. F G \\U\\h\\r"; -$a->strings["F d"] = "d. F"; -$a->strings["[today]"] = "[heute]"; -$a->strings["Birthday Reminders"] = "Geburtstagserinnerungen"; -$a->strings["Birthdays this week:"] = "Geburtstage diese Woche:"; -$a->strings["[No description]"] = "[keine Beschreibung]"; -$a->strings["Event Reminders"] = "Veranstaltungserinnerungen"; -$a->strings["Events this week:"] = "Veranstaltungen diese Woche"; -$a->strings["Status"] = "Status"; -$a->strings["Status Messages and Posts"] = "Statusnachrichten und Beiträge"; -$a->strings["Profile Details"] = "Profildetails"; -$a->strings["Photo Albums"] = "Fotoalben"; -$a->strings["Videos"] = "Videos"; -$a->strings["Events and Calendar"] = "Ereignisse und Kalender"; -$a->strings["Personal Notes"] = "Persönliche Notizen"; -$a->strings["Only You Can See This"] = "Nur du kannst das sehen"; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s ist momentan %2\$s"; -$a->strings["Mood"] = "Stimmung"; -$a->strings["Set your current mood and tell your friends"] = "Wähle deine aktuelle Stimmung und erzähle sie deinen Freunden"; +$a->strings["Search your contacts"] = "Suche in deinen Kontakten"; +$a->strings["Finding: "] = "Funde: "; +$a->strings["Find"] = "Finde"; +$a->strings["Update"] = "Aktualisierungen"; +$a->strings["Delete"] = "Löschen"; +$a->strings["No profile"] = "Kein Profil"; +$a->strings["Manage Identities and/or Pages"] = "Verwalte Identitäten und/oder Seiten"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Zwischen verschiedenen Identitäten oder Gemeinschafts-/Gruppenseiten wechseln, die deine Kontoinformationen teilen oder zu denen du „Verwalten“-Befugnisse bekommen hast."; +$a->strings["Select an identity to manage: "] = "Wähle eine Identität zum Verwalten aus: "; +$a->strings["Post successful."] = "Beitrag erfolgreich veröffentlicht."; +$a->strings["Permission denied"] = "Zugriff verweigert"; +$a->strings["Invalid profile identifier."] = "Ungültiger Profil-Bezeichner."; +$a->strings["Profile Visibility Editor"] = "Editor für die Profil-Sichtbarkeit"; +$a->strings["Profile"] = "Profil"; +$a->strings["Click on a contact to add or remove."] = "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen"; +$a->strings["Visible To"] = "Sichtbar für"; +$a->strings["All Contacts (with secure profile access)"] = "Alle Kontakte (mit gesichertem Profilzugriff)"; $a->strings["Item not found."] = "Beitrag nicht gefunden."; $a->strings["Public access denied."] = "Öffentlicher Zugriff verweigert."; $a->strings["Access to this profile has been restricted."] = "Der Zugriff zu diesem Profil wurde eingeschränkt."; $a->strings["Item has been removed."] = "Eintrag wurde entfernt."; -$a->strings["Access denied."] = "Zugriff verweigert."; -$a->strings["The post was created"] = "Der Beitrag wurde angelegt"; -$a->strings["This is Friendica, version"] = "Dies ist Friendica, Version"; -$a->strings["running at web location"] = "die unter folgender Webadresse zu finden ist"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Bitte besuche Friendica.com, um mehr über das Friendica Projekt zu erfahren."; -$a->strings["Bug reports and issues: please visit"] = "Probleme oder Fehler gefunden? Bitte besuche"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Vorschläge, Lob, Spenden usw.: E-Mail an \"Info\" at Friendica - dot com"; -$a->strings["Installed plugins/addons/apps:"] = "Installierte Plugins/Erweiterungen/Apps"; -$a->strings["No installed plugins/addons/apps"] = "Keine Plugins/Erweiterungen/Apps installiert"; -$a->strings["%1\$s welcomes %2\$s"] = "%1\$s heißt %2\$s herzlich willkommen"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Registrierung erfolgreich. Eine E-Mail mit weiteren Anweisungen wurde an dich gesendet."; -$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = "Versenden der E-Mail fehlgeschlagen. Hier sind deine Account Details:\n\nLogin: %s\nPasswort: %s\n\nDu kannst das Passwort nach dem Anmelden ändern."; -$a->strings["Your registration can not be processed."] = "Deine Registrierung konnte nicht verarbeitet werden."; -$a->strings["Your registration is pending approval by the site owner."] = "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden."; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Die maximale Anzahl täglicher Registrierungen auf dieser Seite wurde überschritten. Bitte versuche es morgen noch einmal."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Du kannst dieses Formular auch (optional) mit deiner OpenID ausfüllen, indem du deine OpenID angibst und 'Registrieren' klickst."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Wenn du nicht mit OpenID vertraut bist, lass dieses Feld bitte leer und fülle die restlichen Felder aus."; -$a->strings["Your OpenID (optional): "] = "Deine OpenID (optional): "; -$a->strings["Include your profile in member directory?"] = "Soll dein Profil im Nutzerverzeichnis angezeigt werden?"; -$a->strings["Yes"] = "Ja"; -$a->strings["No"] = "Nein"; -$a->strings["Membership on this site is by invitation only."] = "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung möglich."; -$a->strings["Your invitation ID: "] = "ID deiner Einladung: "; -$a->strings["Registration"] = "Registrierung"; -$a->strings["Your Full Name (e.g. Joe Smith): "] = "Vollständiger Name (z.B. Max Mustermann): "; -$a->strings["Your Email Address: "] = "Deine E-Mail-Adresse: "; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@\$sitename' sein."; -$a->strings["Choose a nickname: "] = "Spitznamen wählen: "; -$a->strings["Import"] = "Import"; -$a->strings["Import your profile to this friendica instance"] = "Importiere dein Profil auf diese Friendica Instanz"; -$a->strings["Profile not found."] = "Profil nicht gefunden."; -$a->strings["Contact not found."] = "Kontakt nicht gefunden."; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Das kann passieren, wenn sich zwei Kontakte gegenseitig eingeladen haben und bereits einer angenommen wurde."; -$a->strings["Response from remote site was not understood."] = "Antwort der Gegenstelle unverständlich."; -$a->strings["Unexpected response from remote site: "] = "Unerwartete Antwort der Gegenstelle: "; -$a->strings["Confirmation completed successfully."] = "Bestätigung erfolgreich abgeschlossen."; -$a->strings["Remote site reported: "] = "Gegenstelle meldet: "; -$a->strings["Temporary failure. Please wait and try again."] = "Zeitweiser Fehler. Bitte warte einige Momente und versuche es dann noch einmal."; -$a->strings["Introduction failed or was revoked."] = "Kontaktanfrage schlug fehl oder wurde zurückgezogen."; -$a->strings["Unable to set contact photo."] = "Konnte das Bild des Kontakts nicht speichern."; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s ist nun mit %2\$s befreundet"; -$a->strings["No user record found for '%s' "] = "Für '%s' wurde kein Nutzer gefunden"; -$a->strings["Our site encryption key is apparently messed up."] = "Der Verschlüsselungsschlüssel unserer Seite ist anscheinend nicht in Ordnung."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Leere URL für die Seite erhalten oder die URL konnte nicht entschlüsselt werden."; -$a->strings["Contact record was not found for you on our site."] = "Für diesen Kontakt wurde auf unserer Seite kein Eintrag gefunden."; -$a->strings["Site public key not available in contact record for URL %s."] = "Die Kontaktdaten für URL %s enthalten keinen Public Key für den Server."; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Die ID, die uns dein System angeboten hat, ist hier bereits vergeben. Bitte versuche es noch einmal."; -$a->strings["Unable to set your contact credentials on our system."] = "Deine Kontaktreferenzen konnten nicht in unserem System gespeichert werden."; -$a->strings["Unable to update your contact profile details on our system"] = "Die Updates für dein Profil konnten nicht gespeichert werden"; -$a->strings["[Name Withheld]"] = "[Name unterdrückt]"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s ist %2\$s beigetreten"; -$a->strings["Authorize application connection"] = "Verbindung der Applikation autorisieren"; -$a->strings["Return to your app and insert this Securty Code:"] = "Gehe zu deiner Anwendung zurück und trage dort folgenden Sicherheitscode ein:"; -$a->strings["Please login to continue."] = "Bitte melde dich an um fortzufahren."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Möchtest du dieser Anwendung den Zugriff auf deine Beiträge und Kontakte, sowie das Erstellen neuer Beiträge in deinem Namen gestatten?"; -$a->strings["No valid account found."] = "Kein gültiges Konto gefunden."; -$a->strings["Password reset request issued. Check your email."] = "Zurücksetzen des Passworts eingeleitet. Bitte überprüfe deine 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.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\nHallo %1\$s,\n\nAuf \"%2\$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gesteööt\nworden. Um diese Anfrage zu verifizieren folge bitte dem unten stehenden\nLink oder kopiere ihn und füge ihn in die Addressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gemacht haben, ignoriere und/oder lösche diese\nEmail bitte.\n\nDein Passwort wird nicht geändern solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast."; -$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"] = "\nUm deine Identität zu verifizieren folge bitte dem folgenden Link:\n\n%1\$s\n\nDu wirst eine weitere Email mit deinem neuen Passwort erhalten. Sobald du dich\nangemeldet hast, kannst du dein Passwort in den Einstellungen ändern.\n\nDie Anmeldedetails sind die folgenden:\n\nAdresse der Seite:\t%2\$s\nBenutzername:\t%3\$s"; -$a->strings["Password reset requested at %s"] = "Anfrage zum Zurücksetzen des Passworts auf %s erhalten"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Anfrage konnte nicht verifiziert werden. (Eventuell hast du bereits eine ähnliche Anfrage gestellt.) Zurücksetzen des Passworts gescheitert."; -$a->strings["Your password has been reset as requested."] = "Dein Passwort wurde wie gewünscht zurückgesetzt."; -$a->strings["Your new password is"] = "Dein neues Passwort lautet"; -$a->strings["Save or copy your new password - and then"] = "Speichere oder kopiere dein neues Passwort - und dann"; -$a->strings["click here to login"] = "hier klicken, um dich anzumelden"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Du kannst das Passwort in den Einstellungen ändern, sobald du dich erfolgreich angemeldet hast."; -$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"] = "\nHallo %1\$s,\n\ndein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort zu etwas, das du dir leicht merken kannst)."; -$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"] = "\nDie Anmeldedaten sind die folgenden:\n\nAdresse der Seite: %1\$s\nLogin Name: %2\$s\nPasswort: %3\$s\n\nDas Passwort kann, und sollte, in den Kontoeinstellungen nach der Anmeldung geändert werden."; -$a->strings["Your password has been changed at %s"] = "Auf %s wurde dein Passwort geändert"; -$a->strings["Forgot your Password?"] = "Hast du dein Passwort vergessen?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Gib deine E-Mail-Adresse an und fordere ein neues Passwort an. Es werden dir dann weitere Informationen per Mail zugesendet."; -$a->strings["Nickname or Email: "] = "Spitzname oder E-Mail:"; -$a->strings["Reset"] = "Zurücksetzen"; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Maximale Anzahl der täglichen Pinnwand Nachrichten für %s ist überschritten. Zustellung fehlgeschlagen."; -$a->strings["No recipient selected."] = "Kein Empfänger gewählt."; -$a->strings["Unable to check your home location."] = "Konnte deinen Heimatort nicht bestimmen."; -$a->strings["Message could not be sent."] = "Nachricht konnte nicht gesendet werden."; -$a->strings["Message collection failure."] = "Konnte Nachrichten nicht abrufen."; -$a->strings["Message sent."] = "Nachricht gesendet."; -$a->strings["No recipient."] = "Kein Empfänger."; -$a->strings["Please enter a link URL:"] = "Bitte gib die URL des Links ein:"; -$a->strings["Send Private Message"] = "Private Nachricht senden"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Wenn du möchtest, dass %s dir antworten kann, überprüfe deine Privatsphären-Einstellungen und erlaube private Nachrichten von unbekannten Absendern."; -$a->strings["To:"] = "An:"; -$a->strings["Subject:"] = "Betreff:"; -$a->strings["Your message:"] = "Deine Nachricht:"; -$a->strings["Upload photo"] = "Foto hochladen"; -$a->strings["Insert web link"] = "Einen Link einfügen"; $a->strings["Welcome to Friendica"] = "Willkommen bei Friendica"; $a->strings["New Member Checklist"] = "Checkliste für neue Mitglieder"; $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."] = "Wir möchten dir einige Tipps und Links anbieten, die dir helfen könnten, den Einstieg angenehmer zu machen. Klicke auf ein Element, um die entsprechende Seite zu besuchen. Ein Link zu dieser Seite hier bleibt für dich an Deiner Pinnwand für zwei Wochen nach dem Registrierungsdatum sichtbar und wird dann verschwinden."; $a->strings["Getting Started"] = "Einstieg"; $a->strings["Friendica Walk-Through"] = "Friendica Rundgang"; $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."] = "Auf der Quick Start Seite findest du eine kurze Einleitung in die einzelnen Funktionen deines Profils und die Netzwerk-Reiter, wo du interessante Foren findest und neue Kontakte knüpfst."; +$a->strings["Settings"] = "Einstellungen"; $a->strings["Go to Your Settings"] = "Gehe zu deinen Einstellungen"; $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."] = "Ändere bitte unter Einstellungen dein Passwort. Außerdem merke dir deine Identifikationsadresse. Diese sieht aus wie eine E-Mail-Adresse und wird benötigt, um Freundschaften mit anderen im Friendica Netzwerk zu schliessen."; $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."] = "Überprüfe die restlichen Einstellungen, insbesondere die Einstellungen zur Privatsphäre. Wenn du dein Profil nicht veröffentlichst, ist das als wenn du deine Telefonnummer nicht ins Telefonbuch einträgst. Im Allgemeinen solltest du es veröffentlichen - außer all deine Freunde und potentiellen Freunde wissen genau, wie sie dich finden können."; @@ -318,99 +154,241 @@ $a->strings["Friendica respects your privacy. By default, your posts will only s $a->strings["Getting Help"] = "Hilfe bekommen"; $a->strings["Go to the Help Section"] = "Zum Hilfe Abschnitt gehen"; $a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Unsere Hilfe Seiten können herangezogen werden, um weitere Einzelheiten zu andern Programm Features zu erhalten."; -$a->strings["Do you really want to delete this suggestion?"] = "Möchtest du wirklich diese Empfehlung löschen?"; -$a->strings["Cancel"] = "Abbrechen"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Keine Vorschläge verfügbar. Falls der Server frisch aufgesetzt wurde, versuche es bitte in 24 Stunden noch einmal."; -$a->strings["Ignore/Hide"] = "Ignorieren/Verbergen"; -$a->strings["Search Results For:"] = "Suchergebnisse für:"; -$a->strings["Remove term"] = "Begriff entfernen"; -$a->strings["Saved Searches"] = "Gespeicherte Suchen"; -$a->strings["add"] = "hinzufügen"; -$a->strings["Commented Order"] = "Neueste Kommentare"; -$a->strings["Sort by Comment Date"] = "Nach Kommentardatum sortieren"; -$a->strings["Posted Order"] = "Neueste Beiträge"; -$a->strings["Sort by Post Date"] = "Nach Beitragsdatum sortieren"; +$a->strings["OpenID protocol error. No ID returned."] = "OpenID Protokollfehler. Keine ID zurückgegeben."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Nutzerkonto wurde nicht gefunden und OpenID-Registrierung ist auf diesem Server nicht gestattet."; +$a->strings["Login failed."] = "Anmeldung fehlgeschlagen."; +$a->strings["Image uploaded but image cropping failed."] = "Bild hochgeladen, aber das Zuschneiden schlug fehl."; +$a->strings["Profile Photos"] = "Profilbilder"; +$a->strings["Image size reduction [%s] failed."] = "Verkleinern der Bildgröße von [%s] scheiterte."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Drücke Umschalt+Neu Laden oder leere den Browser-Cache, falls das neue Foto nicht gleich angezeigt wird."; +$a->strings["Unable to process image"] = "Bild konnte nicht verarbeitet werden"; +$a->strings["Image exceeds size limit of %d"] = "Bildgröße überschreitet das Limit von %d"; +$a->strings["Unable to process image."] = "Konnte das Bild nicht bearbeiten."; +$a->strings["Upload File:"] = "Datei hochladen:"; +$a->strings["Select a profile:"] = "Profil auswählen:"; +$a->strings["Upload"] = "Hochladen"; +$a->strings["or"] = "oder"; +$a->strings["skip this step"] = "diesen Schritt überspringen"; +$a->strings["select a photo from your photo albums"] = "wähle ein Foto aus deinen Fotoalben"; +$a->strings["Crop Image"] = "Bild zurechtschneiden"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Passe bitte den Bildausschnitt an, damit das Bild optimal dargestellt werden kann."; +$a->strings["Done Editing"] = "Bearbeitung abgeschlossen"; +$a->strings["Image uploaded successfully."] = "Bild erfolgreich hochgeladen."; +$a->strings["Image upload failed."] = "Hochladen des Bildes gescheitert."; +$a->strings["photo"] = "Foto"; +$a->strings["status"] = "Status"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s folgt %2\$s %3\$s"; +$a->strings["Tag removed"] = "Tag entfernt"; +$a->strings["Remove Item Tag"] = "Gegenstands-Tag entfernen"; +$a->strings["Select a tag to remove: "] = "Wähle ein Tag zum Entfernen aus: "; +$a->strings["Remove"] = "Entfernen"; +$a->strings["Save to Folder:"] = "In diesem Ordner speichern:"; +$a->strings["- select -"] = "- auswählen -"; +$a->strings["Save"] = "Speichern"; +$a->strings["Contact added"] = "Kontakt hinzugefügt"; +$a->strings["Unable to locate original post."] = "Konnte den Originalbeitrag nicht finden."; +$a->strings["Empty post discarded."] = "Leerer Beitrag wurde verworfen."; +$a->strings["Wall Photos"] = "Pinnwand-Bilder"; +$a->strings["System error. Post not saved."] = "Systemfehler. Beitrag konnte nicht gespeichert werden."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Diese Nachricht wurde dir von %s geschickt, einem Mitglied des Sozialen Netzwerks Friendica."; +$a->strings["You may visit them online at %s"] = "Du kannst sie online unter %s besuchen"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Falls du diese Beiträge nicht erhalten möchtest, kontaktiere bitte den Autor, indem du auf diese Nachricht antwortest."; +$a->strings["%s posted an update."] = "%s hat ein Update veröffentlicht."; +$a->strings["Group created."] = "Gruppe erstellt."; +$a->strings["Could not create group."] = "Konnte die Gruppe nicht erstellen."; +$a->strings["Group not found."] = "Gruppe nicht gefunden."; +$a->strings["Group name changed."] = "Gruppenname geändert."; +$a->strings["Save Group"] = "Gruppe speichern"; +$a->strings["Create a group of contacts/friends."] = "Eine Gruppe von Kontakten/Freunden anlegen."; +$a->strings["Group Name: "] = "Gruppenname:"; +$a->strings["Group removed."] = "Gruppe entfernt."; +$a->strings["Unable to remove group."] = "Konnte die Gruppe nicht entfernen."; +$a->strings["Group Editor"] = "Gruppeneditor"; +$a->strings["Members"] = "Mitglieder"; +$a->strings["You must be logged in to use addons. "] = "Sie müssen angemeldet sein um Addons benutzen zu können."; +$a->strings["Applications"] = "Anwendungen"; +$a->strings["No installed applications."] = "Keine Applikationen installiert."; +$a->strings["Profile not found."] = "Profil nicht gefunden."; +$a->strings["Contact not found."] = "Kontakt nicht gefunden."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Das kann passieren, wenn sich zwei Kontakte gegenseitig eingeladen haben und bereits einer angenommen wurde."; +$a->strings["Response from remote site was not understood."] = "Antwort der Gegenstelle unverständlich."; +$a->strings["Unexpected response from remote site: "] = "Unerwartete Antwort der Gegenstelle: "; +$a->strings["Confirmation completed successfully."] = "Bestätigung erfolgreich abgeschlossen."; +$a->strings["Remote site reported: "] = "Gegenstelle meldet: "; +$a->strings["Temporary failure. Please wait and try again."] = "Zeitweiser Fehler. Bitte warte einige Momente und versuche es dann noch einmal."; +$a->strings["Introduction failed or was revoked."] = "Kontaktanfrage schlug fehl oder wurde zurückgezogen."; +$a->strings["Unable to set contact photo."] = "Konnte das Bild des Kontakts nicht speichern."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s ist nun mit %2\$s befreundet"; +$a->strings["No user record found for '%s' "] = "Für '%s' wurde kein Nutzer gefunden"; +$a->strings["Our site encryption key is apparently messed up."] = "Der Verschlüsselungsschlüssel unserer Seite ist anscheinend nicht in Ordnung."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Leere URL für die Seite erhalten oder die URL konnte nicht entschlüsselt werden."; +$a->strings["Contact record was not found for you on our site."] = "Für diesen Kontakt wurde auf unserer Seite kein Eintrag gefunden."; +$a->strings["Site public key not available in contact record for URL %s."] = "Die Kontaktdaten für URL %s enthalten keinen Public Key für den Server."; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Die ID, die uns dein System angeboten hat, ist hier bereits vergeben. Bitte versuche es noch einmal."; +$a->strings["Unable to set your contact credentials on our system."] = "Deine Kontaktreferenzen konnten nicht in unserem System gespeichert werden."; +$a->strings["Unable to update your contact profile details on our system"] = "Die Updates für dein Profil konnten nicht gespeichert werden"; +$a->strings["[Name Withheld]"] = "[Name unterdrückt]"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s ist %2\$s beigetreten"; +$a->strings["Requested profile is not available."] = "Das angefragte Profil ist nicht vorhanden."; +$a->strings["Tips for New Members"] = "Tipps für neue Nutzer"; +$a->strings["No videos selected"] = "Keine Videos ausgewählt"; +$a->strings["Access to this item is restricted."] = "Zugriff zu diesem Eintrag wurde eingeschränkt."; +$a->strings["View Video"] = "Video ansehen"; +$a->strings["View Album"] = "Album betrachten"; +$a->strings["Recent Videos"] = "Neueste Videos"; +$a->strings["Upload New Videos"] = "Neues Video hochladen"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s hat %2\$ss %3\$s mit %4\$s getaggt"; +$a->strings["Friend suggestion sent."] = "Kontaktvorschlag gesendet."; +$a->strings["Suggest Friends"] = "Kontakte vorschlagen"; +$a->strings["Suggest a friend for %s"] = "Schlage %s einen Kontakt vor"; +$a->strings["No valid account found."] = "Kein gültiges Konto gefunden."; +$a->strings["Password reset request issued. Check your email."] = "Zurücksetzen des Passworts eingeleitet. Bitte überprüfe deine 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.\n\n\t\tYour password will not be changed unless we can verify that you\n\t\tissued this request."] = "\nHallo %1\$s,\n\nAuf \"%2\$s\" ist eine Anfrage auf das Zurücksetzen deines Passworts gesteööt\nworden. Um diese Anfrage zu verifizieren folge bitte dem unten stehenden\nLink oder kopiere ihn und füge ihn in die Addressleiste deines Browsers ein.\n\nSolltest du die Anfrage NICHT gemacht haben, ignoriere und/oder lösche diese\nEmail bitte.\n\nDein Passwort wird nicht geändern solange wir nicht verifiziert haben, dass\ndu diese Änderung angefragt hast."; +$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"] = "\nUm deine Identität zu verifizieren folge bitte dem folgenden Link:\n\n%1\$s\n\nDu wirst eine weitere Email mit deinem neuen Passwort erhalten. Sobald du dich\nangemeldet hast, kannst du dein Passwort in den Einstellungen ändern.\n\nDie Anmeldedetails sind die folgenden:\n\nAdresse der Seite:\t%2\$s\nBenutzername:\t%3\$s"; +$a->strings["Password reset requested at %s"] = "Anfrage zum Zurücksetzen des Passworts auf %s erhalten"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Anfrage konnte nicht verifiziert werden. (Eventuell hast du bereits eine ähnliche Anfrage gestellt.) Zurücksetzen des Passworts gescheitert."; +$a->strings["Password Reset"] = "Passwort zurücksetzen"; +$a->strings["Your password has been reset as requested."] = "Dein Passwort wurde wie gewünscht zurückgesetzt."; +$a->strings["Your new password is"] = "Dein neues Passwort lautet"; +$a->strings["Save or copy your new password - and then"] = "Speichere oder kopiere dein neues Passwort - und dann"; +$a->strings["click here to login"] = "hier klicken, um dich anzumelden"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Du kannst das Passwort in den Einstellungen ändern, sobald du dich erfolgreich angemeldet hast."; +$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"] = "\nHallo %1\$s,\n\ndein Passwort wurde wie gewünscht geändert. Bitte bewahre diese Informationen gut auf (oder ändere dein Passwort zu etwas, das du dir leicht merken kannst)."; +$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"] = "\nDie Anmeldedaten sind die folgenden:\n\nAdresse der Seite: %1\$s\nLogin Name: %2\$s\nPasswort: %3\$s\n\nDas Passwort kann, und sollte, in den Kontoeinstellungen nach der Anmeldung geändert werden."; +$a->strings["Your password has been changed at %s"] = "Auf %s wurde dein Passwort geändert"; +$a->strings["Forgot your Password?"] = "Hast du dein Passwort vergessen?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Gib deine E-Mail-Adresse an und fordere ein neues Passwort an. Es werden dir dann weitere Informationen per Mail zugesendet."; +$a->strings["Nickname or Email: "] = "Spitzname oder E-Mail:"; +$a->strings["Reset"] = "Zurücksetzen"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s mag %2\$ss %3\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s mag %2\$ss %3\$s nicht"; +$a->strings["{0} wants to be your friend"] = "{0} möchte mit dir in Kontakt treten"; +$a->strings["{0} sent you a message"] = "{0} schickte dir eine Nachricht"; +$a->strings["{0} requested registration"] = "{0} möchte sich registrieren"; +$a->strings["{0} commented %s's post"] = "{0} kommentierte einen Beitrag von %s"; +$a->strings["{0} liked %s's post"] = "{0} mag %ss Beitrag"; +$a->strings["{0} disliked %s's post"] = "{0} mag %ss Beitrag nicht"; +$a->strings["{0} is now friends with %s"] = "{0} ist jetzt mit %s befreundet"; +$a->strings["{0} posted"] = "{0} hat etwas veröffentlicht"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} hat %ss Beitrag mit dem Schlagwort #%s versehen"; +$a->strings["{0} mentioned you in a post"] = "{0} hat dich in einem Beitrag erwähnt"; +$a->strings["No contacts."] = "Keine Kontakte."; +$a->strings["View Contacts"] = "Kontakte anzeigen"; +$a->strings["Invalid request identifier."] = "Invalid request identifier."; +$a->strings["Discard"] = "Verwerfen"; +$a->strings["System"] = "System"; +$a->strings["Network"] = "Netzwerk"; $a->strings["Personal"] = "Persönlich"; -$a->strings["Posts that mention or involve you"] = "Beiträge, in denen es um dich geht"; -$a->strings["New"] = "Neue"; -$a->strings["Activity Stream - by date"] = "Aktivitäten-Stream - nach Datum"; -$a->strings["Shared Links"] = "Geteilte Links"; -$a->strings["Interesting Links"] = "Interessante Links"; -$a->strings["Starred"] = "Markierte"; -$a->strings["Favourite Posts"] = "Favorisierte Beiträge"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Warnung: Diese Gruppe beinhaltet %s Person aus einem unsicheren Netzwerk.", - 1 => "Warnung: Diese Gruppe beinhaltet %s Personen aus unsicheren Netzwerken.", +$a->strings["Home"] = "Pinnwand"; +$a->strings["Introductions"] = "Kontaktanfragen"; +$a->strings["Show Ignored Requests"] = "Zeige ignorierte Anfragen"; +$a->strings["Hide Ignored Requests"] = "Verberge ignorierte Anfragen"; +$a->strings["Notification type: "] = "Benachrichtigungstyp: "; +$a->strings["Friend Suggestion"] = "Kontaktvorschlag"; +$a->strings["suggested by %s"] = "vorgeschlagen von %s"; +$a->strings["Post a new friend activity"] = "Neue-Kontakt Nachricht senden"; +$a->strings["if applicable"] = "falls anwendbar"; +$a->strings["Approve"] = "Genehmigen"; +$a->strings["Claims to be known to you: "] = "Behauptet dich zu kennen: "; +$a->strings["yes"] = "ja"; +$a->strings["no"] = "nein"; +$a->strings["Approve as: "] = "Genehmigen als: "; +$a->strings["Friend"] = "Freund"; +$a->strings["Sharer"] = "Teilenden"; +$a->strings["Fan/Admirer"] = "Fan/Verehrer"; +$a->strings["Friend/Connect Request"] = "Kontakt-/Freundschaftsanfrage"; +$a->strings["New Follower"] = "Neuer Bewunderer"; +$a->strings["No introductions."] = "Keine Kontaktanfragen."; +$a->strings["Notifications"] = "Benachrichtigungen"; +$a->strings["%s liked %s's post"] = "%s mag %ss Beitrag"; +$a->strings["%s disliked %s's post"] = "%s mag %ss Beitrag nicht"; +$a->strings["%s is now friends with %s"] = "%s ist jetzt mit %s befreundet"; +$a->strings["%s created a new post"] = "%s hat einen neuen Beitrag erstellt"; +$a->strings["%s commented on %s's post"] = "%s hat %ss Beitrag kommentiert"; +$a->strings["No more network notifications."] = "Keine weiteren Netzwerk-Benachrichtigungen."; +$a->strings["Network Notifications"] = "Netzwerk Benachrichtigungen"; +$a->strings["No more system notifications."] = "Keine weiteren Systembenachrichtigungen."; +$a->strings["System Notifications"] = "Systembenachrichtigungen"; +$a->strings["No more personal notifications."] = "Keine weiteren persönlichen Benachrichtigungen"; +$a->strings["Personal Notifications"] = "Persönliche Benachrichtigungen"; +$a->strings["No more home notifications."] = "Keine weiteren Pinnwand-Benachrichtigungen"; +$a->strings["Home Notifications"] = "Pinnwand Benachrichtigungen"; +$a->strings["Source (bbcode) text:"] = "Quelle (bbcode) Text:"; +$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Eingabe (Diaspora) nach BBCode zu konvertierender Text:"; +$a->strings["Source input: "] = "Originaltext:"; +$a->strings["bb2html (raw HTML): "] = "bb2html (reines 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): "] = "Originaltext (Diaspora Format): "; +$a->strings["diaspora2bb: "] = "diaspora2bb: "; +$a->strings["Nothing new here"] = "Keine Neuigkeiten"; +$a->strings["Clear notifications"] = "Bereinige Benachrichtigungen"; +$a->strings["New Message"] = "Neue Nachricht"; +$a->strings["No recipient selected."] = "Kein Empfänger gewählt."; +$a->strings["Unable to locate contact information."] = "Konnte die Kontaktinformationen nicht finden."; +$a->strings["Message could not be sent."] = "Nachricht konnte nicht gesendet werden."; +$a->strings["Message collection failure."] = "Konnte Nachrichten nicht abrufen."; +$a->strings["Message sent."] = "Nachricht gesendet."; +$a->strings["Messages"] = "Nachrichten"; +$a->strings["Do you really want to delete this message?"] = "Möchtest du wirklich diese Nachricht löschen?"; +$a->strings["Message deleted."] = "Nachricht gelöscht."; +$a->strings["Conversation removed."] = "Unterhaltung gelöscht."; +$a->strings["Please enter a link URL:"] = "Bitte gib die URL des Links ein:"; +$a->strings["Send Private Message"] = "Private Nachricht senden"; +$a->strings["To:"] = "An:"; +$a->strings["Subject:"] = "Betreff:"; +$a->strings["Your message:"] = "Deine Nachricht:"; +$a->strings["Upload photo"] = "Foto hochladen"; +$a->strings["Insert web link"] = "Einen Link einfügen"; +$a->strings["Please wait"] = "Bitte warten"; +$a->strings["No messages."] = "Keine Nachrichten."; +$a->strings["Unknown sender - %s"] = "'Unbekannter Absender - %s"; +$a->strings["You and %s"] = "Du und %s"; +$a->strings["%s and You"] = "%s und du"; +$a->strings["Delete conversation"] = "Unterhaltung löschen"; +$a->strings["D, d M Y - g:i A"] = "D, d. M Y - g:i A"; +$a->strings["%d message"] = array( + 0 => "%d Nachricht", + 1 => "%d Nachrichten", ); -$a->strings["Private messages to this group are at risk of public disclosure."] = "Private Nachrichten an diese Gruppe könnten an die Öffentlichkeit geraten."; -$a->strings["No such group"] = "Es gibt keine solche Gruppe"; -$a->strings["Group is empty"] = "Gruppe ist leer"; -$a->strings["Group: "] = "Gruppe: "; -$a->strings["Contact: "] = "Kontakt: "; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Private Nachrichten an diese Person könnten an die Öffentlichkeit gelangen."; -$a->strings["Invalid contact."] = "Ungültiger Kontakt."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica-Server für soziale Netzwerke – Setup"; -$a->strings["Could not connect to database."] = "Verbindung zur Datenbank gescheitert."; -$a->strings["Could not create table."] = "Tabelle konnte nicht angelegt werden."; -$a->strings["Your Friendica site database has been installed."] = "Die Datenbank deiner Friendicaseite wurde installiert."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Möglicherweise musst du die Datei \"database.sql\" manuell mit phpmyadmin oder mysql importieren."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Lies bitte die \"INSTALL.txt\"."; -$a->strings["System check"] = "Systemtest"; -$a->strings["Next"] = "Nächste"; -$a->strings["Check again"] = "Noch einmal testen"; -$a->strings["Database connection"] = "Datenbankverbindung"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Um Friendica installieren zu können, müssen wir wissen, wie wir mit deiner Datenbank Kontakt aufnehmen können."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Bitte kontaktiere den Hosting Provider oder den Administrator der Seite, falls du Fragen zu diesen Einstellungen haben solltest."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Die Datenbank, die du unten angibst, sollte bereits existieren. Ist dies noch nicht der Fall, erzeuge sie bitte bevor du mit der Installation fortfährst."; -$a->strings["Database Server Name"] = "Datenbank-Server"; -$a->strings["Database Login Name"] = "Datenbank-Nutzer"; -$a->strings["Database Login Password"] = "Datenbank-Passwort"; -$a->strings["Database Name"] = "Datenbank-Name"; -$a->strings["Site administrator email address"] = "E-Mail-Adresse des Administrators"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Die E-Mail-Adresse, die in deinem Friendica-Account eingetragen ist, muss mit dieser Adresse übereinstimmen, damit du das Admin-Panel benutzen kannst."; -$a->strings["Please select a default timezone for your website"] = "Bitte wähle die Standardzeitzone deiner Webseite"; -$a->strings["Site settings"] = "Server-Einstellungen"; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Konnte keine Kommandozeilenversion von PHP im PATH des Servers finden."; -$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 'Activating scheduled tasks'"] = "Wenn du keine Kommandozeilen Version von PHP auf deinem Server installiert hast, kannst du keine Hintergrundprozesse via cron starten. Siehe 'Activating scheduled tasks'"; -$a->strings["PHP executable path"] = "Pfad zu PHP"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Gib den kompletten Pfad zur ausführbaren Datei von PHP an. Du kannst dieses Feld auch frei lassen und mit der Installation fortfahren."; -$a->strings["Command line PHP"] = "Kommandozeilen-PHP"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "Die ausführbare Datei von PHP stimmt nicht mit der PHP cli Version überein (es könnte sich um die cgi-fgci Version handeln)"; -$a->strings["Found PHP version: "] = "Gefundene 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."] = "Die Kommandozeilenversion von PHP auf deinem System hat \"register_argc_argv\" nicht aktiviert."; -$a->strings["This is required for message delivery to work."] = "Dies wird für die Auslieferung von Nachrichten benötigt."; -$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"] = "Fehler: Die Funktion \"openssl_pkey_new\" auf diesem System ist nicht in der Lage, Verschlüsselungsschlüssel zu erzeugen"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Wenn der Server unter Windows läuft, schau dir bitte \"http://www.php.net/manual/en/openssl.installation.php\" an."; -$a->strings["Generate encryption keys"] = "Schlüssel erzeugen"; -$a->strings["libCurl PHP module"] = "PHP: libCurl-Modul"; -$a->strings["GD graphics PHP module"] = "PHP: GD-Grafikmodul"; -$a->strings["OpenSSL PHP module"] = "PHP: OpenSSL-Modul"; -$a->strings["mysqli PHP module"] = "PHP: mysqli-Modul"; -$a->strings["mb_string PHP module"] = "PHP: mb_string-Modul"; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Fehler: Das Apache-Modul mod-rewrite wird benötigt, es ist allerdings nicht installiert."; -$a->strings["Error: libCURL PHP module required but not installed."] = "Fehler: Das libCURL PHP Modul wird benötigt, ist aber nicht installiert."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Fehler: Das GD-Graphikmodul für PHP mit JPEG-Unterstützung ist nicht installiert."; -$a->strings["Error: openssl PHP module required but not installed."] = "Fehler: Das openssl-Modul von PHP ist nicht installiert."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Fehler: Das mysqli-Modul von PHP ist nicht installiert."; -$a->strings["Error: mb_string PHP module required but not installed."] = "Fehler: mb_string PHP Module wird benötigt ist aber nicht installiert."; -$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."] = "Der Installationswizard muss in der Lage sein, eine Datei im Stammverzeichnis deines Webservers anzulegen, ist allerdings derzeit nicht in der Lage, dies zu tun."; -$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."] = "In den meisten Fällen ist dies ein Problem mit den Schreibrechten. Der Webserver könnte keine Schreiberlaubnis haben, selbst wenn du sie hast."; -$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."] = "Nachdem du alles ausgefüllt hast, erhältst du einen Text, den du in eine Datei namens .htconfig.php in deinem Friendica-Wurzelverzeichnis kopieren musst."; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternativ kannst du diesen Schritt aber auch überspringen und die Installation manuell durchführen. Eine Anleitung dazu (Englisch) findest du in der Datei INSTALL.txt."; -$a->strings[".htconfig.php is writable"] = "Schreibrechte auf .htconfig.php"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica nutzt die Smarty3 Template Engine um die Webansichten zu rendern. Smarty3 kompiliert Templates zu PHP um das Rendern zu beschleunigen."; -$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."] = "Um diese kompilierten Templates zu speichern benötigt der Webserver Schreibrechte zum Verzeichnis view/smarty3/ im obersten Ordner von Friendica."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Bitte stelle sicher, dass der Nutzer unter dem der Webserver läuft (z.B. www-data) Schreibrechte zu diesem Verzeichnis hat."; -$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."] = "Hinweis: aus Sicherheitsgründen solltest du dem Webserver nur Schreibrechte für view/smarty3/ geben -- Nicht den Templatedateien (.tpl) die sie enthalten."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 ist schreibbar"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "Umschreiben der URLs in der .htaccess funktioniert nicht. Überprüfe die Konfiguration des Servers."; -$a->strings["Url rewrite is working"] = "URL rewrite funktioniert"; -$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."] = "Die Konfigurationsdatei \".htconfig.php\" konnte nicht angelegt werden. Bitte verwende den angefügten Text, um die Datei im Stammverzeichnis deiner Friendica-Installation zu erzeugen."; -$a->strings["

    What next

    "] = "

    Wie geht es weiter?

    "; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "WICHTIG: Du musst [manuell] einen Cronjob (o.ä.) für den Poller einrichten."; +$a->strings["Message not available."] = "Nachricht nicht verfügbar."; +$a->strings["Delete message"] = "Nachricht löschen"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Sichere Kommunikation ist nicht verfügbar. Eventuell kannst du auf der Profilseite des Absenders antworten."; +$a->strings["Send Reply"] = "Antwort senden"; +$a->strings["[Embedded content - reload page to view]"] = "[Eingebetteter Inhalt - Seite neu laden zum Betrachten]"; +$a->strings["Contact settings applied."] = "Einstellungen zum Kontakt angewandt."; +$a->strings["Contact update failed."] = "Konnte den Kontakt nicht aktualisieren."; +$a->strings["Repair Contact Settings"] = "Kontakteinstellungen reparieren"; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ACHTUNG: Das sind Experten-Einstellungen! Wenn du etwas Falsches eingibst, funktioniert die Kommunikation mit diesem Kontakt evtl. nicht mehr."; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Bitte nutze den Zurück-Button deines Browsers jetzt, wenn du dir unsicher bist, was du tun willst."; +$a->strings["Return to contact editor"] = "Zurück zum Kontakteditor"; +$a->strings["No mirroring"] = "Kein Spiegeln"; +$a->strings["Mirror as forwarded posting"] = "Spiegeln als weitergeleitete Beiträge"; +$a->strings["Mirror as my own posting"] = "Spiegeln als meine eigenen Beiträge"; +$a->strings["Name"] = "Name"; +$a->strings["Account Nickname"] = "Konto-Spitzname"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - überschreibt Name/Spitzname"; +$a->strings["Account URL"] = "Konto-URL"; +$a->strings["Friend Request URL"] = "URL für Freundschaftsanfragen"; +$a->strings["Friend Confirm URL"] = "URL für Bestätigungen von Freundschaftsanfragen"; +$a->strings["Notification Endpoint URL"] = "URL-Endpunkt für Benachrichtigungen"; +$a->strings["Poll/Feed URL"] = "Pull/Feed-URL"; +$a->strings["New photo from this URL"] = "Neues Foto von dieser URL"; +$a->strings["Remote Self"] = "Entfernte Konten"; +$a->strings["Mirror postings from this contact"] = "Spiegle Beiträge dieses Kontakts"; +$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Markiere diesen Kontakt als remote_self (entferntes Konto), dies veranlasst Friendica alle Top-Level Beiträge dieses Kontakts an all deine Kontakte zu senden."; +$a->strings["Login"] = "Anmeldung"; +$a->strings["The post was created"] = "Der Beitrag wurde angelegt"; +$a->strings["Access denied."] = "Zugriff verweigert."; +$a->strings["People Search"] = "Personensuche"; +$a->strings["No matches"] = "Keine Übereinstimmungen"; +$a->strings["Photos"] = "Bilder"; +$a->strings["Files"] = "Dateien"; +$a->strings["Contacts who are not members of a group"] = "Kontakte, die keiner Gruppe zugewiesen sind"; $a->strings["Theme settings updated."] = "Themeneinstellungen aktualisiert."; $a->strings["Site"] = "Seite"; $a->strings["Users"] = "Nutzer"; @@ -440,7 +418,9 @@ $a->strings["Active plugins"] = "Aktive Plugins"; $a->strings["Can not parse base url. Must have at least ://"] = "Die Basis-URL konnte nicht analysiert werden. Sie muss mindestens aus :// bestehen"; $a->strings["Site settings updated."] = "Seiteneinstellungen aktualisiert."; $a->strings["No special theme for mobile devices"] = "Kein spezielles Theme für mobile Geräte verwenden."; -$a->strings["Never"] = "Niemals"; +$a->strings["No community page"] = "Keine Gemeinschaftsseite"; +$a->strings["Public postings from users of this site"] = "Öffentliche Beiträge von Nutzer_innen dieser Seite"; +$a->strings["Global community page"] = "Globale Gemeinschaftsseite"; $a->strings["At post arrival"] = "Beim Empfang von Nachrichten"; $a->strings["Frequently"] = "immer wieder"; $a->strings["Hourly"] = "Stündlich"; @@ -454,6 +434,7 @@ $a->strings["No SSL policy, links will track page SSL state"] = "Keine SSL Richt $a->strings["Force all links to use SSL"] = "SSL für alle Links erzwingen"; $a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Selbst-unterzeichnetes Zertifikat, SSL nur für lokale Links verwenden (nicht empfohlen)"; $a->strings["Save Settings"] = "Einstellungen speichern"; +$a->strings["Registration"] = "Registrierung"; $a->strings["File upload"] = "Datei hochladen"; $a->strings["Policies"] = "Regeln"; $a->strings["Advanced"] = "Erweitert"; @@ -463,6 +444,8 @@ $a->strings["Site name"] = "Seitenname"; $a->strings["Host name"] = "Host Name"; $a->strings["Sender Email"] = "Absender für Emails"; $a->strings["Banner/Logo"] = "Banner/Logo"; +$a->strings["Shortcut icon"] = "Shortcut Icon"; +$a->strings["Touch icon"] = "Touch Icon"; $a->strings["Additional Info"] = "Zusätzliche Informationen"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "Für öffentliche Server kannst du hier zusätzliche Informationen angeben, die dann auf dir.friendica.com/siteinfo angezeigt werden."; $a->strings["System language"] = "Systemsprache"; @@ -523,8 +506,10 @@ $a->strings["Fullname check"] = "Namen auf Vollständigkeit überprüfen"; $a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = "Leerzeichen zwischen Vor- und Nachname im vollständigen Namen erzwingen, um SPAM zu vermeiden."; $a->strings["UTF-8 Regular expressions"] = "UTF-8 Reguläre Ausdrücke"; $a->strings["Use PHP UTF8 regular expressions"] = "PHP UTF8 Ausdrücke verwenden"; -$a->strings["Show Community Page"] = "Gemeinschaftsseite anzeigen"; -$a->strings["Display a Community page showing all recent public postings on this site."] = "Zeige die Gemeinschaftsseite mit allen öffentlichen Beiträgen auf diesem Server."; +$a->strings["Community Page Style"] = "Art der Gemeinschaftsseite"; +$a->strings["Type of community page to show. 'Global community' shows every public posting from an open distributed network that arrived on this server."] = "Welche Art der Gemeinschaftsseite soll verwendet werden? Globale Gemeinschaftsseite zeigt alle öffentlichen Beiträge eines offenen dezentralen Netzwerks an die auf diesem Server eintreffen."; +$a->strings["Posts per user on community page"] = "Anzahl der Beiträge pro Benutzer auf der Gemeinschaftsseite"; +$a->strings["The maximum number of posts per user on the community page. (Not valid for 'Global Community')"] = "Die Anzahl der Beiträge die von jedem Nutzer maximal auf der Gemeinschaftsseite angezeigt werden sollen. Dieser Parameter wird nicht für die Globale Gemeinschaftsseite genutzt."; $a->strings["Enable OStatus support"] = "OStatus Unterstützung aktivieren"; $a->strings["Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All communications in OStatus are public, so privacy warnings will be occasionally displayed."] = "Biete die eingebaute OStatus (iStatusNet, GNU Social, etc.) Unterstützung an. Jede Kommunikation in OStatus ist öffentlich, Privatsphäre Warnungen werden nur bei Bedarf angezeigt."; $a->strings["OStatus conversation completion interval"] = "Intervall zum Vervollständigen von OStatus Unterhaltungen"; @@ -549,6 +534,8 @@ $a->strings["Use MySQL full text engine"] = "Nutze MySQL full text engine"; $a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = "Aktiviert die 'full text engine'. Beschleunigt die Suche - aber es kann nur nach vier oder mehr Zeichen gesucht werden."; $a->strings["Suppress Language"] = "Sprachinformation unterdrücken"; $a->strings["Suppress language information in meta information about a posting."] = "Verhindert das Erzeugen der Meta-Information zur Spracherkennung eines Beitrags."; +$a->strings["Suppress Tags"] = "Tags Unterdrücken"; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = "Unterdrückt die Anzeige von Tags am Ende eines Beitrags."; $a->strings["Path to item cache"] = "Pfad zum Eintrag Cache"; $a->strings["Cache duration in seconds"] = "Cache-Dauer in Sekunden"; $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."] = "Wie lange sollen die gecachedten Dateien vorgehalten werden? Grundeinstellung sind 86400 Sekunden (ein Tag). Um den Item Cache zu deaktivieren, setze diesen Wert auf -1."; @@ -559,9 +546,11 @@ $a->strings["Temp path"] = "Temp Pfad"; $a->strings["Base path to installation"] = "Basis-Pfad zur Installation"; $a->strings["Disable picture proxy"] = "Bilder Proxy deaktivieren"; $a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Der Proxy für Bilder verbessert die Leitung und Privatsphäre der Nutzer. Er sollte nicht auf Systemen verwendet werden, die nur über begrenzte Bandbreite verfügen."; +$a->strings["Enable old style pager"] = "Den Old-Style Pager aktiviren"; +$a->strings["The old style pager has page numbers but slows down massively the page speed."] = "Der Old-Style Pager zeigt Seitennummern an, verlangsamt aber auch drastisch das Laden einer Seite."; +$a->strings["Only search in tags"] = "Nur in Tags suchen"; +$a->strings["On large systems the text search can slow down the system extremely."] = "Auf großen Knoten kann die Volltext-Suche das System ausbremsen."; $a->strings["New base url"] = "Neue Basis-URL"; -$a->strings["Disable noscrape"] = "Noscrape deaktivieren"; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping. Disabling it will cause higher load on your server and the directory server."] = "Das noscrape Feature beschleunigt Verzeichnis einsendungen indem JSON Daten gesendet werden anstelle vom analysieren der HTML Struktur. Wird es deaktiviert, wird mehr Last auf deinem Server und den Verzichnis Servern verursacht."; $a->strings["Update has been marked successful"] = "Update wurde als erfolgreich markiert"; $a->strings["Database structure update %s was successfully applied."] = "Das Update %s der Struktur der Datenbank wurde erfolgreich angewandt."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Das Update %s der Struktur der Datenbank schlug mit folgender Fehlermeldung fehl: %s"; @@ -594,13 +583,9 @@ $a->strings["select all"] = "Alle auswählen"; $a->strings["User registrations waiting for confirm"] = "Neuanmeldungen, die auf deine Bestätigung warten"; $a->strings["User waiting for permanent deletion"] = "Nutzer wartet auf permanente Löschung"; $a->strings["Request date"] = "Anfragedatum"; -$a->strings["Name"] = "Name"; $a->strings["Email"] = "E-Mail"; $a->strings["No registrations."] = "Keine Neuanmeldungen."; -$a->strings["Approve"] = "Genehmigen"; $a->strings["Deny"] = "Verwehren"; -$a->strings["Block"] = "Sperren"; -$a->strings["Unblock"] = "Entsperren"; $a->strings["Site admin"] = "Seitenadministrator"; $a->strings["Account expired"] = "Account ist abgelaufen"; $a->strings["New User"] = "Neuer Nutzer"; @@ -632,210 +617,186 @@ $a->strings["Enable Debugging"] = "Protokoll führen"; $a->strings["Log file"] = "Protokolldatei"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Webserver muss Schreibrechte besitzen. Abhängig vom Friendica-Installationsverzeichnis."; $a->strings["Log level"] = "Protokoll-Level"; -$a->strings["Update now"] = "Jetzt aktualisieren"; $a->strings["Close"] = "Schließen"; $a->strings["FTP Host"] = "FTP Host"; $a->strings["FTP Path"] = "FTP Pfad"; $a->strings["FTP User"] = "FTP Nutzername"; $a->strings["FTP Password"] = "FTP Passwort"; -$a->strings["Search"] = "Suche"; -$a->strings["No results."] = "Keine Ergebnisse."; -$a->strings["Tips for New Members"] = "Tipps für neue Nutzer"; -$a->strings["link"] = "Link"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s hat %2\$ss %3\$s mit %4\$s getaggt"; -$a->strings["Item not found"] = "Beitrag nicht gefunden"; -$a->strings["Edit post"] = "Beitrag bearbeiten"; -$a->strings["Save"] = "Speichern"; -$a->strings["upload photo"] = "Bild hochladen"; -$a->strings["Attach file"] = "Datei anhängen"; -$a->strings["attach file"] = "Datei anhängen"; -$a->strings["web link"] = "Weblink"; -$a->strings["Insert video link"] = "Video-Adresse einfügen"; -$a->strings["video link"] = "Video-Link"; -$a->strings["Insert audio link"] = "Audio-Adresse einfügen"; -$a->strings["audio link"] = "Audio-Link"; -$a->strings["Set your location"] = "Deinen Standort festlegen"; -$a->strings["set location"] = "Ort setzen"; -$a->strings["Clear browser location"] = "Browser-Standort leeren"; -$a->strings["clear location"] = "Ort löschen"; -$a->strings["Permission settings"] = "Berechtigungseinstellungen"; -$a->strings["CC: email addresses"] = "Cc: E-Mail-Addressen"; -$a->strings["Public post"] = "Öffentlicher Beitrag"; -$a->strings["Set title"] = "Titel setzen"; -$a->strings["Categories (comma-separated list)"] = "Kategorien (kommasepariert)"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Z.B.: bob@example.com, mary@example.com"; -$a->strings["Item not available."] = "Beitrag nicht verfügbar."; -$a->strings["Item was not found."] = "Beitrag konnte nicht gefunden werden."; -$a->strings["Account approved."] = "Konto freigegeben."; -$a->strings["Registration revoked for %s"] = "Registrierung für %s wurde zurückgezogen"; -$a->strings["Please login."] = "Bitte melde dich an."; -$a->strings["Find on this site"] = "Auf diesem Server suchen"; -$a->strings["Finding: "] = "Funde: "; -$a->strings["Site Directory"] = "Verzeichnis"; -$a->strings["Find"] = "Finde"; -$a->strings["Age: "] = "Alter: "; -$a->strings["Gender: "] = "Geschlecht:"; -$a->strings["No entries (some entries may be hidden)."] = "Keine Einträge (einige Einträge könnten versteckt sein)."; -$a->strings["Contact settings applied."] = "Einstellungen zum Kontakt angewandt."; -$a->strings["Contact update failed."] = "Konnte den Kontakt nicht aktualisieren."; -$a->strings["Repair Contact Settings"] = "Kontakteinstellungen reparieren"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ACHTUNG: Das sind Experten-Einstellungen! Wenn du etwas Falsches eingibst, funktioniert die Kommunikation mit diesem Kontakt evtl. nicht mehr."; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Bitte nutze den Zurück-Button deines Browsers jetzt, wenn du dir unsicher bist, was du tun willst."; -$a->strings["Return to contact editor"] = "Zurück zum Kontakteditor"; -$a->strings["No mirroring"] = "Kein Spiegeln"; -$a->strings["Mirror as forwarded posting"] = "Spiegeln als weitergeleitete Beiträge"; -$a->strings["Mirror as my own posting"] = "Spiegeln als meine eigenen Beiträge"; -$a->strings["Account Nickname"] = "Konto-Spitzname"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - überschreibt Name/Spitzname"; -$a->strings["Account URL"] = "Konto-URL"; -$a->strings["Friend Request URL"] = "URL für Freundschaftsanfragen"; -$a->strings["Friend Confirm URL"] = "URL für Bestätigungen von Freundschaftsanfragen"; -$a->strings["Notification Endpoint URL"] = "URL-Endpunkt für Benachrichtigungen"; -$a->strings["Poll/Feed URL"] = "Pull/Feed-URL"; -$a->strings["New photo from this URL"] = "Neues Foto von dieser URL"; -$a->strings["Remote Self"] = "Entfernte Konten"; -$a->strings["Mirror postings from this contact"] = "Spiegle Beiträge dieses Kontakts"; -$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Markiere diesen Kontakt als remote_self (entferntes Konto), dies veranlasst Friendica alle Top-Level Beiträge dieses Kontakts an all deine Kontakte zu senden."; -$a->strings["Move account"] = "Account umziehen"; -$a->strings["You can import an account from another Friendica server."] = "Du kannst einen Account von einem anderen Friendica Server importieren."; -$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."] = "Du musst deinen Account vom alten Server exportieren und hier hochladen. Wir stellen deinen alten Account mit all deinen Kontakten wieder her. Wir werden auch versuchen all deine Freunde darüber zu informieren, dass du hierher umgezogen bist."; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Dieses Feature ist experimentell. Wir können keine Kontakte vom OStatus Netzwerk (statusnet/identi.ca) oder von Diaspora importieren"; -$a->strings["Account file"] = "Account Datei"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Um deinen Account zu exportieren, rufe \"Einstellungen -> Persönliche Daten exportieren\" auf und wähle \"Account exportieren\""; -$a->strings["Remote privacy information not available."] = "Entfernte Privatsphäreneinstellungen nicht verfügbar."; -$a->strings["Visible to:"] = "Sichtbar für:"; +$a->strings["Search Results For:"] = "Suchergebnisse für:"; +$a->strings["Remove term"] = "Begriff entfernen"; +$a->strings["Saved Searches"] = "Gespeicherte Suchen"; +$a->strings["add"] = "hinzufügen"; +$a->strings["Commented Order"] = "Neueste Kommentare"; +$a->strings["Sort by Comment Date"] = "Nach Kommentardatum sortieren"; +$a->strings["Posted Order"] = "Neueste Beiträge"; +$a->strings["Sort by Post Date"] = "Nach Beitragsdatum sortieren"; +$a->strings["Posts that mention or involve you"] = "Beiträge, in denen es um dich geht"; +$a->strings["New"] = "Neue"; +$a->strings["Activity Stream - by date"] = "Aktivitäten-Stream - nach Datum"; +$a->strings["Shared Links"] = "Geteilte Links"; +$a->strings["Interesting Links"] = "Interessante Links"; +$a->strings["Starred"] = "Markierte"; +$a->strings["Favourite Posts"] = "Favorisierte Beiträge"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Warnung: Diese Gruppe beinhaltet %s Person aus einem unsicheren Netzwerk.", + 1 => "Warnung: Diese Gruppe beinhaltet %s Personen aus unsicheren Netzwerken.", +); +$a->strings["Private messages to this group are at risk of public disclosure."] = "Private Nachrichten an diese Gruppe könnten an die Öffentlichkeit geraten."; +$a->strings["No such group"] = "Es gibt keine solche Gruppe"; +$a->strings["Group is empty"] = "Gruppe ist leer"; +$a->strings["Group: "] = "Gruppe: "; +$a->strings["Contact: "] = "Kontakt: "; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Private Nachrichten an diese Person könnten an die Öffentlichkeit gelangen."; +$a->strings["Invalid contact."] = "Ungültiger Kontakt."; +$a->strings["Friends of %s"] = "Freunde von %s"; +$a->strings["No friends to display."] = "Keine Freunde zum Anzeigen."; +$a->strings["Event title and start time are required."] = "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden."; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Veranstaltung bearbeiten"; +$a->strings["link to source"] = "Link zum Originalbeitrag"; +$a->strings["Events"] = "Veranstaltungen"; +$a->strings["Create New Event"] = "Neue Veranstaltung erstellen"; +$a->strings["Previous"] = "Vorherige"; +$a->strings["Next"] = "Nächste"; +$a->strings["hour:minute"] = "Stunde:Minute"; +$a->strings["Event details"] = "Veranstaltungsdetails"; +$a->strings["Format is %s %s. Starting date and Title are required."] = "Das Format ist %s %s. Beginnzeitpunkt und Titel werden benötigt."; +$a->strings["Event Starts:"] = "Veranstaltungsbeginn:"; +$a->strings["Required"] = "Benötigt"; +$a->strings["Finish date/time is not known or not relevant"] = "Enddatum/-zeit ist nicht bekannt oder nicht relevant"; +$a->strings["Event Finishes:"] = "Veranstaltungsende:"; +$a->strings["Adjust for viewer timezone"] = "An Zeitzone des Betrachters anpassen"; +$a->strings["Description:"] = "Beschreibung"; +$a->strings["Location:"] = "Ort:"; +$a->strings["Title:"] = "Titel:"; +$a->strings["Share this event"] = "Veranstaltung teilen"; +$a->strings["Select"] = "Auswählen"; +$a->strings["View %s's profile @ %s"] = "Das Profil von %s auf %s betrachten."; +$a->strings["%s from %s"] = "%s von %s"; +$a->strings["View in context"] = "Im Zusammenhang betrachten"; +$a->strings["%d comment"] = array( + 0 => "%d Kommentar", + 1 => "%d Kommentare", +); +$a->strings["comment"] = array( + 0 => "Kommentar", + 1 => "Kommentare", +); +$a->strings["show more"] = "mehr anzeigen"; +$a->strings["Private Message"] = "Private Nachricht"; +$a->strings["I like this (toggle)"] = "Ich mag das (toggle)"; +$a->strings["like"] = "mag ich"; +$a->strings["I don't like this (toggle)"] = "Ich mag das nicht (toggle)"; +$a->strings["dislike"] = "mag ich nicht"; +$a->strings["Share this"] = "Weitersagen"; +$a->strings["share"] = "Teilen"; +$a->strings["This is you"] = "Das bist du"; +$a->strings["Comment"] = "Kommentar"; +$a->strings["Bold"] = "Fett"; +$a->strings["Italic"] = "Kursiv"; +$a->strings["Underline"] = "Unterstrichen"; +$a->strings["Quote"] = "Zitat"; +$a->strings["Code"] = "Code"; +$a->strings["Image"] = "Bild"; +$a->strings["Link"] = "Link"; +$a->strings["Video"] = "Video"; +$a->strings["Preview"] = "Vorschau"; +$a->strings["Edit"] = "Bearbeiten"; +$a->strings["add star"] = "markieren"; +$a->strings["remove star"] = "Markierung entfernen"; +$a->strings["toggle star status"] = "Markierung umschalten"; +$a->strings["starred"] = "markiert"; +$a->strings["add tag"] = "Tag hinzufügen"; +$a->strings["save to folder"] = "In Ordner speichern"; +$a->strings["to"] = "zu"; +$a->strings["Wall-to-Wall"] = "Wall-to-Wall"; +$a->strings["via Wall-To-Wall:"] = "via Wall-To-Wall:"; +$a->strings["Remove My Account"] = "Konto löschen"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Dein Konto wird endgültig gelöscht. Es gibt keine Möglichkeit, es wiederherzustellen."; +$a->strings["Please enter your password for verification:"] = "Bitte gib dein Passwort zur Verifikation ein:"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica-Server für soziale Netzwerke – Setup"; +$a->strings["Could not connect to database."] = "Verbindung zur Datenbank gescheitert."; +$a->strings["Could not create table."] = "Tabelle konnte nicht angelegt werden."; +$a->strings["Your Friendica site database has been installed."] = "Die Datenbank deiner Friendicaseite wurde installiert."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Möglicherweise musst du die Datei \"database.sql\" manuell mit phpmyadmin oder mysql importieren."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Lies bitte die \"INSTALL.txt\"."; +$a->strings["System check"] = "Systemtest"; +$a->strings["Check again"] = "Noch einmal testen"; +$a->strings["Database connection"] = "Datenbankverbindung"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Um Friendica installieren zu können, müssen wir wissen, wie wir mit deiner Datenbank Kontakt aufnehmen können."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Bitte kontaktiere den Hosting Provider oder den Administrator der Seite, falls du Fragen zu diesen Einstellungen haben solltest."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Die Datenbank, die du unten angibst, sollte bereits existieren. Ist dies noch nicht der Fall, erzeuge sie bitte bevor du mit der Installation fortfährst."; +$a->strings["Database Server Name"] = "Datenbank-Server"; +$a->strings["Database Login Name"] = "Datenbank-Nutzer"; +$a->strings["Database Login Password"] = "Datenbank-Passwort"; +$a->strings["Database Name"] = "Datenbank-Name"; +$a->strings["Site administrator email address"] = "E-Mail-Adresse des Administrators"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Die E-Mail-Adresse, die in deinem Friendica-Account eingetragen ist, muss mit dieser Adresse übereinstimmen, damit du das Admin-Panel benutzen kannst."; +$a->strings["Please select a default timezone for your website"] = "Bitte wähle die Standardzeitzone deiner Webseite"; +$a->strings["Site settings"] = "Server-Einstellungen"; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Konnte keine Kommandozeilenversion von PHP im PATH des Servers finden."; +$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 'Activating scheduled tasks'"] = "Wenn du keine Kommandozeilen Version von PHP auf deinem Server installiert hast, kannst du keine Hintergrundprozesse via cron starten. Siehe 'Activating scheduled tasks'"; +$a->strings["PHP executable path"] = "Pfad zu PHP"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Gib den kompletten Pfad zur ausführbaren Datei von PHP an. Du kannst dieses Feld auch frei lassen und mit der Installation fortfahren."; +$a->strings["Command line PHP"] = "Kommandozeilen-PHP"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "Die ausführbare Datei von PHP stimmt nicht mit der PHP cli Version überein (es könnte sich um die cgi-fgci Version handeln)"; +$a->strings["Found PHP version: "] = "Gefundene 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."] = "Die Kommandozeilenversion von PHP auf deinem System hat \"register_argc_argv\" nicht aktiviert."; +$a->strings["This is required for message delivery to work."] = "Dies wird für die Auslieferung von Nachrichten benötigt."; +$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"] = "Fehler: Die Funktion \"openssl_pkey_new\" auf diesem System ist nicht in der Lage, Verschlüsselungsschlüssel zu erzeugen"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Wenn der Server unter Windows läuft, schau dir bitte \"http://www.php.net/manual/en/openssl.installation.php\" an."; +$a->strings["Generate encryption keys"] = "Schlüssel erzeugen"; +$a->strings["libCurl PHP module"] = "PHP: libCurl-Modul"; +$a->strings["GD graphics PHP module"] = "PHP: GD-Grafikmodul"; +$a->strings["OpenSSL PHP module"] = "PHP: OpenSSL-Modul"; +$a->strings["mysqli PHP module"] = "PHP: mysqli-Modul"; +$a->strings["mb_string PHP module"] = "PHP: mb_string-Modul"; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite module"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Fehler: Das Apache-Modul mod-rewrite wird benötigt, es ist allerdings nicht installiert."; +$a->strings["Error: libCURL PHP module required but not installed."] = "Fehler: Das libCURL PHP Modul wird benötigt, ist aber nicht installiert."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Fehler: Das GD-Graphikmodul für PHP mit JPEG-Unterstützung ist nicht installiert."; +$a->strings["Error: openssl PHP module required but not installed."] = "Fehler: Das openssl-Modul von PHP ist nicht installiert."; +$a->strings["Error: mysqli PHP module required but not installed."] = "Fehler: Das mysqli-Modul von PHP ist nicht installiert."; +$a->strings["Error: mb_string PHP module required but not installed."] = "Fehler: mb_string PHP Module wird benötigt ist aber nicht installiert."; +$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."] = "Der Installationswizard muss in der Lage sein, eine Datei im Stammverzeichnis deines Webservers anzulegen, ist allerdings derzeit nicht in der Lage, dies zu tun."; +$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."] = "In den meisten Fällen ist dies ein Problem mit den Schreibrechten. Der Webserver könnte keine Schreiberlaubnis haben, selbst wenn du sie hast."; +$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."] = "Nachdem du alles ausgefüllt hast, erhältst du einen Text, den du in eine Datei namens .htconfig.php in deinem Friendica-Wurzelverzeichnis kopieren musst."; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternativ kannst du diesen Schritt aber auch überspringen und die Installation manuell durchführen. Eine Anleitung dazu (Englisch) findest du in der Datei INSTALL.txt."; +$a->strings[".htconfig.php is writable"] = "Schreibrechte auf .htconfig.php"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica nutzt die Smarty3 Template Engine um die Webansichten zu rendern. Smarty3 kompiliert Templates zu PHP um das Rendern zu beschleunigen."; +$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."] = "Um diese kompilierten Templates zu speichern benötigt der Webserver Schreibrechte zum Verzeichnis view/smarty3/ im obersten Ordner von Friendica."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Bitte stelle sicher, dass der Nutzer unter dem der Webserver läuft (z.B. www-data) Schreibrechte zu diesem Verzeichnis hat."; +$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."] = "Hinweis: aus Sicherheitsgründen solltest du dem Webserver nur Schreibrechte für view/smarty3/ geben -- Nicht den Templatedateien (.tpl) die sie enthalten."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 ist schreibbar"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "Umschreiben der URLs in der .htaccess funktioniert nicht. Überprüfe die Konfiguration des Servers."; +$a->strings["Url rewrite is working"] = "URL rewrite funktioniert"; +$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."] = "Die Konfigurationsdatei \".htconfig.php\" konnte nicht angelegt werden. Bitte verwende den angefügten Text, um die Datei im Stammverzeichnis deiner Friendica-Installation zu erzeugen."; +$a->strings["

    What next

    "] = "

    Wie geht es weiter?

    "; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "WICHTIG: Du musst [manuell] einen Cronjob (o.ä.) für den Poller einrichten."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Maximale Anzahl der täglichen Pinnwand Nachrichten für %s ist überschritten. Zustellung fehlgeschlagen."; +$a->strings["Unable to check your home location."] = "Konnte deinen Heimatort nicht bestimmen."; +$a->strings["No recipient."] = "Kein Empfänger."; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Wenn du möchtest, dass %s dir antworten kann, überprüfe deine Privatsphären-Einstellungen und erlaube private Nachrichten von unbekannten Absendern."; $a->strings["Help:"] = "Hilfe:"; $a->strings["Help"] = "Hilfe"; -$a->strings["No profile"] = "Kein Profil"; -$a->strings["This introduction has already been accepted."] = "Diese Kontaktanfrage wurde bereits akzeptiert."; -$a->strings["Profile location is not valid or does not contain profile information."] = "Profiladresse ist ungültig oder stellt keine Profildaten zur Verfügung."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Warnung: Es konnte kein Name des Besitzers von der angegebenen Profiladresse gefunden werden."; -$a->strings["Warning: profile location has no profile photo."] = "Warnung: Es gibt kein Profilbild bei der angegebenen Profiladresse."; -$a->strings["%d required parameter was not found at the given location"] = array( - 0 => "%d benötigter Parameter wurde an der angegebenen Stelle nicht gefunden", - 1 => "%d benötigte Parameter wurden an der angegebenen Stelle nicht gefunden", -); -$a->strings["Introduction complete."] = "Kontaktanfrage abgeschlossen."; -$a->strings["Unrecoverable protocol error."] = "Nicht behebbarer Protokollfehler."; -$a->strings["Profile unavailable."] = "Profil nicht verfügbar."; -$a->strings["%s has received too many connection requests today."] = "%s hat heute zu viele Freundschaftsanfragen erhalten."; -$a->strings["Spam protection measures have been invoked."] = "Maßnahmen zum Spamschutz wurden ergriffen."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Freunde sind angehalten, es in 24 Stunden erneut zu versuchen."; -$a->strings["Invalid locator"] = "Ungültiger Locator"; -$a->strings["Invalid email address."] = "Ungültige E-Mail-Adresse."; -$a->strings["This account has not been configured for email. Request failed."] = "Dieses Konto ist nicht für E-Mail konfiguriert. Anfrage fehlgeschlagen."; -$a->strings["Unable to resolve your name at the provided location."] = "Konnte deinen Namen an der angegebenen Stelle nicht finden."; -$a->strings["You have already introduced yourself here."] = "Du hast dich hier bereits vorgestellt."; -$a->strings["Apparently you are already friends with %s."] = "Es scheint so, als ob du bereits mit %s befreundet bist."; -$a->strings["Invalid profile URL."] = "Ungültige Profil-URL."; -$a->strings["Disallowed profile URL."] = "Nicht erlaubte Profil-URL."; -$a->strings["Failed to update contact record."] = "Aktualisierung der Kontaktdaten fehlgeschlagen."; -$a->strings["Your introduction has been sent."] = "Deine Kontaktanfrage wurde gesendet."; -$a->strings["Please login to confirm introduction."] = "Bitte melde dich an, um die Kontaktanfrage zu bestätigen."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Momentan bist du mit einer anderen Identität angemeldet. Bitte melde Dich mit diesem Profil an."; -$a->strings["Hide this contact"] = "Verberge diesen Kontakt"; -$a->strings["Welcome home %s."] = "Willkommen zurück %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Bitte bestätige deine Kontaktanfrage bei %s."; -$a->strings["Confirm"] = "Bestätigen"; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Bitte gib die Adresse deines Profils in einem der unterstützten sozialen Netzwerke an:"; -$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."] = "Wenn du noch kein Mitglied dieses freien sozialen Netzwerks bist, folge diesem Link um einen öffentlichen Friendica-Server zu finden und beizutreten."; -$a->strings["Friend/Connection Request"] = "Freundschafts-/Kontaktanfrage"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Beispiele: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; -$a->strings["Please answer the following:"] = "Bitte beantworte folgendes:"; -$a->strings["Does %s know you?"] = "Kennt %s dich?"; -$a->strings["Add a personal note:"] = "Eine persönliche Notiz beifügen:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - bitte verwende dieses Formular nicht. Stattdessen suche nach %s in deiner Diaspora Suchleiste."; -$a->strings["Your Identity Address:"] = "Adresse deines Profils:"; -$a->strings["Submit Request"] = "Anfrage abschicken"; -$a->strings["[Embedded content - reload page to view]"] = "[Eingebetteter Inhalt - Seite neu laden zum Betrachten]"; -$a->strings["View in context"] = "Im Zusammenhang betrachten"; -$a->strings["%d contact edited."] = array( - 0 => "%d Kontakt bearbeitet.", - 1 => "%d Kontakte bearbeitet", -); -$a->strings["Could not access contact record."] = "Konnte nicht auf die Kontaktdaten zugreifen."; -$a->strings["Could not locate selected profile."] = "Konnte das ausgewählte Profil nicht finden."; -$a->strings["Contact updated."] = "Kontakt aktualisiert."; -$a->strings["Contact has been blocked"] = "Kontakt wurde blockiert"; -$a->strings["Contact has been unblocked"] = "Kontakt wurde wieder freigegeben"; -$a->strings["Contact has been ignored"] = "Kontakt wurde ignoriert"; -$a->strings["Contact has been unignored"] = "Kontakt wird nicht mehr ignoriert"; -$a->strings["Contact has been archived"] = "Kontakt wurde archiviert"; -$a->strings["Contact has been unarchived"] = "Kontakt wurde aus dem Archiv geholt"; -$a->strings["Do you really want to delete this contact?"] = "Möchtest du wirklich diesen Kontakt löschen?"; -$a->strings["Contact has been removed."] = "Kontakt wurde entfernt."; -$a->strings["You are mutual friends with %s"] = "Du hast mit %s eine beidseitige Freundschaft"; -$a->strings["You are sharing with %s"] = "Du teilst mit %s"; -$a->strings["%s is sharing with you"] = "%s teilt mit Dir"; -$a->strings["Private communications are not available for this contact."] = "Private Kommunikation ist für diesen Kontakt nicht verfügbar."; -$a->strings["(Update was successful)"] = "(Aktualisierung war erfolgreich)"; -$a->strings["(Update was not successful)"] = "(Aktualisierung war nicht erfolgreich)"; -$a->strings["Suggest friends"] = "Kontakte vorschlagen"; -$a->strings["Network type: %s"] = "Netzwerktyp: %s"; -$a->strings["%d contact in common"] = array( - 0 => "%d gemeinsamer Kontakt", - 1 => "%d gemeinsame Kontakte", -); -$a->strings["View all contacts"] = "Alle Kontakte anzeigen"; -$a->strings["Toggle Blocked status"] = "Geblockt-Status ein-/ausschalten"; -$a->strings["Unignore"] = "Ignorieren aufheben"; -$a->strings["Ignore"] = "Ignorieren"; -$a->strings["Toggle Ignored status"] = "Ignoriert-Status ein-/ausschalten"; -$a->strings["Unarchive"] = "Aus Archiv zurückholen"; -$a->strings["Archive"] = "Archivieren"; -$a->strings["Toggle Archive status"] = "Archiviert-Status ein-/ausschalten"; -$a->strings["Repair"] = "Reparieren"; -$a->strings["Advanced Contact Settings"] = "Fortgeschrittene Kontakteinstellungen"; -$a->strings["Communications lost with this contact!"] = "Verbindungen mit diesem Kontakt verloren!"; -$a->strings["Contact Editor"] = "Kontakt Editor"; -$a->strings["Profile Visibility"] = "Profil-Sichtbarkeit"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Bitte wähle eines deiner Profile das angezeigt werden soll, wenn %s dein Profil aufruft."; -$a->strings["Contact Information / Notes"] = "Kontakt Informationen / Notizen"; -$a->strings["Edit contact notes"] = "Notizen zum Kontakt bearbeiten"; -$a->strings["Visit %s's profile [%s]"] = "Besuche %ss Profil [%s]"; -$a->strings["Block/Unblock contact"] = "Kontakt blockieren/freischalten"; -$a->strings["Ignore contact"] = "Ignoriere den Kontakt"; -$a->strings["Repair URL settings"] = "URL Einstellungen reparieren"; -$a->strings["View conversations"] = "Unterhaltungen anzeigen"; -$a->strings["Delete contact"] = "Lösche den Kontakt"; -$a->strings["Last update:"] = "letzte Aktualisierung:"; -$a->strings["Update public posts"] = "Öffentliche Beiträge aktualisieren"; -$a->strings["Currently blocked"] = "Derzeit geblockt"; -$a->strings["Currently ignored"] = "Derzeit ignoriert"; -$a->strings["Currently archived"] = "Momentan archiviert"; -$a->strings["Hide this contact from others"] = "Verberge diesen Kontakt vor anderen"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Antworten/Likes auf deine öffentlichen Beiträge könnten weiterhin sichtbar sein"; -$a->strings["Notification for new posts"] = "Benachrichtigung bei neuen Beiträgen"; -$a->strings["Send a notification of every new post of this contact"] = "Sende eine Benachrichtigung wann immer dieser Kontakt einen neuen Beitrag schreibt."; -$a->strings["Fetch further information for feeds"] = "Weitere Informationen zu Feeds holen"; -$a->strings["Disabled"] = "Deaktiviert"; -$a->strings["Fetch information"] = "Beziehe Information"; -$a->strings["Fetch information and keywords"] = "Beziehe Information und Schlüsselworte"; -$a->strings["Blacklisted keywords"] = "Blacklistete Schlüsselworte "; -$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = "Komma-Separierte Liste mit Schlüsselworten die nicht in Hashtags konvertiert werden wenn \"Beziehe Information und Schlüsselworte\" aktiviert wurde"; -$a->strings["Suggestions"] = "Kontaktvorschläge"; -$a->strings["Suggest potential friends"] = "Freunde vorschlagen"; -$a->strings["All Contacts"] = "Alle Kontakte"; -$a->strings["Show all contacts"] = "Alle Kontakte anzeigen"; -$a->strings["Unblocked"] = "Ungeblockt"; -$a->strings["Only show unblocked contacts"] = "Nur nicht-blockierte Kontakte anzeigen"; -$a->strings["Blocked"] = "Geblockt"; -$a->strings["Only show blocked contacts"] = "Nur blockierte Kontakte anzeigen"; -$a->strings["Ignored"] = "Ignoriert"; -$a->strings["Only show ignored contacts"] = "Nur ignorierte Kontakte anzeigen"; -$a->strings["Archived"] = "Archiviert"; -$a->strings["Only show archived contacts"] = "Nur archivierte Kontakte anzeigen"; -$a->strings["Hidden"] = "Verborgen"; -$a->strings["Only show hidden contacts"] = "Nur verborgene Kontakte anzeigen"; -$a->strings["Mutual Friendship"] = "Beidseitige Freundschaft"; -$a->strings["is a fan of yours"] = "ist ein Fan von dir"; -$a->strings["you are a fan of"] = "du bist Fan von"; -$a->strings["Edit contact"] = "Kontakt bearbeiten"; -$a->strings["Search your contacts"] = "Suche in deinen Kontakten"; -$a->strings["Update"] = "Aktualisierungen"; +$a->strings["Not Found"] = "Nicht gefunden"; +$a->strings["Page not found."] = "Seite nicht gefunden."; +$a->strings["%1\$s welcomes %2\$s"] = "%1\$s heißt %2\$s herzlich willkommen"; +$a->strings["Welcome to %s"] = "Willkommen zu %s"; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Entschuldige, die Datei scheint größer zu sein als es die PHP Konfiguration erlaubt."; +$a->strings["Or - did you try to upload an empty file?"] = "Oder - hast Du versucht, eine leere Datei hochzuladen?"; +$a->strings["File exceeds size limit of %d"] = "Die Datei ist größer als das erlaubte Limit von %d"; +$a->strings["File upload failed."] = "Hochladen der Datei fehlgeschlagen."; +$a->strings["Profile Match"] = "Profilübereinstimmungen"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Keine Schlüsselwörter zum Abgleichen gefunden. Bitte füge einige Schlüsselwörter zu deinem Standardprofil hinzu."; +$a->strings["is interested in:"] = "ist interessiert an:"; +$a->strings["Connect"] = "Verbinden"; +$a->strings["link"] = "Link"; +$a->strings["Not available."] = "Nicht verfügbar."; +$a->strings["Community"] = "Gemeinschaft"; +$a->strings["No results."] = "Keine Ergebnisse."; $a->strings["everybody"] = "jeder"; $a->strings["Additional features"] = "Zusätzliche Features"; $a->strings["Display"] = "Anzeige"; @@ -878,6 +839,7 @@ $a->strings["Off"] = "Aus"; $a->strings["On"] = "An"; $a->strings["Additional Features"] = "Zusätzliche Features"; $a->strings["Built-in support for %s connectivity is %s"] = "Eingebaute Unterstützung für Verbindungen zu %s ist %s"; +$a->strings["Diaspora"] = "Diaspora"; $a->strings["enabled"] = "eingeschaltet"; $a->strings["disabled"] = "ausgeschaltet"; $a->strings["StatusNet"] = "StatusNet"; @@ -924,6 +886,7 @@ $a->strings["Private forum - approved members only"] = "Privates Forum, nur für $a->strings["OpenID:"] = "OpenID:"; $a->strings["(Optional) Allow this OpenID to login to this account."] = "(Optional) Erlaube die Anmeldung für dieses Konto mit dieser OpenID."; $a->strings["Publish your default profile in your local site directory?"] = "Darf dein Standardprofil im Verzeichnis dieses Servers veröffentlicht werden?"; +$a->strings["No"] = "Nein"; $a->strings["Publish your default profile in the global social directory?"] = "Darf dein Standardprofil im weltweiten Verzeichnis veröffentlicht werden?"; $a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Liste der Kontakte vor Betrachtern des Standardprofils verbergen?"; $a->strings["Hide your profile details from unknown viewers?"] = "Profil-Details vor unbekannten Betrachtern verbergen?"; @@ -933,7 +896,6 @@ $a->strings["Allow friends to tag your posts?"] = "Dürfen deine Kontakte deine $a->strings["Allow us to suggest you as a potential friend to new members?"] = "Dürfen wir dich neuen Mitgliedern als potentiellen Kontakt vorschlagen?"; $a->strings["Permit unknown people to send you private mail?"] = "Dürfen dir Unbekannte private Nachrichten schicken?"; $a->strings["Profile is not published."] = "Profil ist nicht veröffentlicht."; -$a->strings["or"] = "oder"; $a->strings["Your Identity Address is"] = "Die Adresse deines Profils lautet:"; $a->strings["Automatically expire posts after this many days:"] = "Beiträge verfallen automatisch nach dieser Anzahl von Tagen:"; $a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Wenn leer verfallen Beiträge nie automatisch. Verfallene Beiträge werden gelöscht."; @@ -990,6 +952,98 @@ $a->strings["Change the behaviour of this account for special situations"] = "Ve $a->strings["Relocate"] = "Umziehen"; $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."] = "Wenn du dein Profil von einem anderen Server umgezogen hast und einige deiner Kontakte deine Beiträge nicht erhalten, verwende diesen Button."; $a->strings["Resend relocate message to contacts"] = "Umzugsbenachrichtigung erneut an Kontakte senden"; +$a->strings["This introduction has already been accepted."] = "Diese Kontaktanfrage wurde bereits akzeptiert."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Profiladresse ist ungültig oder stellt keine Profildaten zur Verfügung."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Warnung: Es konnte kein Name des Besitzers von der angegebenen Profiladresse gefunden werden."; +$a->strings["Warning: profile location has no profile photo."] = "Warnung: Es gibt kein Profilbild bei der angegebenen Profiladresse."; +$a->strings["%d required parameter was not found at the given location"] = array( + 0 => "%d benötigter Parameter wurde an der angegebenen Stelle nicht gefunden", + 1 => "%d benötigte Parameter wurden an der angegebenen Stelle nicht gefunden", +); +$a->strings["Introduction complete."] = "Kontaktanfrage abgeschlossen."; +$a->strings["Unrecoverable protocol error."] = "Nicht behebbarer Protokollfehler."; +$a->strings["Profile unavailable."] = "Profil nicht verfügbar."; +$a->strings["%s has received too many connection requests today."] = "%s hat heute zu viele Freundschaftsanfragen erhalten."; +$a->strings["Spam protection measures have been invoked."] = "Maßnahmen zum Spamschutz wurden ergriffen."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Freunde sind angehalten, es in 24 Stunden erneut zu versuchen."; +$a->strings["Invalid locator"] = "Ungültiger Locator"; +$a->strings["Invalid email address."] = "Ungültige E-Mail-Adresse."; +$a->strings["This account has not been configured for email. Request failed."] = "Dieses Konto ist nicht für E-Mail konfiguriert. Anfrage fehlgeschlagen."; +$a->strings["Unable to resolve your name at the provided location."] = "Konnte deinen Namen an der angegebenen Stelle nicht finden."; +$a->strings["You have already introduced yourself here."] = "Du hast dich hier bereits vorgestellt."; +$a->strings["Apparently you are already friends with %s."] = "Es scheint so, als ob du bereits mit %s befreundet bist."; +$a->strings["Invalid profile URL."] = "Ungültige Profil-URL."; +$a->strings["Disallowed profile URL."] = "Nicht erlaubte Profil-URL."; +$a->strings["Your introduction has been sent."] = "Deine Kontaktanfrage wurde gesendet."; +$a->strings["Please login to confirm introduction."] = "Bitte melde dich an, um die Kontaktanfrage zu bestätigen."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Momentan bist du mit einer anderen Identität angemeldet. Bitte melde Dich mit diesem Profil an."; +$a->strings["Hide this contact"] = "Verberge diesen Kontakt"; +$a->strings["Welcome home %s."] = "Willkommen zurück %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Bitte bestätige deine Kontaktanfrage bei %s."; +$a->strings["Confirm"] = "Bestätigen"; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Bitte gib die Adresse deines Profils in einem der unterstützten sozialen Netzwerke an:"; +$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."] = "Wenn du noch kein Mitglied dieses freien sozialen Netzwerks bist, folge diesem Link um einen öffentlichen Friendica-Server zu finden und beizutreten."; +$a->strings["Friend/Connection Request"] = "Freundschafts-/Kontaktanfrage"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Beispiele: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; +$a->strings["Please answer the following:"] = "Bitte beantworte folgendes:"; +$a->strings["Does %s know you?"] = "Kennt %s dich?"; +$a->strings["Add a personal note:"] = "Eine persönliche Notiz beifügen:"; +$a->strings["Friendica"] = "Friendica"; +$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."] = " - bitte verwende dieses Formular nicht. Stattdessen suche nach %s in deiner Diaspora Suchleiste."; +$a->strings["Your Identity Address:"] = "Adresse deines Profils:"; +$a->strings["Submit Request"] = "Anfrage abschicken"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Registrierung erfolgreich. Eine E-Mail mit weiteren Anweisungen wurde an dich gesendet."; +$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = "Versenden der E-Mail fehlgeschlagen. Hier sind deine Account Details:\n\nLogin: %s\nPasswort: %s\n\nDu kannst das Passwort nach dem Anmelden ändern."; +$a->strings["Your registration can not be processed."] = "Deine Registrierung konnte nicht verarbeitet werden."; +$a->strings["Your registration is pending approval by the site owner."] = "Deine Registrierung muss noch vom Betreiber der Seite freigegeben werden."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Die maximale Anzahl täglicher Registrierungen auf dieser Seite wurde überschritten. Bitte versuche es morgen noch einmal."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Du kannst dieses Formular auch (optional) mit deiner OpenID ausfüllen, indem du deine OpenID angibst und 'Registrieren' klickst."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Wenn du nicht mit OpenID vertraut bist, lass dieses Feld bitte leer und fülle die restlichen Felder aus."; +$a->strings["Your OpenID (optional): "] = "Deine OpenID (optional): "; +$a->strings["Include your profile in member directory?"] = "Soll dein Profil im Nutzerverzeichnis angezeigt werden?"; +$a->strings["Membership on this site is by invitation only."] = "Mitgliedschaft auf dieser Seite ist nur nach vorheriger Einladung möglich."; +$a->strings["Your invitation ID: "] = "ID deiner Einladung: "; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Vollständiger Name (z.B. Max Mustermann): "; +$a->strings["Your Email Address: "] = "Deine E-Mail-Adresse: "; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Wähle einen Spitznamen für dein Profil. Dieser muss mit einem Buchstaben beginnen. Die Adresse deines Profils auf dieser Seite wird 'spitzname@\$sitename' sein."; +$a->strings["Choose a nickname: "] = "Spitznamen wählen: "; +$a->strings["Register"] = "Registrieren"; +$a->strings["Import"] = "Import"; +$a->strings["Import your profile to this friendica instance"] = "Importiere dein Profil auf diese Friendica Instanz"; +$a->strings["System down for maintenance"] = "System zur Wartung abgeschaltet"; +$a->strings["Search"] = "Suche"; +$a->strings["Global Directory"] = "Weltweites Verzeichnis"; +$a->strings["Find on this site"] = "Auf diesem Server suchen"; +$a->strings["Site Directory"] = "Verzeichnis"; +$a->strings["Age: "] = "Alter: "; +$a->strings["Gender: "] = "Geschlecht:"; +$a->strings["Gender:"] = "Geschlecht:"; +$a->strings["Status:"] = "Status:"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["About:"] = "Über:"; +$a->strings["No entries (some entries may be hidden)."] = "Keine Einträge (einige Einträge könnten versteckt sein)."; +$a->strings["No potential page delegates located."] = "Keine potentiellen Bevollmächtigten für die Seite gefunden."; +$a->strings["Delegate Page Management"] = "Delegiere das Management für die Seite"; +$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."] = "Bevollmächtigte sind in der Lage, alle Aspekte dieses Kontos/dieser Seite zu verwalten, abgesehen von den Grundeinstellungen des Kontos. Bitte gib niemandem eine Bevollmächtigung für deinen privaten Account, dem du nicht absolut vertraust!"; +$a->strings["Existing Page Managers"] = "Vorhandene Seitenmanager"; +$a->strings["Existing Page Delegates"] = "Vorhandene Bevollmächtigte für die Seite"; +$a->strings["Potential Delegates"] = "Potentielle Bevollmächtigte"; +$a->strings["Add"] = "Hinzufügen"; +$a->strings["No entries."] = "Keine Einträge."; +$a->strings["Common Friends"] = "Gemeinsame Freunde"; +$a->strings["No contacts in common."] = "Keine gemeinsamen Kontakte."; +$a->strings["Export account"] = "Account exportieren"; +$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."] = "Exportiere deine Accountinformationen und Kontakte. Verwende dies um ein Backup deines Accounts anzulegen und/oder damit auf einen anderen Server umzuziehen."; +$a->strings["Export all"] = "Alles exportieren"; +$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)"] = "Exportiere deine Account Informationen, Kontakte und alle Einträge als JSON Datei. Dies könnte eine sehr große Datei werden und dementsprechend viel Zeit benötigen. Verwende dies um ein komplettes Backup deines Accounts anzulegen (Fotos werden nicht exportiert)."; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s ist momentan %2\$s"; +$a->strings["Mood"] = "Stimmung"; +$a->strings["Set your current mood and tell your friends"] = "Wähle deine aktuelle Stimmung und erzähle sie deinen Freunden"; +$a->strings["Do you really want to delete this suggestion?"] = "Möchtest du wirklich diese Empfehlung löschen?"; +$a->strings["Friend Suggestions"] = "Kontaktvorschläge"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Keine Vorschläge verfügbar. Falls der Server frisch aufgesetzt wurde, versuche es bitte in 24 Stunden noch einmal."; +$a->strings["Ignore/Hide"] = "Ignorieren/Verbergen"; $a->strings["Profile deleted."] = "Profil gelöscht."; $a->strings["Profile-"] = "Profil-"; $a->strings["New profile created."] = "Neues Profil angelegt."; @@ -1065,56 +1119,45 @@ $a->strings["Work/employment"] = "Arbeit/Anstellung"; $a->strings["School/education"] = "Schule/Ausbildung"; $a->strings["This is your public profile.
    It may be visible to anybody using the internet."] = "Dies ist dein öffentliches Profil.
    Es könnte für jeden Nutzer des Internets sichtbar sein."; $a->strings["Edit/Manage Profiles"] = "Bearbeite/Verwalte Profile"; -$a->strings["Group created."] = "Gruppe erstellt."; -$a->strings["Could not create group."] = "Konnte die Gruppe nicht erstellen."; -$a->strings["Group not found."] = "Gruppe nicht gefunden."; -$a->strings["Group name changed."] = "Gruppenname geändert."; -$a->strings["Save Group"] = "Gruppe speichern"; -$a->strings["Create a group of contacts/friends."] = "Eine Gruppe von Kontakten/Freunden anlegen."; -$a->strings["Group Name: "] = "Gruppenname:"; -$a->strings["Group removed."] = "Gruppe entfernt."; -$a->strings["Unable to remove group."] = "Konnte die Gruppe nicht entfernen."; -$a->strings["Group Editor"] = "Gruppeneditor"; -$a->strings["Members"] = "Mitglieder"; -$a->strings["Click on a contact to add or remove."] = "Klicke einen Kontakt an, um ihn hinzuzufügen oder zu entfernen"; -$a->strings["Source (bbcode) text:"] = "Quelle (bbcode) Text:"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Eingabe (Diaspora) nach BBCode zu konvertierender Text:"; -$a->strings["Source input: "] = "Originaltext:"; -$a->strings["bb2html (raw HTML): "] = "bb2html (reines 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): "] = "Originaltext (Diaspora Format): "; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Not available."] = "Nicht verfügbar."; -$a->strings["Contact added"] = "Kontakt hinzugefügt"; -$a->strings["No more system notifications."] = "Keine weiteren Systembenachrichtigungen."; -$a->strings["System Notifications"] = "Systembenachrichtigungen"; -$a->strings["New Message"] = "Neue Nachricht"; -$a->strings["Unable to locate contact information."] = "Konnte die Kontaktinformationen nicht finden."; -$a->strings["Messages"] = "Nachrichten"; -$a->strings["Do you really want to delete this message?"] = "Möchtest du wirklich diese Nachricht löschen?"; -$a->strings["Message deleted."] = "Nachricht gelöscht."; -$a->strings["Conversation removed."] = "Unterhaltung gelöscht."; -$a->strings["No messages."] = "Keine Nachrichten."; -$a->strings["Unknown sender - %s"] = "'Unbekannter Absender - %s"; -$a->strings["You and %s"] = "Du und %s"; -$a->strings["%s and You"] = "%s und du"; -$a->strings["Delete conversation"] = "Unterhaltung löschen"; -$a->strings["D, d M Y - g:i A"] = "D, d. M Y - g:i A"; -$a->strings["%d message"] = array( - 0 => "%d Nachricht", - 1 => "%d Nachrichten", -); -$a->strings["Message not available."] = "Nachricht nicht verfügbar."; -$a->strings["Delete message"] = "Nachricht löschen"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Sichere Kommunikation ist nicht verfügbar. Eventuell kannst du auf der Profilseite des Absenders antworten."; -$a->strings["Send Reply"] = "Antwort senden"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s mag %2\$ss %3\$s nicht"; -$a->strings["Post successful."] = "Beitrag erfolgreich veröffentlicht."; +$a->strings["Change profile photo"] = "Profilbild ändern"; +$a->strings["Create New Profile"] = "Neues Profil anlegen"; +$a->strings["Profile Image"] = "Profilbild"; +$a->strings["visible to everybody"] = "sichtbar für jeden"; +$a->strings["Edit visibility"] = "Sichtbarkeit bearbeiten"; +$a->strings["Item not found"] = "Beitrag nicht gefunden"; +$a->strings["Edit post"] = "Beitrag bearbeiten"; +$a->strings["upload photo"] = "Bild hochladen"; +$a->strings["Attach file"] = "Datei anhängen"; +$a->strings["attach file"] = "Datei anhängen"; +$a->strings["web link"] = "Weblink"; +$a->strings["Insert video link"] = "Video-Adresse einfügen"; +$a->strings["video link"] = "Video-Link"; +$a->strings["Insert audio link"] = "Audio-Adresse einfügen"; +$a->strings["audio link"] = "Audio-Link"; +$a->strings["Set your location"] = "Deinen Standort festlegen"; +$a->strings["set location"] = "Ort setzen"; +$a->strings["Clear browser location"] = "Browser-Standort leeren"; +$a->strings["clear location"] = "Ort löschen"; +$a->strings["Permission settings"] = "Berechtigungseinstellungen"; +$a->strings["CC: email addresses"] = "Cc: E-Mail-Addressen"; +$a->strings["Public post"] = "Öffentlicher Beitrag"; +$a->strings["Set title"] = "Titel setzen"; +$a->strings["Categories (comma-separated list)"] = "Kategorien (kommasepariert)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Z.B.: bob@example.com, mary@example.com"; +$a->strings["This is Friendica, version"] = "Dies ist Friendica, Version"; +$a->strings["running at web location"] = "die unter folgender Webadresse zu finden ist"; +$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Bitte besuche Friendica.com, um mehr über das Friendica Projekt zu erfahren."; +$a->strings["Bug reports and issues: please visit"] = "Probleme oder Fehler gefunden? Bitte besuche"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Vorschläge, Lob, Spenden usw.: E-Mail an \"Info\" at Friendica - dot com"; +$a->strings["Installed plugins/addons/apps:"] = "Installierte Plugins/Erweiterungen/Apps"; +$a->strings["No installed plugins/addons/apps"] = "Keine Plugins/Erweiterungen/Apps installiert"; +$a->strings["Authorize application connection"] = "Verbindung der Applikation autorisieren"; +$a->strings["Return to your app and insert this Securty Code:"] = "Gehe zu deiner Anwendung zurück und trage dort folgenden Sicherheitscode ein:"; +$a->strings["Please login to continue."] = "Bitte melde dich an um fortzufahren."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Möchtest du dieser Anwendung den Zugriff auf deine Beiträge und Kontakte, sowie das Erstellen neuer Beiträge in deinem Namen gestatten?"; +$a->strings["Remote privacy information not available."] = "Entfernte Privatsphäreneinstellungen nicht verfügbar."; +$a->strings["Visible to:"] = "Sichtbar für:"; +$a->strings["Personal Notes"] = "Persönliche Notizen"; $a->strings["l F d, Y \\@ g:i A"] = "l, d. F Y\\, H:i"; $a->strings["Time Conversion"] = "Zeitumrechnung"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica bietet diese Funktion an, um das Teilen von Events mit Kontakten zu vereinfachen, deren Zeitzone nicht ermittelt werden kann."; @@ -1122,16 +1165,33 @@ $a->strings["UTC time: %s"] = "UTC Zeit: %s"; $a->strings["Current timezone: %s"] = "Aktuelle Zeitzone: %s"; $a->strings["Converted localtime: %s"] = "Umgerechnete lokale Zeit: %s"; $a->strings["Please select your timezone:"] = "Bitte wähle deine Zeitzone:"; -$a->strings["Save to Folder:"] = "In diesem Ordner speichern:"; -$a->strings["- select -"] = "- auswählen -"; -$a->strings["Invalid profile identifier."] = "Ungültiger Profil-Bezeichner."; -$a->strings["Profile Visibility Editor"] = "Editor für die Profil-Sichtbarkeit"; -$a->strings["Visible To"] = "Sichtbar für"; -$a->strings["All Contacts (with secure profile access)"] = "Alle Kontakte (mit gesichertem Profilzugriff)"; -$a->strings["No contacts."] = "Keine Kontakte."; -$a->strings["View Contacts"] = "Kontakte anzeigen"; -$a->strings["People Search"] = "Personensuche"; -$a->strings["No matches"] = "Keine Übereinstimmungen"; +$a->strings["Poke/Prod"] = "Anstupsen"; +$a->strings["poke, prod or do other things to somebody"] = "Stupse Leute an oder mache anderes mit ihnen"; +$a->strings["Recipient"] = "Empfänger"; +$a->strings["Choose what you wish to do to recipient"] = "Was willst du mit dem Empfänger machen:"; +$a->strings["Make this post private"] = "Diesen Beitrag privat machen"; +$a->strings["Total invitation limit exceeded."] = "Limit für Einladungen erreicht."; +$a->strings["%s : Not a valid email address."] = "%s: Keine gültige Email Adresse."; +$a->strings["Please join us on Friendica"] = "Ich lade Dich zu unserem sozialen Netzwerk Friendica ein"; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limit für Einladungen erreicht. Bitte kontaktiere des Administrator der Seite."; +$a->strings["%s : Message delivery failed."] = "%s: Zustellung der Nachricht fehlgeschlagen."; +$a->strings["%d message sent."] = array( + 0 => "%d Nachricht gesendet.", + 1 => "%d Nachrichten gesendet.", +); +$a->strings["You have no more invitations available"] = "Du hast keine weiteren Einladungen"; +$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."] = "Besuche %s für eine Liste der öffentlichen Server, denen du beitreten kannst. Friendica Mitglieder unterschiedlicher Server können sich sowohl alle miteinander verbinden, als auch mit Mitgliedern anderer Sozialer Netzwerke."; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s oder einer anderen öffentlichen 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."] = "Friendica Server verbinden sich alle untereinander, um ein großes datenschutzorientiertes Soziales Netzwerk zu bilden, das von seinen Mitgliedern betrieben und kontrolliert wird. Sie können sich auch mit vielen üblichen Sozialen Netzwerken verbinden. Besuche %s für eine Liste alternativer Friendica Server, denen du beitreten kannst."; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Es tut uns leid. Dieses System ist zurzeit nicht dafür konfiguriert, sich mit anderen öffentlichen Seiten zu verbinden oder Mitglieder einzuladen."; +$a->strings["Send invitations"] = "Einladungen senden"; +$a->strings["Enter email addresses, one per line:"] = "E-Mail-Adressen eingeben, eine pro Zeile:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Du bist herzlich dazu eingeladen, dich mir und anderen guten Freunden auf Friendica anzuschließen - und ein besseres Soziales Netz aufzubauen."; +$a->strings["You will need to supply this invitation code: \$invite_code"] = "Du benötigst den folgenden Einladungscode: \$invite_code"; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Sobald du registriert bist, kontaktiere mich bitte auf meiner Profilseite:"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Für weitere Informationen über das Friendica Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendica.com"; +$a->strings["Photo Albums"] = "Fotoalben"; +$a->strings["Contact Photos"] = "Kontaktbilder"; $a->strings["Upload New Photos"] = "Neue Fotos hochladen"; $a->strings["Contact information unavailable"] = "Kontaktinformationen nicht verfügbar"; $a->strings["Album not found."] = "Album nicht gefunden."; @@ -1143,10 +1203,7 @@ $a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s wurde von %3\$s in %2 $a->strings["a photo"] = "einem Foto"; $a->strings["Image exceeds size limit of "] = "Die Bildgröße übersteigt das Limit von "; $a->strings["Image file is empty."] = "Bilddatei ist leer."; -$a->strings["Unable to process image."] = "Konnte das Bild nicht bearbeiten."; -$a->strings["Image upload failed."] = "Hochladen des Bildes gescheitert."; $a->strings["No photos selected"] = "Keine Bilder ausgewählt"; -$a->strings["Access to this item is restricted."] = "Zugriff zu diesem Eintrag wurde eingeschränkt."; $a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Du verwendest %1$.2f Mbyte von %2$.2f Mbyte des Foto-Speichers."; $a->strings["Upload Photos"] = "Bilder hochladen"; $a->strings["New album name: "] = "Name des neuen Albums: "; @@ -1176,168 +1233,67 @@ $a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #cam $a->strings["Private photo"] = "Privates Foto"; $a->strings["Public photo"] = "Öffentliches Foto"; $a->strings["Share"] = "Teilen"; -$a->strings["View Album"] = "Album betrachten"; $a->strings["Recent Photos"] = "Neueste Fotos"; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Entschuldige, die Datei scheint größer zu sein als es die PHP Konfiguration erlaubt."; -$a->strings["Or - did you try to upload an empty file?"] = "Oder - hast Du versucht, eine leere Datei hochzuladen?"; -$a->strings["File exceeds size limit of %d"] = "Die Datei ist größer als das erlaubte Limit von %d"; -$a->strings["File upload failed."] = "Hochladen der Datei fehlgeschlagen."; -$a->strings["No videos selected"] = "Keine Videos ausgewählt"; -$a->strings["View Video"] = "Video ansehen"; -$a->strings["Recent Videos"] = "Neueste Videos"; -$a->strings["Upload New Videos"] = "Neues Video hochladen"; -$a->strings["Poke/Prod"] = "Anstupsen"; -$a->strings["poke, prod or do other things to somebody"] = "Stupse Leute an oder mache anderes mit ihnen"; -$a->strings["Recipient"] = "Empfänger"; -$a->strings["Choose what you wish to do to recipient"] = "Was willst du mit dem Empfänger machen:"; -$a->strings["Make this post private"] = "Diesen Beitrag privat machen"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s folgt %2\$s %3\$s"; -$a->strings["Export account"] = "Account exportieren"; -$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."] = "Exportiere deine Accountinformationen und Kontakte. Verwende dies um ein Backup deines Accounts anzulegen und/oder damit auf einen anderen Server umzuziehen."; -$a->strings["Export all"] = "Alles exportieren"; -$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)"] = "Exportiere deine Account Informationen, Kontakte und alle Einträge als JSON Datei. Dies könnte eine sehr große Datei werden und dementsprechend viel Zeit benötigen. Verwende dies um ein komplettes Backup deines Accounts anzulegen (Fotos werden nicht exportiert)."; -$a->strings["Common Friends"] = "Gemeinsame Freunde"; -$a->strings["No contacts in common."] = "Keine gemeinsamen Kontakte."; -$a->strings["Image exceeds size limit of %d"] = "Bildgröße überschreitet das Limit von %d"; -$a->strings["Wall Photos"] = "Pinnwand-Bilder"; -$a->strings["Image uploaded but image cropping failed."] = "Bild hochgeladen, aber das Zuschneiden schlug fehl."; -$a->strings["Image size reduction [%s] failed."] = "Verkleinern der Bildgröße von [%s] scheiterte."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Drücke Umschalt+Neu Laden oder leere den Browser-Cache, falls das neue Foto nicht gleich angezeigt wird."; -$a->strings["Unable to process image"] = "Bild konnte nicht verarbeitet werden"; -$a->strings["Upload File:"] = "Datei hochladen:"; -$a->strings["Select a profile:"] = "Profil auswählen:"; -$a->strings["Upload"] = "Hochladen"; -$a->strings["skip this step"] = "diesen Schritt überspringen"; -$a->strings["select a photo from your photo albums"] = "wähle ein Foto aus deinen Fotoalben"; -$a->strings["Crop Image"] = "Bild zurechtschneiden"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Passe bitte den Bildausschnitt an, damit das Bild optimal dargestellt werden kann."; -$a->strings["Done Editing"] = "Bearbeitung abgeschlossen"; -$a->strings["Image uploaded successfully."] = "Bild erfolgreich hochgeladen."; -$a->strings["Applications"] = "Anwendungen"; -$a->strings["No installed applications."] = "Keine Applikationen installiert."; -$a->strings["Nothing new here"] = "Keine Neuigkeiten"; -$a->strings["Clear notifications"] = "Bereinige Benachrichtigungen"; -$a->strings["Profile Match"] = "Profilübereinstimmungen"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Keine Schlüsselwörter zum Abgleichen gefunden. Bitte füge einige Schlüsselwörter zu deinem Standardprofil hinzu."; -$a->strings["is interested in:"] = "ist interessiert an:"; -$a->strings["Tag removed"] = "Tag entfernt"; -$a->strings["Remove Item Tag"] = "Gegenstands-Tag entfernen"; -$a->strings["Select a tag to remove: "] = "Wähle ein Tag zum Entfernen aus: "; -$a->strings["Remove"] = "Entfernen"; -$a->strings["Event title and start time are required."] = "Der Veranstaltungstitel und die Anfangszeit müssen angegeben werden."; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Veranstaltung bearbeiten"; -$a->strings["link to source"] = "Link zum Originalbeitrag"; -$a->strings["Create New Event"] = "Neue Veranstaltung erstellen"; -$a->strings["Previous"] = "Vorherige"; -$a->strings["hour:minute"] = "Stunde:Minute"; -$a->strings["Event details"] = "Veranstaltungsdetails"; -$a->strings["Format is %s %s. Starting date and Title are required."] = "Das Format ist %s %s. Beginnzeitpunkt und Titel werden benötigt."; -$a->strings["Event Starts:"] = "Veranstaltungsbeginn:"; -$a->strings["Required"] = "Benötigt"; -$a->strings["Finish date/time is not known or not relevant"] = "Enddatum/-zeit ist nicht bekannt oder nicht relevant"; -$a->strings["Event Finishes:"] = "Veranstaltungsende:"; -$a->strings["Adjust for viewer timezone"] = "An Zeitzone des Betrachters anpassen"; -$a->strings["Description:"] = "Beschreibung"; -$a->strings["Title:"] = "Titel:"; -$a->strings["Share this event"] = "Veranstaltung teilen"; -$a->strings["No potential page delegates located."] = "Keine potentiellen Bevollmächtigten für die Seite gefunden."; -$a->strings["Delegate Page Management"] = "Delegiere das Management für die Seite"; -$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."] = "Bevollmächtigte sind in der Lage, alle Aspekte dieses Kontos/dieser Seite zu verwalten, abgesehen von den Grundeinstellungen des Kontos. Bitte gib niemandem eine Bevollmächtigung für deinen privaten Account, dem du nicht absolut vertraust!"; -$a->strings["Existing Page Managers"] = "Vorhandene Seitenmanager"; -$a->strings["Existing Page Delegates"] = "Vorhandene Bevollmächtigte für die Seite"; -$a->strings["Potential Delegates"] = "Potentielle Bevollmächtigte"; -$a->strings["Add"] = "Hinzufügen"; -$a->strings["No entries."] = "Keine Einträge."; -$a->strings["Contacts who are not members of a group"] = "Kontakte, die keiner Gruppe zugewiesen sind"; -$a->strings["Files"] = "Dateien"; -$a->strings["System down for maintenance"] = "System zur Wartung abgeschaltet"; -$a->strings["Remove My Account"] = "Konto löschen"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Dein Konto wird endgültig gelöscht. Es gibt keine Möglichkeit, es wiederherzustellen."; -$a->strings["Please enter your password for verification:"] = "Bitte gib dein Passwort zur Verifikation ein:"; -$a->strings["Friend suggestion sent."] = "Kontaktvorschlag gesendet."; -$a->strings["Suggest Friends"] = "Kontakte vorschlagen"; -$a->strings["Suggest a friend for %s"] = "Schlage %s einen Kontakt vor"; -$a->strings["Unable to locate original post."] = "Konnte den Originalbeitrag nicht finden."; -$a->strings["Empty post discarded."] = "Leerer Beitrag wurde verworfen."; -$a->strings["System error. Post not saved."] = "Systemfehler. Beitrag konnte nicht gespeichert werden."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Diese Nachricht wurde dir von %s geschickt, einem Mitglied des Sozialen Netzwerks Friendica."; -$a->strings["You may visit them online at %s"] = "Du kannst sie online unter %s besuchen"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Falls du diese Beiträge nicht erhalten möchtest, kontaktiere bitte den Autor, indem du auf diese Nachricht antwortest."; -$a->strings["%s posted an update."] = "%s hat ein Update veröffentlicht."; -$a->strings["{0} wants to be your friend"] = "{0} möchte mit dir in Kontakt treten"; -$a->strings["{0} sent you a message"] = "{0} schickte dir eine Nachricht"; -$a->strings["{0} requested registration"] = "{0} möchte sich registrieren"; -$a->strings["{0} commented %s's post"] = "{0} kommentierte einen Beitrag von %s"; -$a->strings["{0} liked %s's post"] = "{0} mag %ss Beitrag"; -$a->strings["{0} disliked %s's post"] = "{0} mag %ss Beitrag nicht"; -$a->strings["{0} is now friends with %s"] = "{0} ist jetzt mit %s befreundet"; -$a->strings["{0} posted"] = "{0} hat etwas veröffentlicht"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} hat %ss Beitrag mit dem Schlagwort #%s versehen"; -$a->strings["{0} mentioned you in a post"] = "{0} hat dich in einem Beitrag erwähnt"; -$a->strings["OpenID protocol error. No ID returned."] = "OpenID Protokollfehler. Keine ID zurückgegeben."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Nutzerkonto wurde nicht gefunden und OpenID-Registrierung ist auf diesem Server nicht gestattet."; -$a->strings["Login failed."] = "Anmeldung fehlgeschlagen."; -$a->strings["Invalid request identifier."] = "Invalid request identifier."; -$a->strings["Discard"] = "Verwerfen"; -$a->strings["System"] = "System"; -$a->strings["Network"] = "Netzwerk"; -$a->strings["Introductions"] = "Kontaktanfragen"; -$a->strings["Show Ignored Requests"] = "Zeige ignorierte Anfragen"; -$a->strings["Hide Ignored Requests"] = "Verberge ignorierte Anfragen"; -$a->strings["Notification type: "] = "Benachrichtigungstyp: "; -$a->strings["Friend Suggestion"] = "Kontaktvorschlag"; -$a->strings["suggested by %s"] = "vorgeschlagen von %s"; -$a->strings["Post a new friend activity"] = "Neue-Kontakt Nachricht senden"; -$a->strings["if applicable"] = "falls anwendbar"; -$a->strings["Claims to be known to you: "] = "Behauptet dich zu kennen: "; -$a->strings["yes"] = "ja"; -$a->strings["no"] = "nein"; -$a->strings["Approve as: "] = "Genehmigen als: "; -$a->strings["Friend"] = "Freund"; -$a->strings["Sharer"] = "Teilenden"; -$a->strings["Fan/Admirer"] = "Fan/Verehrer"; -$a->strings["Friend/Connect Request"] = "Kontakt-/Freundschaftsanfrage"; -$a->strings["New Follower"] = "Neuer Bewunderer"; -$a->strings["No introductions."] = "Keine Kontaktanfragen."; -$a->strings["Notifications"] = "Benachrichtigungen"; -$a->strings["%s liked %s's post"] = "%s mag %ss Beitrag"; -$a->strings["%s disliked %s's post"] = "%s mag %ss Beitrag nicht"; -$a->strings["%s is now friends with %s"] = "%s ist jetzt mit %s befreundet"; -$a->strings["%s created a new post"] = "%s hat einen neuen Beitrag erstellt"; -$a->strings["%s commented on %s's post"] = "%s hat %ss Beitrag kommentiert"; -$a->strings["No more network notifications."] = "Keine weiteren Netzwerk-Benachrichtigungen."; -$a->strings["Network Notifications"] = "Netzwerk Benachrichtigungen"; -$a->strings["No more personal notifications."] = "Keine weiteren persönlichen Benachrichtigungen"; -$a->strings["Personal Notifications"] = "Persönliche Benachrichtigungen"; -$a->strings["No more home notifications."] = "Keine weiteren Pinnwand-Benachrichtigungen"; -$a->strings["Home Notifications"] = "Pinnwand Benachrichtigungen"; -$a->strings["Total invitation limit exceeded."] = "Limit für Einladungen erreicht."; -$a->strings["%s : Not a valid email address."] = "%s: Keine gültige Email Adresse."; -$a->strings["Please join us on Friendica"] = "Ich lade Dich zu unserem sozialen Netzwerk Friendica ein"; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limit für Einladungen erreicht. Bitte kontaktiere des Administrator der Seite."; -$a->strings["%s : Message delivery failed."] = "%s: Zustellung der Nachricht fehlgeschlagen."; -$a->strings["%d message sent."] = array( - 0 => "%d Nachricht gesendet.", - 1 => "%d Nachrichten gesendet.", -); -$a->strings["You have no more invitations available"] = "Du hast keine weiteren Einladungen"; -$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."] = "Besuche %s für eine Liste der öffentlichen Server, denen du beitreten kannst. Friendica Mitglieder unterschiedlicher Server können sich sowohl alle miteinander verbinden, als auch mit Mitgliedern anderer Sozialer Netzwerke."; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Um diese Kontaktanfrage zu akzeptieren, besuche und registriere dich bitte bei %s oder einer anderen öffentlichen 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."] = "Friendica Server verbinden sich alle untereinander, um ein großes datenschutzorientiertes Soziales Netzwerk zu bilden, das von seinen Mitgliedern betrieben und kontrolliert wird. Sie können sich auch mit vielen üblichen Sozialen Netzwerken verbinden. Besuche %s für eine Liste alternativer Friendica Server, denen du beitreten kannst."; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Es tut uns leid. Dieses System ist zurzeit nicht dafür konfiguriert, sich mit anderen öffentlichen Seiten zu verbinden oder Mitglieder einzuladen."; -$a->strings["Send invitations"] = "Einladungen senden"; -$a->strings["Enter email addresses, one per line:"] = "E-Mail-Adressen eingeben, eine pro Zeile:"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Du bist herzlich dazu eingeladen, dich mir und anderen guten Freunden auf Friendica anzuschließen - und ein besseres Soziales Netz aufzubauen."; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Du benötigst den folgenden Einladungscode: \$invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Sobald du registriert bist, kontaktiere mich bitte auf meiner Profilseite:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Für weitere Informationen über das Friendica Projekt und warum wir es für ein wichtiges Projekt halten, besuche bitte http://friendica.com"; -$a->strings["Manage Identities and/or Pages"] = "Verwalte Identitäten und/oder Seiten"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Zwischen verschiedenen Identitäten oder Gemeinschafts-/Gruppenseiten wechseln, die deine Kontoinformationen teilen oder zu denen du „Verwalten“-Befugnisse bekommen hast."; -$a->strings["Select an identity to manage: "] = "Wähle eine Identität zum Verwalten aus: "; -$a->strings["Welcome to %s"] = "Willkommen zu %s"; -$a->strings["Friends of %s"] = "Freunde von %s"; -$a->strings["No friends to display."] = "Keine Freunde zum Anzeigen."; +$a->strings["Account approved."] = "Konto freigegeben."; +$a->strings["Registration revoked for %s"] = "Registrierung für %s wurde zurückgezogen"; +$a->strings["Please login."] = "Bitte melde dich an."; +$a->strings["Move account"] = "Account umziehen"; +$a->strings["You can import an account from another Friendica server."] = "Du kannst einen Account von einem anderen Friendica Server importieren."; +$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."] = "Du musst deinen Account vom alten Server exportieren und hier hochladen. Wir stellen deinen alten Account mit all deinen Kontakten wieder her. Wir werden auch versuchen all deine Freunde darüber zu informieren, dass du hierher umgezogen bist."; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Dieses Feature ist experimentell. Wir können keine Kontakte vom OStatus Netzwerk (statusnet/identi.ca) oder von Diaspora importieren"; +$a->strings["Account file"] = "Account Datei"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Um deinen Account zu exportieren, rufe \"Einstellungen -> Persönliche Daten exportieren\" auf und wähle \"Account exportieren\""; +$a->strings["Item not available."] = "Beitrag nicht verfügbar."; +$a->strings["Item was not found."] = "Beitrag konnte nicht gefunden werden."; +$a->strings["Delete this item?"] = "Diesen Beitrag löschen?"; +$a->strings["show fewer"] = "weniger anzeigen"; +$a->strings["Update %s failed. See error logs."] = "Update %s fehlgeschlagen. Bitte Fehlerprotokoll überprüfen."; +$a->strings["Create a New Account"] = "Neues Konto erstellen"; +$a->strings["Logout"] = "Abmelden"; +$a->strings["Nickname or Email address: "] = "Spitzname oder E-Mail-Adresse: "; +$a->strings["Password: "] = "Passwort: "; +$a->strings["Remember me"] = "Anmeldedaten merken"; +$a->strings["Or login using OpenID: "] = "Oder melde dich mit deiner OpenID an: "; +$a->strings["Forgot your password?"] = "Passwort vergessen?"; +$a->strings["Website Terms of Service"] = "Website Nutzungsbedingungen"; +$a->strings["terms of service"] = "Nutzungsbedingungen"; +$a->strings["Website Privacy Policy"] = "Website Datenschutzerklärung"; +$a->strings["privacy policy"] = "Datenschutzerklärung"; +$a->strings["Requested account is not available."] = "Das angefragte Profil ist nicht vorhanden."; +$a->strings["Edit profile"] = "Profil bearbeiten"; +$a->strings["Message"] = "Nachricht"; +$a->strings["Profiles"] = "Profile"; +$a->strings["Manage/edit profiles"] = "Profile verwalten/editieren"; +$a->strings["Network:"] = "Netzwerk"; +$a->strings["g A l F d"] = "l, d. F G \\U\\h\\r"; +$a->strings["F d"] = "d. F"; +$a->strings["[today]"] = "[heute]"; +$a->strings["Birthday Reminders"] = "Geburtstagserinnerungen"; +$a->strings["Birthdays this week:"] = "Geburtstage diese Woche:"; +$a->strings["[No description]"] = "[keine Beschreibung]"; +$a->strings["Event Reminders"] = "Veranstaltungserinnerungen"; +$a->strings["Events this week:"] = "Veranstaltungen diese Woche"; +$a->strings["Status"] = "Status"; +$a->strings["Status Messages and Posts"] = "Statusnachrichten und Beiträge"; +$a->strings["Profile Details"] = "Profildetails"; +$a->strings["Videos"] = "Videos"; +$a->strings["Events and Calendar"] = "Ereignisse und Kalender"; +$a->strings["Only You Can See This"] = "Nur du kannst das sehen"; +$a->strings["This entry was edited"] = "Dieser Beitrag wurde bearbeitet."; +$a->strings["ignore thread"] = "Thread ignorieren"; +$a->strings["unignore thread"] = "Thread nicht mehr ignorieren"; +$a->strings["toggle ignore status"] = "Ignoriert-Status ein-/ausschalten"; +$a->strings["ignored"] = "Ignoriert"; +$a->strings["Categories:"] = "Kategorien:"; +$a->strings["Filed under:"] = "Abgelegt unter:"; +$a->strings["via"] = "via"; +$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."] = "\nDie Friendica-Entwickler haben vor kurzem das Update %s veröffentlicht, aber bei der Installation ging etwas schrecklich schief.\n\nDas Problem sollte so schnell wie möglich gelöst werden, aber ich schaffe es nicht alleine. Bitte kontaktiere einen Friendica-Entwickler falls du mir nicht alleine helfen kannst. Meine Datenbank könnte ungültig sein."; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Die Fehlermeldung lautet\n[pre]%s[/pre]"; +$a->strings["Errors encountered creating database tables."] = "Fehler aufgetreten während der Erzeugung der Datenbanktabellen."; +$a->strings["Errors encountered performing database changes."] = "Es sind Fehler beim Bearbeiten der Datenbank aufgetreten."; +$a->strings["Logged out."] = "Abgemeldet."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Beim Versuch dich mit der von dir angegebenen OpenID anzumelden trat ein Problem auf. Bitte überprüfe, dass du die OpenID richtig geschrieben hast."; +$a->strings["The error message was:"] = "Die Fehlermeldung lautete:"; $a->strings["Add New Contact"] = "Neuen Kontakt hinzufügen"; $a->strings["Enter address or web location"] = "Adresse oder Web-Link eingeben"; $a->strings["Example: bob@example.com, http://example.com/barbara"] = "Beispiel: bob@example.com, http://example.com/barbara"; @@ -1349,52 +1305,112 @@ $a->strings["Find People"] = "Leute finden"; $a->strings["Enter name or interest"] = "Name oder Interessen eingeben"; $a->strings["Connect/Follow"] = "Verbinden/Folgen"; $a->strings["Examples: Robert Morgenstein, Fishing"] = "Beispiel: Robert Morgenstein, Angeln"; +$a->strings["Similar Interests"] = "Ähnliche Interessen"; $a->strings["Random Profile"] = "Zufälliges Profil"; +$a->strings["Invite Friends"] = "Freunde einladen"; $a->strings["Networks"] = "Netzwerke"; $a->strings["All Networks"] = "Alle Netzwerke"; $a->strings["Saved Folders"] = "Gespeicherte Ordner"; $a->strings["Everything"] = "Alles"; $a->strings["Categories"] = "Kategorien"; -$a->strings["Click here to upgrade."] = "Zum Upgraden hier klicken."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Diese Aktion überschreitet die Obergrenze deines Abonnements."; -$a->strings["This action is not available under your subscription plan."] = "Diese Aktion ist in deinem Abonnement nicht verfügbar."; -$a->strings["User not found."] = "Nutzer nicht gefunden."; -$a->strings["Daily posting limit of %d posts reached. The post was rejected."] = "Das tägliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen."; -$a->strings["Weekly posting limit of %d posts reached. The post was rejected."] = "Das wöchentliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen."; -$a->strings["Monthly posting limit of %d posts reached. The post was rejected."] = "Das monatliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen."; -$a->strings["There is no status with this id."] = "Es gibt keinen Status mit dieser ID."; -$a->strings["There is no conversation with this id."] = "Es existiert keine Unterhaltung mit dieser ID."; -$a->strings["Invalid request."] = "Ungültige Anfrage"; -$a->strings["Invalid item."] = "Ungültiges Objekt"; -$a->strings["Invalid action. "] = "Ungültige Aktion"; -$a->strings["DB error"] = "DB Error"; -$a->strings["view full size"] = "Volle Größe anzeigen"; -$a->strings["Starts:"] = "Beginnt:"; -$a->strings["Finishes:"] = "Endet:"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Kann die DNS Informationen für den Datenbankserver '%s' nicht ermitteln."; -$a->strings["(no subject)"] = "(kein Betreff)"; -$a->strings["noreply"] = "noreply"; -$a->strings["An invitation is required."] = "Du benötigst eine Einladung."; -$a->strings["Invitation could not be verified."] = "Die Einladung konnte nicht überprüft werden."; -$a->strings["Invalid OpenID url"] = "Ungültige OpenID URL"; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Beim Versuch dich mit der von dir angegebenen OpenID anzumelden trat ein Problem auf. Bitte überprüfe, dass du die OpenID richtig geschrieben hast."; -$a->strings["The error message was:"] = "Die Fehlermeldung lautete:"; -$a->strings["Please enter the required information."] = "Bitte trage die erforderlichen Informationen ein."; -$a->strings["Please use a shorter name."] = "Bitte verwende einen kürzeren Namen."; -$a->strings["Name too short."] = "Der Name ist zu kurz."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Das scheint nicht dein kompletter Name (Vor- und Nachname) zu sein."; -$a->strings["Your email domain is not among those allowed on this site."] = "Die Domain deiner E-Mail Adresse ist auf dieser Seite nicht erlaubt."; -$a->strings["Not a valid email address."] = "Keine gültige E-Mail-Adresse."; -$a->strings["Cannot use that email."] = "Konnte diese E-Mail-Adresse nicht verwenden."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\", \"_\" und \"-\") bestehen, außerdem muss er mit einem Buchstaben beginnen."; -$a->strings["Nickname is already registered. Please choose another."] = "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden."; -$a->strings["An error occurred during registration. Please try again."] = "Während der Anmeldung ist ein Fehler aufgetreten. Bitte versuche es noch einmal."; -$a->strings["An error occurred creating your default profile. Please try again."] = "Bei der Erstellung des Standardprofils ist ein Fehler aufgetreten. Bitte versuche es noch einmal."; -$a->strings["Friends"] = "Freunde"; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nHallo %1\$s,\n\ndanke für deine Registrierung auf %2\$s. Dein Account wurde eingerichtet."; -$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."] = "\nDie Anmelde-Details sind die folgenden:\n\tAdresse der Seite:\t%3\$s\n\tBenutzernamename:\t%1\$s\n\tPasswort:\t%5\$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich\nangemeldet hast.\n\nBitte nimm dir ein paar Minuten um die anderen Einstellungen auf dieser\nSeite zu kontrollieren.\n\nEventuell magst du ja auch einige Informationen über dich in deinem\nProfil veröffentlichen, damit andere Leute dich einfacher finden können.\nBearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).\n\nWir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir\npassendes Profilbild zu wählen, damit dich alte Bekannte wieder finden.\nAußerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter\nangibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.\n\nWir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.\nWenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie\nallerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2\$s."; +$a->strings["General Features"] = "Allgemeine Features"; +$a->strings["Multiple Profiles"] = "Mehrere Profile"; +$a->strings["Ability to create multiple profiles"] = "Möglichkeit mehrere Profile zu erstellen"; +$a->strings["Post Composition Features"] = "Beitragserstellung Features"; +$a->strings["Richtext Editor"] = "Web-Editor"; +$a->strings["Enable richtext editor"] = "Den Web-Editor für neue Beiträge aktivieren"; +$a->strings["Post Preview"] = "Beitragsvorschau"; +$a->strings["Allow previewing posts and comments before publishing them"] = "Die Vorschau von Beiträgen und Kommentaren vor dem absenden erlauben."; +$a->strings["Auto-mention Forums"] = "Foren automatisch erwähnen"; +$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Automatisch eine @-Erwähnung eines Forums einfügen/entfehrnen, wenn dieses im ACL Fenster de-/markiert wurde."; +$a->strings["Network Sidebar Widgets"] = "Widgets für Netzwerk und Seitenleiste"; +$a->strings["Search by Date"] = "Archiv"; +$a->strings["Ability to select posts by date ranges"] = "Möglichkeit die Beiträge nach Datumsbereichen zu sortieren"; +$a->strings["Group Filter"] = "Gruppen Filter"; +$a->strings["Enable widget to display Network posts only from selected group"] = "Widget zur Darstellung der Beiträge nach Kontaktgruppen sortiert aktivieren."; +$a->strings["Network Filter"] = "Netzwerk Filter"; +$a->strings["Enable widget to display Network posts only from selected network"] = "Widget zum filtern der Beiträge in Abhängigkeit des Netzwerks aus dem der Ersteller sendet aktivieren."; +$a->strings["Save search terms for re-use"] = "Speichere Suchanfragen für spätere Wiederholung."; +$a->strings["Network Tabs"] = "Netzwerk Reiter"; +$a->strings["Network Personal Tab"] = "Netzwerk-Reiter: Persönlich"; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Aktiviert einen Netzwerk-Reiter in dem Nachrichten angezeigt werden mit denen du interagiert hast"; +$a->strings["Network New Tab"] = "Netzwerk-Reiter: Neue"; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Aktiviert einen Netzwerk-Reiter in dem ausschließlich neue Beiträge (der letzten 12 Stunden) angezeigt werden"; +$a->strings["Network Shared Links Tab"] = "Netzwerk-Reiter: Geteilte Links"; +$a->strings["Enable tab to display only Network posts with links in them"] = "Aktiviert einen Netzwerk-Reiter der ausschließlich Nachrichten mit Links enthält"; +$a->strings["Post/Comment Tools"] = "Werkzeuge für Beiträge und Kommentare"; +$a->strings["Multiple Deletion"] = "Mehrere Beiträge löschen"; +$a->strings["Select and delete multiple posts/comments at once"] = "Mehrere Beiträge/Kommentare markieren und gleichzeitig löschen"; +$a->strings["Edit Sent Posts"] = "Gesendete Beiträge editieren"; +$a->strings["Edit and correct posts and comments after sending"] = "Erlaubt es Beiträge und Kommentare nach dem Senden zu editieren bzw.zu korrigieren."; +$a->strings["Tagging"] = "Tagging"; +$a->strings["Ability to tag existing posts"] = "Möglichkeit bereits existierende Beiträge nachträglich mit Tags zu versehen."; +$a->strings["Post Categories"] = "Beitragskategorien"; +$a->strings["Add categories to your posts"] = "Eigene Beiträge mit Kategorien versehen"; +$a->strings["Ability to file posts under folders"] = "Beiträge in Ordnern speichern aktivieren"; +$a->strings["Dislike Posts"] = "Beiträge 'nicht mögen'"; +$a->strings["Ability to dislike posts/comments"] = "Ermöglicht es Beiträge mit einem Klick 'nicht zu mögen'"; +$a->strings["Star Posts"] = "Beiträge Markieren"; +$a->strings["Ability to mark special posts with a star indicator"] = "Erlaubt es Beiträge mit einem Stern-Indikator zu markieren"; +$a->strings["Mute Post Notifications"] = "Benachrichtigungen für Beiträge Stumm schalten"; +$a->strings["Ability to mute notifications for a thread"] = "Möglichkeit Benachrichtigungen für einen Thread abbestellen zu können"; +$a->strings["Connect URL missing."] = "Connect-URL fehlt"; +$a->strings["This site is not configured to allow communications with other networks."] = "Diese Seite ist so konfiguriert, dass keine Kommunikation mit anderen Netzwerken erfolgen kann."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Es wurden keine kompatiblen Kommunikationsprotokolle oder Feeds gefunden."; +$a->strings["The profile address specified does not provide adequate information."] = "Die angegebene Profiladresse liefert unzureichende Informationen."; +$a->strings["An author or name was not found."] = "Es wurde kein Autor oder Name gefunden."; +$a->strings["No browser URL could be matched to this address."] = "Zu dieser Adresse konnte keine passende Browser URL gefunden werden."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Konnte die @-Adresse mit keinem der bekannten Protokolle oder Email-Kontakte abgleichen."; +$a->strings["Use mailto: in front of address to force email check."] = "Verwende mailto: vor der Email Adresse, um eine Überprüfung der E-Mail-Adresse zu erzwingen."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Die Adresse dieses Profils gehört zu einem Netzwerk, mit dem die Kommunikation auf dieser Seite ausgeschaltet wurde."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Eingeschränktes Profil. Diese Person wird keine direkten/privaten Nachrichten von dir erhalten können."; +$a->strings["Unable to retrieve contact information."] = "Konnte die Kontaktinformationen nicht empfangen."; +$a->strings["following"] = "folgen"; +$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."] = "Eine gelöschte Gruppe mit diesem Namen wurde wiederbelebt. Bestehende Berechtigungseinstellungen könnten auf diese Gruppe oder zukünftige Mitglieder angewandt werden. Falls du dies nicht möchtest, erstelle bitte eine andere Gruppe mit einem anderen Namen."; +$a->strings["Default privacy group for new contacts"] = "Voreingestellte Gruppe für neue Kontakte"; +$a->strings["Everybody"] = "Alle Kontakte"; +$a->strings["edit"] = "bearbeiten"; +$a->strings["Edit group"] = "Gruppe bearbeiten"; +$a->strings["Create a new group"] = "Neue Gruppe erstellen"; +$a->strings["Contacts not in any group"] = "Kontakte in keiner Gruppe"; +$a->strings["Miscellaneous"] = "Verschiedenes"; +$a->strings["year"] = "Jahr"; +$a->strings["month"] = "Monat"; +$a->strings["day"] = "Tag"; +$a->strings["never"] = "nie"; +$a->strings["less than a second ago"] = "vor weniger als einer Sekunde"; +$a->strings["years"] = "Jahre"; +$a->strings["months"] = "Monate"; +$a->strings["week"] = "Woche"; +$a->strings["weeks"] = "Wochen"; +$a->strings["days"] = "Tage"; +$a->strings["hour"] = "Stunde"; +$a->strings["hours"] = "Stunden"; +$a->strings["minute"] = "Minute"; +$a->strings["minutes"] = "Minuten"; +$a->strings["second"] = "Sekunde"; +$a->strings["seconds"] = "Sekunden"; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s her"; +$a->strings["%s's birthday"] = "%ss Geburtstag"; +$a->strings["Happy Birthday %s"] = "Herzlichen Glückwunsch %s"; +$a->strings["Visible to everybody"] = "Für jeden sichtbar"; +$a->strings["show"] = "zeigen"; +$a->strings["don't show"] = "nicht zeigen"; +$a->strings["[no subject]"] = "[kein Betreff]"; +$a->strings["stopped following"] = "wird nicht mehr gefolgt"; +$a->strings["Poke"] = "Anstupsen"; +$a->strings["View Status"] = "Pinnwand anschauen"; +$a->strings["View Profile"] = "Profil anschauen"; +$a->strings["View Photos"] = "Bilder anschauen"; +$a->strings["Network Posts"] = "Netzwerkbeiträge"; +$a->strings["Edit Contact"] = "Kontakt bearbeiten"; +$a->strings["Drop Contact"] = "Kontakt löschen"; +$a->strings["Send PM"] = "Private Nachricht senden"; +$a->strings["Welcome "] = "Willkommen "; +$a->strings["Please upload a profile photo."] = "Bitte lade ein Profilbild hoch."; +$a->strings["Welcome back "] = "Willkommen zurück "; +$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."] = "Das Sicherheitsmerkmal war nicht korrekt. Das passiert meistens wenn das Formular vor dem Absenden zu lange geöffnet war (länger als 3 Stunden)."; +$a->strings["event"] = "Veranstaltung"; $a->strings["%1\$s poked %2\$s"] = "%1\$s stupste %2\$s"; $a->strings["poked"] = "stupste"; $a->strings["post/item"] = "Nachricht/Beitrag"; @@ -1402,13 +1418,6 @@ $a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s hat %2\$s\\s %3\$ $a->strings["remove"] = "löschen"; $a->strings["Delete Selected Items"] = "Lösche die markierten Beiträge"; $a->strings["Follow Thread"] = "Folge der Unterhaltung"; -$a->strings["View Status"] = "Pinnwand anschauen"; -$a->strings["View Profile"] = "Profil anschauen"; -$a->strings["View Photos"] = "Bilder anschauen"; -$a->strings["Network Posts"] = "Netzwerkbeiträge"; -$a->strings["Edit Contact"] = "Kontakt bearbeiten"; -$a->strings["Send PM"] = "Private Nachricht senden"; -$a->strings["Poke"] = "Anstupsen"; $a->strings["%s likes this."] = "%s mag das."; $a->strings["%s doesn't like this."] = "%s mag das nicht."; $a->strings["%2\$d people like this"] = "%2\$d Personen mögen das"; @@ -1429,18 +1438,7 @@ $a->strings["permissions"] = "Zugriffsrechte"; $a->strings["Post to Groups"] = "Poste an Gruppe"; $a->strings["Post to Contacts"] = "Poste an Kontakte"; $a->strings["Private post"] = "Privater Beitrag"; -$a->strings["Logged out."] = "Abgemeldet."; -$a->strings["Error decoding account file"] = "Fehler beim Verarbeiten der Account Datei"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Fehler! Keine Versionsdaten in der Datei! Ist das wirklich eine Friendica Account Datei?"; -$a->strings["Error! Cannot check nickname"] = "Fehler! Konnte den Nickname nicht überprüfen."; -$a->strings["User '%s' already exists on this server!"] = "Nutzer '%s' existiert bereits auf diesem Server!"; -$a->strings["User creation error"] = "Fehler beim Anlegen des Nutzeraccounts aufgetreten"; -$a->strings["User profile creation error"] = "Fehler beim Anlegen des Nutzerkontos"; -$a->strings["%d contact not imported"] = array( - 0 => "%d Kontakt nicht importiert", - 1 => "%d Kontakte nicht importiert", -); -$a->strings["Done. You can now login with your username and password"] = "Erledigt. Du kannst dich jetzt mit deinem Nutzernamen und Passwort anmelden"; +$a->strings["view full size"] = "Volle Größe anzeigen"; $a->strings["newer"] = "neuer"; $a->strings["older"] = "älter"; $a->strings["prev"] = "vorige"; @@ -1504,90 +1502,68 @@ $a->strings["November"] = "November"; $a->strings["December"] = "Dezember"; $a->strings["bytes"] = "Byte"; $a->strings["Click to open/close"] = "Zum öffnen/schließen klicken"; +$a->strings["default"] = "Standard"; $a->strings["Select an alternate language"] = "Alternative Sprache auswählen"; $a->strings["activity"] = "Aktivität"; $a->strings["post"] = "Beitrag"; $a->strings["Item filed"] = "Beitrag abgelegt"; -$a->strings["Friendica Notification"] = "Friendica-Benachrichtigung"; -$a->strings["Thank You,"] = "Danke,"; -$a->strings["%s Administrator"] = "der Administrator von %s"; -$a->strings["%s "] = "%s "; -$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["%1\$s sent you %2\$s."] = "%1\$s schickte dir %2\$s."; -$a->strings["a private message"] = "eine private Nachricht"; -$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["[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 [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"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]erwähnte dich[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica Benachrichtigung] %s hat einen Beitrag geteilt"; -$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s hat einen neuen Beitrag auf %2\$s geteilt"; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]hat einen Beitrag geteilt[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica-Meldung] %1\$s hat dich angestupst"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s hat dich auf %2\$s angestupst"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]hat dich angestupst[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica-Meldung] %s hat deinen Beitrag getaggt"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s erwähnte deinen Beitrag auf %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s erwähnte [url=%2\$s]Deinen Beitrag[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica-Meldung] Kontaktanfrage erhalten"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Du hast eine Kontaktanfrage von '%1\$s' auf %2\$s erhalten"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Du hast eine [url=%1\$s]Kontaktanfrage[/url] von %2\$s erhalten."; -$a->strings["You may visit their profile at %s"] = "Hier kannst du das Profil betrachten: %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Bitte besuche %s, um die Kontaktanfrage anzunehmen oder abzulehnen."; -$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica Benachrichtigung] Eine neue Person teilt mit dir"; -$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s teilt mit dir auf %2\$s"; -$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica Benachrichtigung] Du hast einen neuen Kontakt auf "; -$a->strings["You have a new follower at %2\$s : %1\$s"] = "Du hast einen neuen Kontakt auf %2\$s: %1\$s"; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica-Meldung] Kontaktvorschlag erhalten"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Du hast einen Freunde-Vorschlag von '%1\$s' auf %2\$s erhalten"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Du hast einen [url=%1\$s]Freunde-Vorschlag[/url] %2\$s von %3\$s erhalten."; -$a->strings["Name:"] = "Name:"; -$a->strings["Photo:"] = "Foto:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Bitte besuche %s, um den Vorschlag zu akzeptieren oder abzulehnen."; -$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica-Benachrichtigung] Kontaktanfrage bestätigt"; -$a->strings["'%1\$s' has acepted your connection request at %2\$s"] = "'%1\$s' hat deine Kontaktanfrage auf %2\$s bestätigt"; -$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s hat deine [url=%1\$s]Kontaktanfrage[/url] akzeptiert."; -$a->strings["You are now mutual friends and may exchange status updates, photos, and email\n\twithout restriction."] = "Ihr seit nun beidseitige Freunde und könnt Statusmitteilungen, Bilder und Emails ohne Einschränkungen austauschen."; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Bitte besuche %s, wenn du Änderungen an eurer Beziehung vornehmen willst."; -$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' hat sich entschieden dich als \"Fan\" zu akzeptieren, dies schränkt einige Kommunikationswege - wie private Nachrichten und einige Interaktionsmöglichkeiten auf der Profilseite - ein. Wenn dies eine Berühmtheiten- oder Gemeinschaftsseite ist, werden diese Einstellungen automatisch vorgenommen."; -$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future. "] = "'%1\$s' kann den Kontaktstatus zu einem späteren Zeitpunkt erweitern und diese Einschränkungen aufheben. "; -$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Benachrichtigung] Registrationsanfrage"; -$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Du hast eine Registrierungsanfrage von %2\$s auf '%1\$s' erhalten"; -$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Du hast eine [url=%1\$s]Registrierungsanfrage[/url] von %2\$s erhalten."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Kompletter Name:\t%1\$s\\nURL der Seite:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"; -$a->strings["Please visit %s to approve or reject the request."] = "Bitte besuche %s um die Anfrage zu bearbeiten."; +$a->strings["Image/photo"] = "Bild/Foto"; +$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; +$a->strings["%s wrote the following post"] = "%s schrieb den folgenden Beitrag"; +$a->strings["$1 wrote:"] = "$1 hat geschrieben:"; +$a->strings["Encrypted content"] = "Verschlüsselter Inhalt"; +$a->strings["(no subject)"] = "(kein Betreff)"; +$a->strings["noreply"] = "noreply"; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Kann die DNS Informationen für den Datenbankserver '%s' nicht ermitteln."; +$a->strings["Unknown | Not categorised"] = "Unbekannt | Nicht kategorisiert"; +$a->strings["Block immediately"] = "Sofort blockieren"; +$a->strings["Shady, spammer, self-marketer"] = "Zwielichtig, Spammer, Selbstdarsteller"; +$a->strings["Known to me, but no opinion"] = "Ist mir bekannt, hab aber keine Meinung"; +$a->strings["OK, probably harmless"] = "OK, wahrscheinlich harmlos"; +$a->strings["Reputable, has my trust"] = "Seriös, hat mein Vertrauen"; +$a->strings["Weekly"] = "Wöchentlich"; +$a->strings["Monthly"] = "Monatlich"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$a->strings["Zot!"] = "Zott"; +$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"; +$a->strings["Statusnet"] = "StatusNet"; +$a->strings["App.net"] = "App.net"; $a->strings[" on Last.fm"] = " bei Last.fm"; -$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."] = "Eine gelöschte Gruppe mit diesem Namen wurde wiederbelebt. Bestehende Berechtigungseinstellungen könnten auf diese Gruppe oder zukünftige Mitglieder angewandt werden. Falls du dies nicht möchtest, erstelle bitte eine andere Gruppe mit einem anderen Namen."; -$a->strings["Default privacy group for new contacts"] = "Voreingestellte Gruppe für neue Kontakte"; -$a->strings["Everybody"] = "Alle Kontakte"; -$a->strings["edit"] = "bearbeiten"; -$a->strings["Edit group"] = "Gruppe bearbeiten"; -$a->strings["Create a new group"] = "Neue Gruppe erstellen"; -$a->strings["Contacts not in any group"] = "Kontakte in keiner Gruppe"; -$a->strings["Connect URL missing."] = "Connect-URL fehlt"; -$a->strings["This site is not configured to allow communications with other networks."] = "Diese Seite ist so konfiguriert, dass keine Kommunikation mit anderen Netzwerken erfolgen kann."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Es wurden keine kompatiblen Kommunikationsprotokolle oder Feeds gefunden."; -$a->strings["The profile address specified does not provide adequate information."] = "Die angegebene Profiladresse liefert unzureichende Informationen."; -$a->strings["An author or name was not found."] = "Es wurde kein Autor oder Name gefunden."; -$a->strings["No browser URL could be matched to this address."] = "Zu dieser Adresse konnte keine passende Browser URL gefunden werden."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Konnte die @-Adresse mit keinem der bekannten Protokolle oder Email-Kontakte abgleichen."; -$a->strings["Use mailto: in front of address to force email check."] = "Verwende mailto: vor der Email Adresse, um eine Überprüfung der E-Mail-Adresse zu erzwingen."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Die Adresse dieses Profils gehört zu einem Netzwerk, mit dem die Kommunikation auf dieser Seite ausgeschaltet wurde."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Eingeschränktes Profil. Diese Person wird keine direkten/privaten Nachrichten von dir erhalten können."; -$a->strings["Unable to retrieve contact information."] = "Konnte die Kontaktinformationen nicht empfangen."; -$a->strings["following"] = "folgen"; -$a->strings["[no subject]"] = "[kein Betreff]"; +$a->strings["Starts:"] = "Beginnt:"; +$a->strings["Finishes:"] = "Endet:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Geburtstag:"; +$a->strings["Age:"] = "Alter:"; +$a->strings["for %1\$d %2\$s"] = "für %1\$d %2\$s"; +$a->strings["Tags:"] = "Tags"; +$a->strings["Religion:"] = "Religion:"; +$a->strings["Hobbies/Interests:"] = "Hobbies/Interessen:"; +$a->strings["Contact information and Social Networks:"] = "Kontaktinformationen und Soziale Netzwerke:"; +$a->strings["Musical interests:"] = "Musikalische Interessen:"; +$a->strings["Books, literature:"] = "Literatur/Bücher:"; +$a->strings["Television:"] = "Fernsehen:"; +$a->strings["Film/dance/culture/entertainment:"] = "Filme/Tänze/Kultur/Unterhaltung:"; +$a->strings["Love/Romance:"] = "Liebesleben:"; +$a->strings["Work/employment:"] = "Arbeit/Beschäftigung:"; +$a->strings["School/education:"] = "Schule/Ausbildung:"; +$a->strings["Click here to upgrade."] = "Zum Upgraden hier klicken."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Diese Aktion überschreitet die Obergrenze deines Abonnements."; +$a->strings["This action is not available under your subscription plan."] = "Diese Aktion ist in deinem Abonnement nicht verfügbar."; $a->strings["End this session"] = "Diese Sitzung beenden"; +$a->strings["Your posts and conversations"] = "Deine Beiträge und Unterhaltungen"; +$a->strings["Your profile page"] = "Deine Profilseite"; +$a->strings["Your photos"] = "Deine Fotos"; $a->strings["Your videos"] = "Deine Videos"; +$a->strings["Your events"] = "Deine Ereignisse"; +$a->strings["Personal notes"] = "Persönliche Notizen"; $a->strings["Your personal notes"] = "Deine persönlichen Notizen"; $a->strings["Sign in"] = "Anmelden"; $a->strings["Home Page"] = "Homepage"; @@ -1597,6 +1573,7 @@ $a->strings["Apps"] = "Apps"; $a->strings["Addon applications, utilities, games"] = "Addon Anwendungen, Dienstprogramme, Spiele"; $a->strings["Search site content"] = "Inhalt der Seite durchsuchen"; $a->strings["Conversations on this site"] = "Unterhaltungen auf dieser Seite"; +$a->strings["Conversations on the network"] = "Unterhaltungen im Netzwerk"; $a->strings["Directory"] = "Verzeichnis"; $a->strings["People directory"] = "Nutzerverzeichnis"; $a->strings["Information"] = "Information"; @@ -1618,123 +1595,39 @@ $a->strings["Manage/edit friends and contacts"] = "Freunde und Kontakte verwalte $a->strings["Site setup and configuration"] = "Einstellungen der Seite und Konfiguration"; $a->strings["Navigation"] = "Navigation"; $a->strings["Site map"] = "Sitemap"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Geburtstag:"; -$a->strings["Age:"] = "Alter:"; -$a->strings["for %1\$d %2\$s"] = "für %1\$d %2\$s"; -$a->strings["Tags:"] = "Tags"; -$a->strings["Religion:"] = "Religion:"; -$a->strings["Hobbies/Interests:"] = "Hobbies/Interessen:"; -$a->strings["Contact information and Social Networks:"] = "Kontaktinformationen und Soziale Netzwerke:"; -$a->strings["Musical interests:"] = "Musikalische Interessen:"; -$a->strings["Books, literature:"] = "Literatur/Bücher:"; -$a->strings["Television:"] = "Fernsehen:"; -$a->strings["Film/dance/culture/entertainment:"] = "Filme/Tänze/Kultur/Unterhaltung:"; -$a->strings["Love/Romance:"] = "Liebesleben:"; -$a->strings["Work/employment:"] = "Arbeit/Beschäftigung:"; -$a->strings["School/education:"] = "Schule/Ausbildung:"; -$a->strings["Image/photo"] = "Bild/Foto"; -$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; -$a->strings["%s wrote the following post"] = "%s schrieb den folgenden Beitrag"; -$a->strings["$1 wrote:"] = "$1 hat geschrieben:"; -$a->strings["Encrypted content"] = "Verschlüsselter Inhalt"; -$a->strings["Unknown | Not categorised"] = "Unbekannt | Nicht kategorisiert"; -$a->strings["Block immediately"] = "Sofort blockieren"; -$a->strings["Shady, spammer, self-marketer"] = "Zwielichtig, Spammer, Selbstdarsteller"; -$a->strings["Known to me, but no opinion"] = "Ist mir bekannt, hab aber keine Meinung"; -$a->strings["OK, probably harmless"] = "OK, wahrscheinlich harmlos"; -$a->strings["Reputable, has my trust"] = "Seriös, hat mein Vertrauen"; -$a->strings["Weekly"] = "Wöchentlich"; -$a->strings["Monthly"] = "Monatlich"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$a->strings["Zot!"] = "Zott"; -$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"; -$a->strings["Statusnet"] = "StatusNet"; -$a->strings["App.net"] = "App.net"; -$a->strings["Miscellaneous"] = "Verschiedenes"; -$a->strings["year"] = "Jahr"; -$a->strings["month"] = "Monat"; -$a->strings["day"] = "Tag"; -$a->strings["never"] = "nie"; -$a->strings["less than a second ago"] = "vor weniger als einer Sekunde"; -$a->strings["years"] = "Jahre"; -$a->strings["months"] = "Monate"; -$a->strings["week"] = "Woche"; -$a->strings["weeks"] = "Wochen"; -$a->strings["days"] = "Tage"; -$a->strings["hour"] = "Stunde"; -$a->strings["hours"] = "Stunden"; -$a->strings["minute"] = "Minute"; -$a->strings["minutes"] = "Minuten"; -$a->strings["second"] = "Sekunde"; -$a->strings["seconds"] = "Sekunden"; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s her"; -$a->strings["%s's birthday"] = "%ss Geburtstag"; -$a->strings["Happy Birthday %s"] = "Herzlichen Glückwunsch %s"; -$a->strings["General Features"] = "Allgemeine Features"; -$a->strings["Multiple Profiles"] = "Mehrere Profile"; -$a->strings["Ability to create multiple profiles"] = "Möglichkeit mehrere Profile zu erstellen"; -$a->strings["Post Composition Features"] = "Beitragserstellung Features"; -$a->strings["Richtext Editor"] = "Web-Editor"; -$a->strings["Enable richtext editor"] = "Den Web-Editor für neue Beiträge aktivieren"; -$a->strings["Post Preview"] = "Beitragsvorschau"; -$a->strings["Allow previewing posts and comments before publishing them"] = "Die Vorschau von Beiträgen und Kommentaren vor dem absenden erlauben."; -$a->strings["Auto-mention Forums"] = "Foren automatisch erwähnen"; -$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Automatisch eine @-Erwähnung eines Forums einfügen/entfehrnen, wenn dieses im ACL Fenster de-/markiert wurde."; -$a->strings["Network Sidebar Widgets"] = "Widgets für Netzwerk und Seitenleiste"; -$a->strings["Search by Date"] = "Archiv"; -$a->strings["Ability to select posts by date ranges"] = "Möglichkeit die Beiträge nach Datumsbereichen zu sortieren"; -$a->strings["Group Filter"] = "Gruppen Filter"; -$a->strings["Enable widget to display Network posts only from selected group"] = "Widget zur Darstellung der Beiträge nach Kontaktgruppen sortiert aktivieren."; -$a->strings["Network Filter"] = "Netzwerk Filter"; -$a->strings["Enable widget to display Network posts only from selected network"] = "Widget zum filtern der Beiträge in Abhängigkeit des Netzwerks aus dem der Ersteller sendet aktivieren."; -$a->strings["Save search terms for re-use"] = "Speichere Suchanfragen für spätere Wiederholung."; -$a->strings["Network Tabs"] = "Netzwerk Reiter"; -$a->strings["Network Personal Tab"] = "Netzwerk-Reiter: Persönlich"; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Aktiviert einen Netzwerk-Reiter in dem Nachrichten angezeigt werden mit denen du interagiert hast"; -$a->strings["Network New Tab"] = "Netzwerk-Reiter: Neue"; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Aktiviert einen Netzwerk-Reiter in dem ausschließlich neue Beiträge (der letzten 12 Stunden) angezeigt werden"; -$a->strings["Network Shared Links Tab"] = "Netzwerk-Reiter: Geteilte Links"; -$a->strings["Enable tab to display only Network posts with links in them"] = "Aktiviert einen Netzwerk-Reiter der ausschließlich Nachrichten mit Links enthält"; -$a->strings["Post/Comment Tools"] = "Werkzeuge für Beiträge und Kommentare"; -$a->strings["Multiple Deletion"] = "Mehrere Beiträge löschen"; -$a->strings["Select and delete multiple posts/comments at once"] = "Mehrere Beiträge/Kommentare markieren und gleichzeitig löschen"; -$a->strings["Edit Sent Posts"] = "Gesendete Beiträge editieren"; -$a->strings["Edit and correct posts and comments after sending"] = "Erlaubt es Beiträge und Kommentare nach dem Senden zu editieren bzw.zu korrigieren."; -$a->strings["Tagging"] = "Tagging"; -$a->strings["Ability to tag existing posts"] = "Möglichkeit bereits existierende Beiträge nachträglich mit Tags zu versehen."; -$a->strings["Post Categories"] = "Beitragskategorien"; -$a->strings["Add categories to your posts"] = "Eigene Beiträge mit Kategorien versehen"; -$a->strings["Ability to file posts under folders"] = "Beiträge in Ordnern speichern aktivieren"; -$a->strings["Dislike Posts"] = "Beiträge 'nicht mögen'"; -$a->strings["Ability to dislike posts/comments"] = "Ermöglicht es Beiträge mit einem Klick 'nicht zu mögen'"; -$a->strings["Star Posts"] = "Beiträge Markieren"; -$a->strings["Ability to mark special posts with a star indicator"] = "Erlaubt es Beiträge mit einem Stern-Indikator zu markieren"; -$a->strings["Mute Post Notifications"] = "Benachrichtigungen für Beiträge Stumm schalten"; -$a->strings["Ability to mute notifications for a thread"] = "Möglichkeit Benachrichtigungen für einen Thread abbestellen zu können"; +$a->strings["User not found."] = "Nutzer nicht gefunden."; +$a->strings["Daily posting limit of %d posts reached. The post was rejected."] = "Das tägliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen."; +$a->strings["Weekly posting limit of %d posts reached. The post was rejected."] = "Das wöchentliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen."; +$a->strings["Monthly posting limit of %d posts reached. The post was rejected."] = "Das monatliche Nachrichtenlimit von %d Nachrichten wurde erreicht. Die Nachtricht wurde verworfen."; +$a->strings["There is no status with this id."] = "Es gibt keinen Status mit dieser ID."; +$a->strings["There is no conversation with this id."] = "Es existiert keine Unterhaltung mit dieser ID."; +$a->strings["Invalid request."] = "Ungültige Anfrage"; +$a->strings["Invalid item."] = "Ungültiges Objekt"; +$a->strings["Invalid action. "] = "Ungültige Aktion"; +$a->strings["DB error"] = "DB Error"; +$a->strings["An invitation is required."] = "Du benötigst eine Einladung."; +$a->strings["Invitation could not be verified."] = "Die Einladung konnte nicht überprüft werden."; +$a->strings["Invalid OpenID url"] = "Ungültige OpenID URL"; +$a->strings["Please enter the required information."] = "Bitte trage die erforderlichen Informationen ein."; +$a->strings["Please use a shorter name."] = "Bitte verwende einen kürzeren Namen."; +$a->strings["Name too short."] = "Der Name ist zu kurz."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Das scheint nicht dein kompletter Name (Vor- und Nachname) zu sein."; +$a->strings["Your email domain is not among those allowed on this site."] = "Die Domain deiner E-Mail Adresse ist auf dieser Seite nicht erlaubt."; +$a->strings["Not a valid email address."] = "Keine gültige E-Mail-Adresse."; +$a->strings["Cannot use that email."] = "Konnte diese E-Mail-Adresse nicht verwenden."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Dein Spitzname darf nur aus Buchstaben und Zahlen (\"a-z\",\"0-9\", \"_\" und \"-\") bestehen, außerdem muss er mit einem Buchstaben beginnen."; +$a->strings["Nickname is already registered. Please choose another."] = "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Dieser Spitzname ist bereits vergeben. Bitte wähle einen anderen."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "FATALER FEHLER: Sicherheitsschlüssel konnten nicht erzeugt werden."; +$a->strings["An error occurred during registration. Please try again."] = "Während der Anmeldung ist ein Fehler aufgetreten. Bitte versuche es noch einmal."; +$a->strings["An error occurred creating your default profile. Please try again."] = "Bei der Erstellung des Standardprofils ist ein Fehler aufgetreten. Bitte versuche es noch einmal."; +$a->strings["Friends"] = "Freunde"; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nHallo %1\$s,\n\ndanke für deine Registrierung auf %2\$s. Dein Account wurde eingerichtet."; +$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."] = "\nDie Anmelde-Details sind die folgenden:\n\tAdresse der Seite:\t%3\$s\n\tBenutzernamename:\t%1\$s\n\tPasswort:\t%5\$s\n\nDu kannst dein Passwort unter \"Einstellungen\" ändern, sobald du dich\nangemeldet hast.\n\nBitte nimm dir ein paar Minuten um die anderen Einstellungen auf dieser\nSeite zu kontrollieren.\n\nEventuell magst du ja auch einige Informationen über dich in deinem\nProfil veröffentlichen, damit andere Leute dich einfacher finden können.\nBearbeite hierfür einfach dein Standard-Profil (über die Profil-Seite).\n\nWir empfehlen dir, deinen kompletten Namen anzugeben und ein zu dir\npassendes Profilbild zu wählen, damit dich alte Bekannte wieder finden.\nAußerdem ist es nützlich, wenn du auf deinem Profil Schlüsselwörter\nangibst. Das erleichtert es, Leute zu finden, die deine Interessen teilen.\n\nWir respektieren deine Privatsphäre - keine dieser Angaben ist nötig.\nWenn du neu im Netzwerk bist und noch niemanden kennst, dann können sie\nallerdings dabei helfen, neue und interessante Kontakte zu knüpfen.\n\nDanke für deine Aufmerksamkeit und willkommen auf %2\$s."; $a->strings["Sharing notification from Diaspora network"] = "Freigabe-Benachrichtigung von Diaspora"; $a->strings["Attachments:"] = "Anhänge:"; -$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."] = "\nDie Friendica-Entwickler haben vor kurzem das Update %s veröffentlicht, aber bei der Installation ging etwas schrecklich schief.\n\nDas Problem sollte so schnell wie möglich gelöst werden, aber ich schaffe es nicht alleine. Bitte kontaktiere einen Friendica-Entwickler falls du mir nicht alleine helfen kannst. Meine Datenbank könnte ungültig sein."; -$a->strings["The error message is\n[pre]%s[/pre]"] = "Die Fehlermeldung lautet\n[pre]%s[/pre]"; -$a->strings["Errors encountered creating database tables."] = "Fehler aufgetreten während der Erzeugung der Datenbanktabellen."; -$a->strings["Errors encountered performing database changes."] = "Es sind Fehler beim Bearbeiten der Datenbank aufgetreten."; -$a->strings["Visible to everybody"] = "Für jeden sichtbar"; $a->strings["Do you really want to delete this item?"] = "Möchtest du wirklich dieses Item löschen?"; $a->strings["Archives"] = "Archiv"; -$a->strings["Embedded content"] = "Eingebetteter Inhalt"; -$a->strings["Embedding disabled"] = "Einbettungen deaktiviert"; -$a->strings["Welcome "] = "Willkommen "; -$a->strings["Please upload a profile photo."] = "Bitte lade ein Profilbild hoch."; -$a->strings["Welcome back "] = "Willkommen zurück "; -$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."] = "Das Sicherheitsmerkmal war nicht korrekt. Das passiert meistens wenn das Formular vor dem Absenden zu lange geöffnet war (länger als 3 Stunden)."; $a->strings["Male"] = "Männlich"; $a->strings["Female"] = "Weiblich"; $a->strings["Currently Male"] = "Momentan männlich"; @@ -1792,5 +1685,113 @@ $a->strings["Uncertain"] = "Unsicher"; $a->strings["It's complicated"] = "Ist kompliziert"; $a->strings["Don't care"] = "Ist mir nicht wichtig"; $a->strings["Ask me"] = "Frag mich"; -$a->strings["stopped following"] = "wird nicht mehr gefolgt"; -$a->strings["Drop Contact"] = "Kontakt löschen"; +$a->strings["Friendica Notification"] = "Friendica-Benachrichtigung"; +$a->strings["Thank You,"] = "Danke,"; +$a->strings["%s Administrator"] = "der Administrator von %s"; +$a->strings["%s "] = "%s "; +$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["%1\$s sent you %2\$s."] = "%1\$s schickte dir %2\$s."; +$a->strings["a private message"] = "eine private Nachricht"; +$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["[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 [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"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]erwähnte dich[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica Benachrichtigung] %s hat einen Beitrag geteilt"; +$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s hat einen neuen Beitrag auf %2\$s geteilt"; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]hat einen Beitrag geteilt[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica-Meldung] %1\$s hat dich angestupst"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s hat dich auf %2\$s angestupst"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "%1\$s [url=%2\$s]hat dich angestupst[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica-Meldung] %s hat deinen Beitrag getaggt"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s erwähnte deinen Beitrag auf %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s erwähnte [url=%2\$s]Deinen Beitrag[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica-Meldung] Kontaktanfrage erhalten"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Du hast eine Kontaktanfrage von '%1\$s' auf %2\$s erhalten"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Du hast eine [url=%1\$s]Kontaktanfrage[/url] von %2\$s erhalten."; +$a->strings["You may visit their profile at %s"] = "Hier kannst du das Profil betrachten: %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Bitte besuche %s, um die Kontaktanfrage anzunehmen oder abzulehnen."; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica Benachrichtigung] Eine neue Person teilt mit dir"; +$a->strings["%1\$s is sharing with you at %2\$s"] = "%1\$s teilt mit dir auf %2\$s"; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica Benachrichtigung] Du hast einen neuen Kontakt auf "; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "Du hast einen neuen Kontakt auf %2\$s: %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica-Meldung] Kontaktvorschlag erhalten"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Du hast einen Freunde-Vorschlag von '%1\$s' auf %2\$s erhalten"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Du hast einen [url=%1\$s]Freunde-Vorschlag[/url] %2\$s von %3\$s erhalten."; +$a->strings["Name:"] = "Name:"; +$a->strings["Photo:"] = "Foto:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Bitte besuche %s, um den Vorschlag zu akzeptieren oder abzulehnen."; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica-Benachrichtigung] Kontaktanfrage bestätigt"; +$a->strings["'%1\$s' has acepted your connection request at %2\$s"] = "'%1\$s' hat deine Kontaktanfrage auf %2\$s bestätigt"; +$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s hat deine [url=%1\$s]Kontaktanfrage[/url] akzeptiert."; +$a->strings["You are now mutual friends and may exchange status updates, photos, and email\n\twithout restriction."] = "Ihr seit nun beidseitige Freunde und könnt Statusmitteilungen, Bilder und Emails ohne Einschränkungen austauschen."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Bitte besuche %s, wenn du Änderungen an eurer Beziehung vornehmen willst."; +$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' hat sich entschieden dich als \"Fan\" zu akzeptieren, dies schränkt einige Kommunikationswege - wie private Nachrichten und einige Interaktionsmöglichkeiten auf der Profilseite - ein. Wenn dies eine Berühmtheiten- oder Gemeinschaftsseite ist, werden diese Einstellungen automatisch vorgenommen."; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future. "] = "'%1\$s' kann den Kontaktstatus zu einem späteren Zeitpunkt erweitern und diese Einschränkungen aufheben. "; +$a->strings["[Friendica System:Notify] registration request"] = "[Friendica System:Benachrichtigung] Registrationsanfrage"; +$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Du hast eine Registrierungsanfrage von %2\$s auf '%1\$s' erhalten"; +$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Du hast eine [url=%1\$s]Registrierungsanfrage[/url] von %2\$s erhalten."; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Kompletter Name:\t%1\$s\\nURL der Seite:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"; +$a->strings["Please visit %s to approve or reject the request."] = "Bitte besuche %s um die Anfrage zu bearbeiten."; +$a->strings["Embedded content"] = "Eingebetteter Inhalt"; +$a->strings["Embedding disabled"] = "Einbettungen deaktiviert"; +$a->strings["Error decoding account file"] = "Fehler beim Verarbeiten der Account Datei"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Fehler! Keine Versionsdaten in der Datei! Ist das wirklich eine Friendica Account Datei?"; +$a->strings["Error! Cannot check nickname"] = "Fehler! Konnte den Nickname nicht überprüfen."; +$a->strings["User '%s' already exists on this server!"] = "Nutzer '%s' existiert bereits auf diesem Server!"; +$a->strings["User creation error"] = "Fehler beim Anlegen des Nutzeraccounts aufgetreten"; +$a->strings["User profile creation error"] = "Fehler beim Anlegen des Nutzerkontos"; +$a->strings["%d contact not imported"] = array( + 0 => "%d Kontakt nicht importiert", + 1 => "%d Kontakte nicht importiert", +); +$a->strings["Done. You can now login with your username and password"] = "Erledigt. Du kannst dich jetzt mit deinem Nutzernamen und Passwort anmelden"; +$a->strings["toggle mobile"] = "auf/von Mobile Ansicht wechseln"; +$a->strings["Theme settings"] = "Themeneinstellungen"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Wähle das Vergrößerungsmaß für Bilder in Beiträgen und Kommentaren (Höhe und Breite)"; +$a->strings["Set font-size for posts and comments"] = "Schriftgröße für Beiträge und Kommentare festlegen"; +$a->strings["Set theme width"] = "Theme Breite festlegen"; +$a->strings["Color scheme"] = "Farbschema"; +$a->strings["Set line-height for posts and comments"] = "Liniengröße für Beiträge und Kommantare festlegen"; +$a->strings["Set colour scheme"] = "Farbschema wählen"; +$a->strings["Alignment"] = "Ausrichtung"; +$a->strings["Left"] = "Links"; +$a->strings["Center"] = "Mitte"; +$a->strings["Posts font size"] = "Schriftgröße in Beiträgen"; +$a->strings["Textareas font size"] = "Schriftgröße in Eingabefeldern"; +$a->strings["Set resolution for middle column"] = "Auflösung für die Mittelspalte setzen"; +$a->strings["Set color scheme"] = "Wähle Farbschema"; +$a->strings["Set zoomfactor for Earth Layer"] = "Zoomfaktor der Earth Layer"; +$a->strings["Set longitude (X) for Earth Layers"] = "Longitude (X) der Earth Layer"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Latitude (Y) der Earth Layer"; +$a->strings["Community Pages"] = "Foren"; +$a->strings["Earth Layers"] = "Earth Layers"; +$a->strings["Community Profiles"] = "Community-Profile"; +$a->strings["Help or @NewHere ?"] = "Hilfe oder @NewHere"; +$a->strings["Connect Services"] = "Verbinde Dienste"; +$a->strings["Find Friends"] = "Freunde finden"; +$a->strings["Last users"] = "Letzte Nutzer"; +$a->strings["Last photos"] = "Letzte Fotos"; +$a->strings["Last likes"] = "Zuletzt gemocht"; +$a->strings["Your contacts"] = "Deine Kontakte"; +$a->strings["Your personal photos"] = "Deine privaten Fotos"; +$a->strings["Local Directory"] = "Lokales Verzeichnis"; +$a->strings["Set zoomfactor for Earth Layers"] = "Zoomfaktor der Earth Layer"; +$a->strings["Show/hide boxes at right-hand column:"] = "Rahmen auf der rechten Seite anzeigen/verbergen"; +$a->strings["Set style"] = "Stil auswählen"; +$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"] = "Variationen"; From ff41cc24bdb341d089b53184d839b9d1dc0111b8 Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Mon, 9 Feb 2015 11:21:10 +0100 Subject: [PATCH 173/294] Emailer: fix text-only email --- include/Emailer.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/Emailer.php b/include/Emailer.php index 7aae57346e..d0568f6001 100644 --- a/include/Emailer.php +++ b/include/Emailer.php @@ -51,7 +51,7 @@ class Emailer { "Content-Transfer-Encoding: base64\n\n" . $textBody . "\n"; - if (!$email_textonly && !is_null($htmlBody)){ + if (!$email_textonly && !is_null($params['htmlVersion'])){ $multipartMessageBody .= "--" . $mimeBoundary . "\n" . // text/html section "Content-Type: text/html; charset=UTF-8\n" . From 1c31dca5d6d497aefad78b676b5320b8f6f67882 Mon Sep 17 00:00:00 2001 From: Matthew Exon Date: Tue, 3 Feb 2015 02:30:03 +0100 Subject: [PATCH 174/294] Support feeds without XML headers --- include/onepoll.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/include/onepoll.php b/include/onepoll.php index 9052937fdc..fec5f4e5ac 100644 --- a/include/onepoll.php +++ b/include/onepoll.php @@ -174,7 +174,7 @@ function onepoll_run(&$argv, &$argc){ return; } - if(! strstr($handshake_xml,' Date: Mon, 9 Feb 2015 11:54:50 +0100 Subject: [PATCH 175/294] fix translation of poke activity body --- include/conversation.php | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/include/conversation.php b/include/conversation.php index c97eb6e4af..20b54728c9 100644 --- a/include/conversation.php +++ b/include/conversation.php @@ -203,12 +203,11 @@ function localize_item(&$item){ // we can't have a translation string with three positions but no distinguishable text // So here is the translate string. - $txt = t('%1$s poked %2$s'); - + // now translate the verb - - $txt = str_replace( t('poked'), t($verb), $txt); + $poked_t = trim(sprintf($txt, "","")); + $txt = str_replace( $poked_t, t($verb), $txt); // then do the sprintf on the translation string From f4f0f2bbc7db28c8bf5e0e51c6efe87dc0bf8890 Mon Sep 17 00:00:00 2001 From: Fabrixxm Date: Mon, 9 Feb 2015 11:55:14 +0100 Subject: [PATCH 176/294] update IT strings --- view/it/messages.po | 12238 +++++++++++++++++++++--------------------- view/it/strings.php | 1961 +++---- 2 files changed, 7191 insertions(+), 7008 deletions(-) diff --git a/view/it/messages.po b/view/it/messages.po index 920e802d2b..41def27aaa 100644 --- a/view/it/messages.po +++ b/view/it/messages.po @@ -5,7 +5,7 @@ # Translators: # Elena , 2014 # fabrixxm , 2011 -# fabrixxm , 2013-2014 +# fabrixxm , 2013-2015 # fabrixxm , 2011-2012 # Francesco Apruzzese , 2012-2013 # ufic , 2012 @@ -14,9 +14,9 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-10-22 10:05+0200\n" -"PO-Revision-Date: 2014-12-30 11:50+0000\n" -"Last-Translator: Elena \n" +"POT-Creation-Date: 2015-02-09 08:57+0100\n" +"PO-Revision-Date: 2015-02-09 10:48+0000\n" +"Last-Translator: fabrixxm \n" "Language-Team: Italian (http://www.transifex.com/projects/p/friendica/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -24,3206 +24,525 @@ msgstr "" "Language: it\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "Questa voce è stata modificata" - -#: ../../object/Item.php:116 ../../mod/photos.php:1357 -#: ../../mod/content.php:620 -msgid "Private Message" -msgstr "Messaggio privato" - -#: ../../object/Item.php:120 ../../mod/settings.php:673 -#: ../../mod/content.php:728 -msgid "Edit" -msgstr "Modifica" - -#: ../../object/Item.php:129 ../../mod/photos.php:1651 -#: ../../mod/content.php:437 ../../mod/content.php:740 -#: ../../include/conversation.php:613 -msgid "Select" -msgstr "Seleziona" - -#: ../../object/Item.php:130 ../../mod/admin.php:970 ../../mod/photos.php:1652 -#: ../../mod/contacts.php:709 ../../mod/settings.php:674 -#: ../../mod/group.php:171 ../../mod/content.php:438 ../../mod/content.php:741 -#: ../../include/conversation.php:614 -msgid "Delete" -msgstr "Rimuovi" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "salva nella cartella" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "aggiungi a speciali" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "rimuovi da speciali" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "Inverti stato preferito" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "preferito" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "ignora la discussione" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "non ignorare la discussione" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "inverti stato \"Ignora\"" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "ignorato" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "aggiungi tag" - -#: ../../object/Item.php:231 ../../mod/photos.php:1540 -#: ../../mod/content.php:684 -msgid "I like this (toggle)" -msgstr "Mi piace (clic per cambiare)" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "mi piace" - -#: ../../object/Item.php:232 ../../mod/photos.php:1541 -#: ../../mod/content.php:685 -msgid "I don't like this (toggle)" -msgstr "Non mi piace (clic per cambiare)" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "non mi piace" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "Condividi questo" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "condividi" - -#: ../../object/Item.php:316 ../../include/conversation.php:666 -msgid "Categories:" -msgstr "Categorie:" - -#: ../../object/Item.php:317 ../../include/conversation.php:667 -msgid "Filed under:" -msgstr "Archiviato in:" - -#: ../../object/Item.php:326 ../../object/Item.php:327 -#: ../../mod/content.php:471 ../../mod/content.php:852 -#: ../../mod/content.php:853 ../../include/conversation.php:654 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Vedi il profilo di %s @ %s" - -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "a" - -#: ../../object/Item.php:329 -msgid "via" -msgstr "via" - -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "Da bacheca a bacheca" - -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "da bacheca a bacheca" - -#: ../../object/Item.php:340 ../../mod/content.php:481 -#: ../../mod/content.php:864 ../../include/conversation.php:674 -#, php-format -msgid "%s from %s" -msgstr "%s da %s" - -#: ../../object/Item.php:361 ../../object/Item.php:677 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 ../../mod/content.php:709 ../../boot.php:724 -msgid "Comment" -msgstr "Commento" - -#: ../../object/Item.php:364 ../../mod/message.php:334 -#: ../../mod/message.php:565 ../../mod/editpost.php:124 -#: ../../mod/wallmessage.php:156 ../../mod/photos.php:1543 -#: ../../mod/content.php:499 ../../mod/content.php:883 -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -msgid "Please wait" -msgstr "Attendi" - -#: ../../object/Item.php:387 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d commento" -msgstr[1] "%d commenti" - -#: ../../object/Item.php:389 ../../object/Item.php:402 -#: ../../mod/content.php:605 ../../include/text.php:1969 -msgid "comment" -msgid_plural "comments" -msgstr[0] "" -msgstr[1] "commento" - -#: ../../object/Item.php:390 ../../mod/content.php:606 ../../boot.php:725 -#: ../../include/contact_widgets.php:205 -msgid "show more" -msgstr "mostra di più" - -#: ../../object/Item.php:675 ../../mod/photos.php:1560 -#: ../../mod/photos.php:1604 ../../mod/photos.php:1692 -#: ../../mod/content.php:707 -msgid "This is you" -msgstr "Questo sei tu" - -#: ../../object/Item.php:678 ../../mod/fsuggest.php:107 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/events.php:478 ../../mod/photos.php:1084 -#: ../../mod/photos.php:1205 ../../mod/photos.php:1512 -#: ../../mod/photos.php:1563 ../../mod/photos.php:1607 -#: ../../mod/photos.php:1695 ../../mod/contacts.php:470 -#: ../../mod/invite.php:140 ../../mod/profiles.php:645 -#: ../../mod/manage.php:110 ../../mod/poke.php:199 ../../mod/localtime.php:45 -#: ../../mod/install.php:248 ../../mod/install.php:286 -#: ../../mod/content.php:710 ../../mod/mood.php:137 ../../mod/crepair.php:181 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/diabook/config.php:148 ../../view/theme/vier/config.php:52 -#: ../../view/theme/dispy/config.php:70 -#: ../../view/theme/duepuntozero/config.php:59 -#: ../../view/theme/quattro/config.php:64 -#: ../../view/theme/cleanzero/config.php:80 -msgid "Submit" -msgstr "Invia" - -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" -msgstr "Grassetto" - -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "Corsivo" - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "Sottolineato" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "Citazione" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "Codice" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "Immagine" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "Link" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "Video" - -#: ../../object/Item.php:687 ../../mod/editpost.php:145 -#: ../../mod/photos.php:1564 ../../mod/photos.php:1608 -#: ../../mod/photos.php:1696 ../../mod/content.php:719 -#: ../../include/conversation.php:1126 -msgid "Preview" -msgstr "Anteprima" - -#: ../../index.php:205 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "Devi aver effettuato il login per usare gli addons." - -#: ../../index.php:249 ../../mod/help.php:90 -msgid "Not Found" -msgstr "Non trovato" - -#: ../../index.php:252 ../../mod/help.php:93 -msgid "Page not found." -msgstr "Pagina non trovata." - -#: ../../index.php:361 ../../mod/profperm.php:19 ../../mod/group.php:72 -msgid "Permission denied" -msgstr "Permesso negato" - -#: ../../index.php:362 ../../mod/fsuggest.php:78 ../../mod/files.php:170 -#: ../../mod/notifications.php:66 ../../mod/message.php:38 -#: ../../mod/message.php:174 ../../mod/editpost.php:10 -#: ../../mod/dfrn_confirm.php:55 ../../mod/events.php:140 -#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 -#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 -#: ../../mod/nogroup.php:25 ../../mod/wall_upload.php:66 ../../mod/api.php:26 -#: ../../mod/api.php:31 ../../mod/photos.php:134 ../../mod/photos.php:1050 -#: ../../mod/register.php:42 ../../mod/attach.php:33 -#: ../../mod/contacts.php:249 ../../mod/follow.php:9 ../../mod/uimport.php:23 -#: ../../mod/allfriends.php:9 ../../mod/invite.php:15 ../../mod/invite.php:101 -#: ../../mod/settings.php:102 ../../mod/settings.php:593 -#: ../../mod/settings.php:598 ../../mod/display.php:455 -#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 -#: ../../mod/wall_attach.php:55 ../../mod/suggest.php:56 -#: ../../mod/manage.php:96 ../../mod/delegate.php:12 -#: ../../mod/viewcontacts.php:22 ../../mod/notes.php:20 ../../mod/poke.php:135 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/install.php:151 ../../mod/group.php:19 ../../mod/regmod.php:110 -#: ../../mod/item.php:149 ../../mod/item.php:165 ../../mod/mood.php:114 -#: ../../mod/network.php:4 ../../mod/crepair.php:119 -#: ../../include/items.php:4575 -msgid "Permission denied." -msgstr "Permesso negato." - -#: ../../index.php:421 -msgid "toggle mobile" -msgstr "commuta tema mobile" - -#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 -#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 -#: ../../mod/update_display.php:22 -msgid "[Embedded content - reload page to view]" -msgstr "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]" - -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 -msgid "Contact not found." -msgstr "Contatto non trovato." - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Suggerimento di amicizia inviato." - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Suggerisci amici" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Suggerisci un amico a %s" - -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "Questa presentazione è già stata accettata." - -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "L'indirizzo del profilo non è valido o non contiene un profilo." - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario." - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "Attenzione: l'indirizzo del profilo non ha una foto." - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 -#, 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 parametro richiesto non è stato trovato all'indirizzo dato" -msgstr[1] "%d parametri richiesti non sono stati trovati all'indirizzo dato" - -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "Presentazione completa." - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "Errore di comunicazione." - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "Profilo non disponibile." - -#: ../../mod/dfrn_request.php:267 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s ha ricevuto troppe richieste di connessione per oggi." - -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "Sono state attivate le misure di protezione contro lo spam." - -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Gli amici sono pregati di riprovare tra 24 ore." - -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "Invalid locator" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "Indirizzo email non valido." - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "Questo account non è stato configurato per l'email. Richiesta fallita." - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "Impossibile risolvere il tuo nome nella posizione indicata." - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "Ti sei già presentato qui." - -#: ../../mod/dfrn_request.php:480 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Pare che tu e %s siate già amici." - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "Indirizzo profilo non valido." - -#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 -msgid "Disallowed profile URL." -msgstr "Indirizzo profilo non permesso." - -#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:183 -msgid "Failed to update contact record." -msgstr "Errore nell'aggiornamento del contatto." - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "La tua presentazione è stata inviata." - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "Accedi per confermare la presentazione." - -#: ../../mod/dfrn_request.php:664 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo." - -#: ../../mod/dfrn_request.php:675 -msgid "Hide this contact" -msgstr "Nascondi questo contatto" - -#: ../../mod/dfrn_request.php:678 -#, php-format -msgid "Welcome home %s." -msgstr "Bentornato a casa %s." - -#: ../../mod/dfrn_request.php:679 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Conferma la tua richiesta di connessione con %s." - -#: ../../mod/dfrn_request.php:680 -msgid "Confirm" -msgstr "Conferma" - -#: ../../mod/dfrn_request.php:721 ../../mod/dfrn_confirm.php:752 -#: ../../include/items.php:3881 -msgid "[Name Withheld]" -msgstr "[Nome Nascosto]" - -#: ../../mod/dfrn_request.php:766 ../../mod/photos.php:920 -#: ../../mod/videos.php:115 ../../mod/search.php:89 ../../mod/display.php:180 -#: ../../mod/community.php:18 ../../mod/viewcontacts.php:17 -#: ../../mod/directory.php:33 -msgid "Public access denied." -msgstr "Accesso negato." - -#: ../../mod/dfrn_request.php:808 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:" - -#: ../../mod/dfrn_request.php:828 -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 "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi" - -#: ../../mod/dfrn_request.php:831 -msgid "Friend/Connection Request" -msgstr "Richieste di amicizia/connessione" - -#: ../../mod/dfrn_request.php:832 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" - -#: ../../mod/dfrn_request.php:833 -msgid "Please answer the following:" -msgstr "Rispondi:" - -#: ../../mod/dfrn_request.php:834 -#, php-format -msgid "Does %s know you?" -msgstr "%s ti conosce?" - -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 -#: ../../mod/register.php:234 ../../mod/settings.php:1007 -#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 -#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 -#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 -#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 -#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 -msgid "No" -msgstr "No" - -#: ../../mod/dfrn_request.php:834 ../../mod/message.php:209 -#: ../../mod/api.php:105 ../../mod/register.php:233 ../../mod/contacts.php:332 -#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 -#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 -#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 -#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 -#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 -#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/profiles.php:620 -#: ../../mod/profiles.php:623 ../../mod/suggest.php:29 -#: ../../include/items.php:4420 -msgid "Yes" -msgstr "Si" - -#: ../../mod/dfrn_request.php:838 -msgid "Add a personal note:" -msgstr "Aggiungi una nota personale:" - -#: ../../mod/dfrn_request.php:840 ../../include/contact_selectors.php:76 -msgid "Friendica" -msgstr "Friendica" - -#: ../../mod/dfrn_request.php:841 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/Federated Social Web" - -#: ../../mod/dfrn_request.php:842 ../../mod/settings.php:733 -#: ../../include/contact_selectors.php:80 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../mod/dfrn_request.php:843 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora." - -#: ../../mod/dfrn_request.php:844 -msgid "Your Identity Address:" -msgstr "L'indirizzo della tua identità:" - -#: ../../mod/dfrn_request.php:847 -msgid "Submit Request" -msgstr "Invia richiesta" - -#: ../../mod/dfrn_request.php:848 ../../mod/message.php:212 -#: ../../mod/editpost.php:148 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../mod/photos.php:203 -#: ../../mod/photos.php:292 ../../mod/contacts.php:335 ../../mod/tagrm.php:11 -#: ../../mod/tagrm.php:94 ../../mod/settings.php:612 -#: ../../mod/settings.php:638 ../../mod/suggest.php:32 -#: ../../include/items.php:4423 ../../include/conversation.php:1129 -msgid "Cancel" -msgstr "Annulla" - -#: ../../mod/files.php:156 ../../mod/videos.php:301 -#: ../../include/text.php:1402 -msgid "View Video" -msgstr "Guarda Video" - -#: ../../mod/profile.php:21 ../../boot.php:1432 -msgid "Requested profile is not available." -msgstr "Profilo richiesto non disponibile." - -#: ../../mod/profile.php:155 ../../mod/display.php:288 -msgid "Access to this profile has been restricted." -msgstr "L'accesso a questo profilo è stato limitato." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Consigli per i Nuovi Utenti" - -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "L'identificativo della richiesta non è valido." - -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "Scarta" - -#: ../../mod/notifications.php:51 ../../mod/notifications.php:164 -#: ../../mod/notifications.php:210 ../../mod/contacts.php:443 -#: ../../mod/contacts.php:497 ../../mod/contacts.php:707 -msgid "Ignore" -msgstr "Ignora" - -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "Sistema" - -#: ../../mod/notifications.php:83 ../../include/nav.php:143 -msgid "Network" -msgstr "Rete" - -#: ../../mod/notifications.php:88 ../../mod/network.php:365 -msgid "Personal" -msgstr "Personale" - -#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:123 -#: ../../include/nav.php:105 ../../include/nav.php:146 -msgid "Home" -msgstr "Home" - -#: ../../mod/notifications.php:98 ../../include/nav.php:152 -msgid "Introductions" -msgstr "Presentazioni" - -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "Mostra richieste ignorate" - -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "Nascondi richieste ignorate" - -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "Tipo di notifica: " - -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "Amico suggerito" - -#: ../../mod/notifications.php:152 -#, php-format -msgid "suggested by %s" -msgstr "sugerito da %s" - -#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 -#: ../../mod/contacts.php:503 -msgid "Hide this contact from others" -msgstr "Nascondi questo contatto agli altri" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "Invia una attività \"è ora amico con\"" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "se applicabile" - -#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 -#: ../../mod/admin.php:968 -msgid "Approve" -msgstr "Approva" - -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "Dice di conoscerti: " - -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "si" - -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "no" - -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "Approva come: " - -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "Amico" - -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "Condivisore" - -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "Fan/Ammiratore" - -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "Richiesta amicizia/connessione" - -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "Qualcuno inizia a seguirti" - -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "Nessuna presentazione." - -#: ../../mod/notifications.php:220 ../../include/nav.php:153 -msgid "Notifications" -msgstr "Notifiche" - -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "a %s è piaciuto il messaggio di %s" - -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "a %s non è piaciuto il messaggio di %s" - -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s è ora amico di %s" - -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "%s a creato un nuovo messaggio" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s ha commentato il messaggio di %s" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "Notifiche dalla rete" - -#: ../../mod/notifications.php:336 ../../mod/notify.php:75 -msgid "No more system notifications." -msgstr "Nessuna nuova notifica di sistema." - -#: ../../mod/notifications.php:340 ../../mod/notify.php:79 -msgid "System Notifications" -msgstr "Notifiche di sistema" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "Notifiche personali" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "Notifiche bacheca" - -#: ../../mod/like.php:149 ../../mod/tagger.php:62 ../../mod/subthread.php:87 -#: ../../view/theme/diabook/theme.php:471 ../../include/text.php:1965 -#: ../../include/diaspora.php:1919 ../../include/conversation.php:126 -#: ../../include/conversation.php:254 -msgid "photo" -msgstr "foto" - -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/tagger.php:62 -#: ../../mod/subthread.php:87 ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -msgid "status" -msgstr "stato" - -#: ../../mod/like.php:166 ../../view/theme/diabook/theme.php:480 -#: ../../include/diaspora.php:1935 ../../include/conversation.php:137 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "A %1$s piace %3$s di %2$s" - -#: ../../mod/like.php:168 ../../include/conversation.php:140 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "A %1$s non piace %3$s di %2$s" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Errore protocollo OpenID. Nessun ID ricevuto." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito." - -#: ../../mod/openid.php:93 ../../include/auth.php:112 -#: ../../include/auth.php:175 -msgid "Login failed." -msgstr "Accesso fallito." - -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Testo sorgente (bbcode):" - -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Testo sorgente (da Diaspora) da convertire in BBcode:" - -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Sorgente:" - -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (HTML grezzo):" - -#: ../../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 "Sorgente (formato Diaspora):" - -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "Impostazioni del tema aggiornate." - -#: ../../mod/admin.php:104 ../../mod/admin.php:589 -msgid "Site" -msgstr "Sito" - -#: ../../mod/admin.php:105 ../../mod/admin.php:961 ../../mod/admin.php:976 -msgid "Users" -msgstr "Utenti" - -#: ../../mod/admin.php:106 ../../mod/admin.php:1065 ../../mod/admin.php:1118 -#: ../../mod/settings.php:57 -msgid "Plugins" -msgstr "Plugin" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1286 ../../mod/admin.php:1320 -msgid "Themes" -msgstr "Temi" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "Aggiornamenti Database" - -#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1407 -msgid "Logs" -msgstr "Log" - -#: ../../mod/admin.php:128 ../../include/nav.php:182 -msgid "Admin" -msgstr "Amministrazione" - -#: ../../mod/admin.php:129 -msgid "Plugin Features" -msgstr "Impostazioni Plugins" - -#: ../../mod/admin.php:131 -msgid "User registrations waiting for confirmation" -msgstr "Utenti registrati in attesa di conferma" - -#: ../../mod/admin.php:166 ../../mod/admin.php:1015 ../../mod/admin.php:1228 -#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 -#: ../../mod/display.php:459 ../../mod/viewsrc.php:15 -#: ../../include/items.php:4379 -msgid "Item not found." -msgstr "Elemento non trovato." - -#: ../../mod/admin.php:190 ../../mod/admin.php:915 -msgid "Normal Account" -msgstr "Account normale" - -#: ../../mod/admin.php:191 ../../mod/admin.php:916 -msgid "Soapbox Account" -msgstr "Account per comunicati e annunci" - -#: ../../mod/admin.php:192 ../../mod/admin.php:917 -msgid "Community/Celebrity Account" -msgstr "Account per celebrità o per comunità" - -#: ../../mod/admin.php:193 ../../mod/admin.php:918 -msgid "Automatic Friend Account" -msgstr "Account per amicizia automatizzato" - -#: ../../mod/admin.php:194 -msgid "Blog Account" -msgstr "Account Blog" - -#: ../../mod/admin.php:195 -msgid "Private Forum" -msgstr "Forum Privato" - -#: ../../mod/admin.php:214 -msgid "Message queues" -msgstr "Code messaggi" - -#: ../../mod/admin.php:219 ../../mod/admin.php:588 ../../mod/admin.php:960 -#: ../../mod/admin.php:1064 ../../mod/admin.php:1117 ../../mod/admin.php:1285 -#: ../../mod/admin.php:1319 ../../mod/admin.php:1406 -msgid "Administration" -msgstr "Amministrazione" - -#: ../../mod/admin.php:220 -msgid "Summary" -msgstr "Sommario" - -#: ../../mod/admin.php:222 -msgid "Registered users" -msgstr "Utenti registrati" - -#: ../../mod/admin.php:224 -msgid "Pending registrations" -msgstr "Registrazioni in attesa" - -#: ../../mod/admin.php:225 -msgid "Version" -msgstr "Versione" - -#: ../../mod/admin.php:229 -msgid "Active plugins" -msgstr "Plugin attivi" - -#: ../../mod/admin.php:252 -msgid "Can not parse base url. Must have at least ://" -msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]" - -#: ../../mod/admin.php:496 -msgid "Site settings updated." -msgstr "Impostazioni del sito aggiornate." - -#: ../../mod/admin.php:525 ../../mod/settings.php:825 -msgid "No special theme for mobile devices" -msgstr "Nessun tema speciale per i dispositivi mobili" - -#: ../../mod/admin.php:542 ../../mod/contacts.php:414 -msgid "Never" -msgstr "Mai" - -#: ../../mod/admin.php:543 -msgid "At post arrival" -msgstr "All'arrivo di un messaggio" - -#: ../../mod/admin.php:544 ../../include/contact_selectors.php:56 -msgid "Frequently" -msgstr "Frequentemente" - -#: ../../mod/admin.php:545 ../../include/contact_selectors.php:57 -msgid "Hourly" -msgstr "Ogni ora" - -#: ../../mod/admin.php:546 ../../include/contact_selectors.php:58 -msgid "Twice daily" -msgstr "Due volte al dì" - -#: ../../mod/admin.php:547 ../../include/contact_selectors.php:59 -msgid "Daily" -msgstr "Giornalmente" - -#: ../../mod/admin.php:552 -msgid "Multi user instance" -msgstr "Istanza multi utente" - -#: ../../mod/admin.php:575 -msgid "Closed" -msgstr "Chiusa" - -#: ../../mod/admin.php:576 -msgid "Requires approval" -msgstr "Richiede l'approvazione" - -#: ../../mod/admin.php:577 -msgid "Open" -msgstr "Aperta" - -#: ../../mod/admin.php:581 -msgid "No SSL policy, links will track page SSL state" -msgstr "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina" - -#: ../../mod/admin.php:582 -msgid "Force all links to use SSL" -msgstr "Forza tutti i linki ad usare SSL" - -#: ../../mod/admin.php:583 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)" - -#: ../../mod/admin.php:590 ../../mod/admin.php:1119 ../../mod/admin.php:1321 -#: ../../mod/admin.php:1408 ../../mod/settings.php:611 -#: ../../mod/settings.php:721 ../../mod/settings.php:795 -#: ../../mod/settings.php:877 ../../mod/settings.php:1110 -msgid "Save Settings" -msgstr "Salva Impostazioni" - -#: ../../mod/admin.php:591 ../../mod/register.php:255 -msgid "Registration" -msgstr "Registrazione" - -#: ../../mod/admin.php:592 -msgid "File upload" -msgstr "Caricamento file" - -#: ../../mod/admin.php:593 -msgid "Policies" -msgstr "Politiche" - -#: ../../mod/admin.php:594 -msgid "Advanced" -msgstr "Avanzate" - -#: ../../mod/admin.php:595 -msgid "Performance" -msgstr "Performance" - -#: ../../mod/admin.php:596 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile." - -#: ../../mod/admin.php:599 -msgid "Site name" -msgstr "Nome del sito" - -#: ../../mod/admin.php:600 -msgid "Banner/Logo" -msgstr "Banner/Logo" - -#: ../../mod/admin.php:601 -msgid "Additional Info" -msgstr "Informazioni aggiuntive" - -#: ../../mod/admin.php:601 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo." - -#: ../../mod/admin.php:602 -msgid "System language" -msgstr "Lingua di sistema" - -#: ../../mod/admin.php:603 -msgid "System theme" -msgstr "Tema di sistema" - -#: ../../mod/admin.php:603 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Tema di sistema - puo' essere sovrascritto dalle impostazioni utente - cambia le impostazioni del tema" - -#: ../../mod/admin.php:604 -msgid "Mobile system theme" -msgstr "Tema mobile di sistema" - -#: ../../mod/admin.php:604 -msgid "Theme for mobile devices" -msgstr "Tema per dispositivi mobili" - -#: ../../mod/admin.php:605 -msgid "SSL link policy" -msgstr "Gestione link SSL" - -#: ../../mod/admin.php:605 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Determina se i link generati devono essere forzati a usare SSL" - -#: ../../mod/admin.php:606 -msgid "Old style 'Share'" -msgstr "Ricondivisione vecchio stile" - -#: ../../mod/admin.php:606 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "Disattiva l'elemento bbcode 'share' con elementi ripetuti" - -#: ../../mod/admin.php:607 -msgid "Hide help entry from navigation menu" -msgstr "Nascondi la voce 'Guida' dal menu di navigazione" - -#: ../../mod/admin.php:607 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Nasconde la voce per le pagine della guida dal menu di navigazione. E' comunque possibile accedervi richiamando /help direttamente." - -#: ../../mod/admin.php:608 -msgid "Single user instance" -msgstr "Instanza a singolo utente" - -#: ../../mod/admin.php:608 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Rendi questa istanza multi utente o a singolo utente per l'utente selezionato" - -#: ../../mod/admin.php:609 -msgid "Maximum image size" -msgstr "Massima dimensione immagini" - -#: ../../mod/admin.php:609 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Massima dimensione in byte delle immagini caricate. Il default è 0, cioè nessun limite." - -#: ../../mod/admin.php:610 -msgid "Maximum image length" -msgstr "Massima lunghezza immagine" - -#: ../../mod/admin.php:610 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Massima lunghezza in pixel del lato più lungo delle immagini caricate. Predefinito a -1, ovvero nessun limite." - -#: ../../mod/admin.php:611 -msgid "JPEG image quality" -msgstr "Qualità immagini JPEG" - -#: ../../mod/admin.php:611 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Le immagini JPEG caricate verranno salvate con questa qualità [0-100]. Predefinito è 100, ovvero qualità piena." - -#: ../../mod/admin.php:613 -msgid "Register policy" -msgstr "Politica di registrazione" - -#: ../../mod/admin.php:614 -msgid "Maximum Daily Registrations" -msgstr "Massime registrazioni giornaliere" - -#: ../../mod/admin.php:614 -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 "Se la registrazione è permessa, qui si definisce il massimo numero di nuovi utenti registrati da accettare giornalmente. Se la registrazione è chiusa, questa impostazione non ha effetto." - -#: ../../mod/admin.php:615 -msgid "Register text" -msgstr "Testo registrazione" - -#: ../../mod/admin.php:615 -msgid "Will be displayed prominently on the registration page." -msgstr "Sarà mostrato ben visibile nella pagina di registrazione." - -#: ../../mod/admin.php:616 -msgid "Accounts abandoned after x days" -msgstr "Account abbandonati dopo x giorni" - -#: ../../mod/admin.php:616 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Non spreca risorse di sistema controllando siti esterni per gli account abbandonati. Immettere 0 per nessun limite di tempo." - -#: ../../mod/admin.php:617 -msgid "Allowed friend domains" -msgstr "Domini amici consentiti" - -#: ../../mod/admin.php:617 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Elenco separato da virglola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." - -#: ../../mod/admin.php:618 -msgid "Allowed email domains" -msgstr "Domini email consentiti" - -#: ../../mod/admin.php:618 -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 "Elenco separato da virgola dei domini permessi come indirizzi email in fase di registrazione a questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." - -#: ../../mod/admin.php:619 -msgid "Block public" -msgstr "Blocca pagine pubbliche" - -#: ../../mod/admin.php:619 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Seleziona per bloccare l'accesso pubblico a tutte le pagine personali di questo sito, a meno di essere loggato." - -#: ../../mod/admin.php:620 -msgid "Force publish" -msgstr "Forza publicazione" - -#: ../../mod/admin.php:620 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Seleziona per forzare tutti i profili di questo sito ad essere compresi nell'elenco di questo sito." - -#: ../../mod/admin.php:621 -msgid "Global directory update URL" -msgstr "URL aggiornamento Elenco Globale" - -#: ../../mod/admin.php:621 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL dell'elenco globale. Se vuoto, l'elenco globale sarà completamente disabilitato." - -#: ../../mod/admin.php:622 -msgid "Allow threaded items" -msgstr "Permetti commenti nidificati" - -#: ../../mod/admin.php:622 -msgid "Allow infinite level threading for items on this site." -msgstr "Permette un infinito livello di nidificazione dei commenti su questo sito." - -#: ../../mod/admin.php:623 -msgid "Private posts by default for new users" -msgstr "Post privati di default per i nuovi utenti" - -#: ../../mod/admin.php:623 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici." - -#: ../../mod/admin.php:624 -msgid "Don't include post content in email notifications" -msgstr "Non includere il contenuto dei post nelle notifiche via email" - -#: ../../mod/admin.php:624 -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 "Non include il contenuti del post/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" - -#: ../../mod/admin.php:625 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." - -#: ../../mod/admin.php:625 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Selezionando questo box si limiterà ai soli membri l'accesso agli addon nel menu applicazioni" - -#: ../../mod/admin.php:626 -msgid "Don't embed private images in posts" -msgstr "Non inglobare immagini private nei post" - -#: ../../mod/admin.php:626 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "Non sostituire le foto locali nei post con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i post contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che puo' richiedere un po' di tempo." - -#: ../../mod/admin.php:627 -msgid "Allow Users to set remote_self" -msgstr "Permetti agli utenti di impostare 'io remoto'" - -#: ../../mod/admin.php:627 -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 "Selezionando questo, a tutti gli utenti sarà permesso di impostare qualsiasi contatto come 'io remoto' nella pagina di modifica del contatto. Impostare questa opzione fa si che tutti i messaggi di quel contatto vengano ripetuti nello stream del'utente." - -#: ../../mod/admin.php:628 -msgid "Block multiple registrations" -msgstr "Blocca registrazioni multiple" - -#: ../../mod/admin.php:628 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Non permette all'utente di registrare account extra da usare come pagine." - -#: ../../mod/admin.php:629 -msgid "OpenID support" -msgstr "Supporto OpenID" - -#: ../../mod/admin.php:629 -msgid "OpenID support for registration and logins." -msgstr "Supporta OpenID per la registrazione e il login" - -#: ../../mod/admin.php:630 -msgid "Fullname check" -msgstr "Controllo nome completo" - -#: ../../mod/admin.php:630 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam" - -#: ../../mod/admin.php:631 -msgid "UTF-8 Regular expressions" -msgstr "Espressioni regolari UTF-8" - -#: ../../mod/admin.php:631 -msgid "Use PHP UTF8 regular expressions" -msgstr "Usa le espressioni regolari PHP in UTF8" - -#: ../../mod/admin.php:632 -msgid "Show Community Page" -msgstr "Mostra pagina Comunità" - -#: ../../mod/admin.php:632 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Mostra una pagina Comunità con tutti i recenti messaggi pubblici su questo sito." - -#: ../../mod/admin.php:633 -msgid "Enable OStatus support" -msgstr "Abilita supporto OStatus" - -#: ../../mod/admin.php:633 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente." - -#: ../../mod/admin.php:634 -msgid "OStatus conversation completion interval" -msgstr "Intervallo completamento conversazioni OStatus" - -#: ../../mod/admin.php:634 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "quanto spesso il poller deve controllare se esistono nuovi commenti in una conversazione OStatus? Questo è un lavoro che puo' richiedere molte risorse." - -#: ../../mod/admin.php:635 -msgid "Enable Diaspora support" -msgstr "Abilita il supporto a Diaspora" - -#: ../../mod/admin.php:635 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Fornisce compatibilità con il network Diaspora." - -#: ../../mod/admin.php:636 -msgid "Only allow Friendica contacts" -msgstr "Permetti solo contatti Friendica" - -#: ../../mod/admin.php:636 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Tutti i contatti devono usare il protocollo di Friendica. Tutti gli altri protocolli sono disabilitati." - -#: ../../mod/admin.php:637 -msgid "Verify SSL" -msgstr "Verifica SSL" - -#: ../../mod/admin.php:637 -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 "Se vuoi, puoi abilitare il controllo rigoroso dei certificati.Questo significa che non potrai collegarti (del tutto) con siti con certificati SSL auto-firmati." - -#: ../../mod/admin.php:638 -msgid "Proxy user" -msgstr "Utente Proxy" - -#: ../../mod/admin.php:639 -msgid "Proxy URL" -msgstr "URL Proxy" - -#: ../../mod/admin.php:640 -msgid "Network timeout" -msgstr "Timeout rete" - -#: ../../mod/admin.php:640 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." - -#: ../../mod/admin.php:641 -msgid "Delivery interval" -msgstr "Intervallo di invio" - -#: ../../mod/admin.php:641 -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 "Ritarda il processo di invio in background di n secondi per ridurre il carico di sistema. Raccomandato: 4-5 per host condivisit, 2-3 per VPS. 0-1 per grandi server dedicati." - -#: ../../mod/admin.php:642 -msgid "Poll interval" -msgstr "Intervallo di poll" - -#: ../../mod/admin.php:642 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Ritarda il processo di poll in background di n secondi per ridurre il carico di sistema. Se 0, usa l'intervallo di invio." - -#: ../../mod/admin.php:643 -msgid "Maximum Load Average" -msgstr "Massimo carico medio" - -#: ../../mod/admin.php:643 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Massimo carico di sistema prima che i processi di invio e di poll siano ritardati. Predefinito a 50." - -#: ../../mod/admin.php:645 -msgid "Use MySQL full text engine" -msgstr "Usa il motore MySQL full text" - -#: ../../mod/admin.php:645 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri." - -#: ../../mod/admin.php:646 -msgid "Suppress Language" -msgstr "Disattiva lingua" - -#: ../../mod/admin.php:646 -msgid "Suppress language information in meta information about a posting." -msgstr "Disattiva le informazioni sulla lingua nei meta di un post." - -#: ../../mod/admin.php:647 -msgid "Path to item cache" -msgstr "Percorso cache elementi" - -#: ../../mod/admin.php:648 -msgid "Cache duration in seconds" -msgstr "Durata della cache in secondi" - -#: ../../mod/admin.php:648 -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 "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1." - -#: ../../mod/admin.php:649 -msgid "Maximum numbers of comments per post" -msgstr "Numero massimo di commenti per post" - -#: ../../mod/admin.php:649 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "Quanti commenti devono essere mostrati per ogni post? Default : 100." - -#: ../../mod/admin.php:650 -msgid "Path for lock file" -msgstr "Percorso al file di lock" - -#: ../../mod/admin.php:651 -msgid "Temp path" -msgstr "Percorso file temporanei" - -#: ../../mod/admin.php:652 -msgid "Base path to installation" -msgstr "Percorso base all'installazione" - -#: ../../mod/admin.php:653 -msgid "Disable picture proxy" -msgstr "Disabilita il proxy immagini" - -#: ../../mod/admin.php:653 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile." - -#: ../../mod/admin.php:655 -msgid "New base url" -msgstr "Nuovo url base" - -#: ../../mod/admin.php:657 -msgid "Disable noscrape" -msgstr "" - -#: ../../mod/admin.php:657 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping. Disabling it will cause higher load on your server" -" and the directory server." -msgstr "" - -#: ../../mod/admin.php:674 -msgid "Update has been marked successful" -msgstr "L'aggiornamento è stato segnato come di successo" - -#: ../../mod/admin.php:682 -#, php-format -msgid "Database structure update %s was successfully applied." -msgstr "Aggiornamento struttura database %s applicata con successo." - -#: ../../mod/admin.php:685 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "Aggiornamento struttura database %s fallita con errore: %s" - -#: ../../mod/admin.php:697 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "Esecuzione di %s fallita con errore: %s" - -#: ../../mod/admin.php:700 -#, php-format -msgid "Update %s was successfully applied." -msgstr "L'aggiornamento %s è stato applicato con successo" - -#: ../../mod/admin.php:704 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine." - -#: ../../mod/admin.php:706 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "Non ci sono altre funzioni di aggiornamento %s da richiamare." - -#: ../../mod/admin.php:725 -msgid "No failed updates." -msgstr "Nessun aggiornamento fallito." - -#: ../../mod/admin.php:726 -msgid "Check database structure" -msgstr "Controlla struttura database" - -#: ../../mod/admin.php:731 -msgid "Failed Updates" -msgstr "Aggiornamenti falliti" - -#: ../../mod/admin.php:732 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato." - -#: ../../mod/admin.php:733 -msgid "Mark success (if update was manually applied)" -msgstr "Segna completato (se l'update è stato applicato manualmente)" - -#: ../../mod/admin.php:734 -msgid "Attempt to execute this update step automatically" -msgstr "Cerco di eseguire questo aggiornamento in automatico" - -#: ../../mod/admin.php:766 -#, php-format -msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "\nGentile %1$s,\n l'amministratore di %2$s ha impostato un account per te." - -#: ../../mod/admin.php:769 -#, php-format -msgid "" -"\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." -msgstr "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %4$s" - -#: ../../mod/admin.php:801 ../../include/user.php:413 -#, php-format -msgid "Registration details for %s" -msgstr "Dettagli della registrazione di %s" - -#: ../../mod/admin.php:813 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s utente bloccato/sbloccato" -msgstr[1] "%s utenti bloccati/sbloccati" - -#: ../../mod/admin.php:820 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s utente cancellato" -msgstr[1] "%s utenti cancellati" - -#: ../../mod/admin.php:859 -#, php-format -msgid "User '%s' deleted" -msgstr "Utente '%s' cancellato" - -#: ../../mod/admin.php:867 -#, php-format -msgid "User '%s' unblocked" -msgstr "Utente '%s' sbloccato" - -#: ../../mod/admin.php:867 -#, php-format -msgid "User '%s' blocked" -msgstr "Utente '%s' bloccato" - -#: ../../mod/admin.php:962 -msgid "Add User" -msgstr "Aggiungi utente" - -#: ../../mod/admin.php:963 -msgid "select all" -msgstr "seleziona tutti" - -#: ../../mod/admin.php:964 -msgid "User registrations waiting for confirm" -msgstr "Richieste di registrazione in attesa di conferma" - -#: ../../mod/admin.php:965 -msgid "User waiting for permanent deletion" -msgstr "Utente in attesa di cancellazione definitiva" - -#: ../../mod/admin.php:966 -msgid "Request date" -msgstr "Data richiesta" - -#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 -#: ../../mod/admin.php:992 ../../mod/settings.php:613 -#: ../../mod/settings.php:639 ../../mod/crepair.php:160 -msgid "Name" -msgstr "Nome" - -#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 -#: ../../mod/admin.php:994 ../../include/contact_selectors.php:79 -#: ../../include/contact_selectors.php:86 -msgid "Email" -msgstr "Email" - -#: ../../mod/admin.php:967 -msgid "No registrations." -msgstr "Nessuna registrazione." - -#: ../../mod/admin.php:969 -msgid "Deny" -msgstr "Nega" - -#: ../../mod/admin.php:971 ../../mod/contacts.php:437 -#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 -msgid "Block" -msgstr "Blocca" - -#: ../../mod/admin.php:972 ../../mod/contacts.php:437 -#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 -msgid "Unblock" -msgstr "Sblocca" - -#: ../../mod/admin.php:973 -msgid "Site admin" -msgstr "Amministrazione sito" - -#: ../../mod/admin.php:974 -msgid "Account expired" -msgstr "Account scaduto" - -#: ../../mod/admin.php:977 -msgid "New User" -msgstr "Nuovo Utente" - -#: ../../mod/admin.php:978 ../../mod/admin.php:979 -msgid "Register date" -msgstr "Data registrazione" - -#: ../../mod/admin.php:978 ../../mod/admin.php:979 -msgid "Last login" -msgstr "Ultimo accesso" - -#: ../../mod/admin.php:978 ../../mod/admin.php:979 -msgid "Last item" -msgstr "Ultimo elemento" - -#: ../../mod/admin.php:978 -msgid "Deleted since" -msgstr "Rimosso da" - -#: ../../mod/admin.php:979 ../../mod/settings.php:36 -msgid "Account" -msgstr "Account" - -#: ../../mod/admin.php:981 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?" - -#: ../../mod/admin.php:982 -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 "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?" - -#: ../../mod/admin.php:992 -msgid "Name of the new user." -msgstr "Nome del nuovo utente." - -#: ../../mod/admin.php:993 -msgid "Nickname" -msgstr "Nome utente" - -#: ../../mod/admin.php:993 -msgid "Nickname of the new user." -msgstr "Nome utente del nuovo utente." - -#: ../../mod/admin.php:994 -msgid "Email address of the new user." -msgstr "Indirizzo Email del nuovo utente." - -#: ../../mod/admin.php:1027 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s disabilitato." - -#: ../../mod/admin.php:1031 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s abilitato." - -#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 -msgid "Disable" -msgstr "Disabilita" - -#: ../../mod/admin.php:1043 ../../mod/admin.php:1259 -msgid "Enable" -msgstr "Abilita" - -#: ../../mod/admin.php:1066 ../../mod/admin.php:1287 -msgid "Toggle" -msgstr "Inverti" - -#: ../../mod/admin.php:1067 ../../mod/admin.php:1288 -#: ../../mod/newmember.php:22 ../../mod/settings.php:85 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 -msgid "Settings" -msgstr "Impostazioni" - -#: ../../mod/admin.php:1074 ../../mod/admin.php:1297 -msgid "Author: " -msgstr "Autore: " - -#: ../../mod/admin.php:1075 ../../mod/admin.php:1298 -msgid "Maintainer: " -msgstr "Manutentore: " - -#: ../../mod/admin.php:1217 -msgid "No themes found." -msgstr "Nessun tema trovato." - -#: ../../mod/admin.php:1279 -msgid "Screenshot" -msgstr "Anteprima" - -#: ../../mod/admin.php:1325 -msgid "[Experimental]" -msgstr "[Sperimentale]" - -#: ../../mod/admin.php:1326 -msgid "[Unsupported]" -msgstr "[Non supportato]" - -#: ../../mod/admin.php:1353 -msgid "Log settings updated." -msgstr "Impostazioni Log aggiornate." - -#: ../../mod/admin.php:1409 -msgid "Clear" -msgstr "Pulisci" - -#: ../../mod/admin.php:1415 -msgid "Enable Debugging" -msgstr "Abilita Debugging" - -#: ../../mod/admin.php:1416 -msgid "Log file" -msgstr "File di Log" - -#: ../../mod/admin.php:1416 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica." - -#: ../../mod/admin.php:1417 -msgid "Log level" -msgstr "Livello di Log" - -#: ../../mod/admin.php:1466 ../../mod/contacts.php:493 -msgid "Update now" -msgstr "Aggiorna adesso" - -#: ../../mod/admin.php:1467 -msgid "Close" -msgstr "Chiudi" - -#: ../../mod/admin.php:1473 -msgid "FTP Host" -msgstr "Indirizzo FTP" - -#: ../../mod/admin.php:1474 -msgid "FTP Path" -msgstr "Percorso FTP" - -#: ../../mod/admin.php:1475 -msgid "FTP User" -msgstr "Utente FTP" - -#: ../../mod/admin.php:1476 -msgid "FTP Password" -msgstr "Pasword FTP" - -#: ../../mod/message.php:9 ../../include/nav.php:162 -msgid "New Message" -msgstr "Nuovo messaggio" - -#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 -msgid "No recipient selected." -msgstr "Nessun destinatario selezionato." - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "Impossibile trovare le informazioni del contatto." - -#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 -msgid "Message could not be sent." -msgstr "Il messaggio non puo' essere inviato." - -#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 -msgid "Message collection failure." -msgstr "Errore recuperando il messaggio." - -#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 -msgid "Message sent." -msgstr "Messaggio inviato." - -#: ../../mod/message.php:182 ../../include/nav.php:159 -msgid "Messages" -msgstr "Messaggi" - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Vuoi veramente cancellare questo messaggio?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Messaggio eliminato." - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Conversazione rimossa." - -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -msgid "Please enter a link URL:" -msgstr "Inserisci l'indirizzo del link:" - -#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 -msgid "Send Private Message" -msgstr "Invia un messaggio privato" - -#: ../../mod/message.php:320 ../../mod/message.php:553 -#: ../../mod/wallmessage.php:144 -msgid "To:" -msgstr "A:" - -#: ../../mod/message.php:325 ../../mod/message.php:555 -#: ../../mod/wallmessage.php:145 -msgid "Subject:" -msgstr "Oggetto:" - -#: ../../mod/message.php:329 ../../mod/message.php:558 -#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 -msgid "Your message:" -msgstr "Il tuo messaggio:" - -#: ../../mod/message.php:332 ../../mod/message.php:562 -#: ../../mod/editpost.php:110 ../../mod/wallmessage.php:154 -#: ../../include/conversation.php:1091 -msgid "Upload photo" -msgstr "Carica foto" - -#: ../../mod/message.php:333 ../../mod/message.php:563 -#: ../../mod/editpost.php:114 ../../mod/wallmessage.php:155 -#: ../../include/conversation.php:1095 -msgid "Insert web link" -msgstr "Inserisci link" - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Nessun messaggio." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "Mittente sconosciuto - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Tu e %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s e Tu" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Elimina la conversazione" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D d M Y - G:i" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d messaggio" -msgstr[1] "%d messaggi" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Messaggio non disponibile." - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Elimina il messaggio" - -#: ../../mod/message.php:548 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente." - -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Invia la risposta" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Oggetto non trovato" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Modifica messaggio" - -#: ../../mod/editpost.php:109 ../../mod/filer.php:31 ../../mod/notes.php:63 -#: ../../include/text.php:955 -msgid "Save" -msgstr "Salva" - -#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 -msgid "upload photo" -msgstr "carica foto" - -#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 -msgid "Attach file" -msgstr "Allega file" - -#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 -msgid "attach file" -msgstr "allega file" - -#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 -msgid "web link" -msgstr "link web" - -#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 -msgid "Insert video link" -msgstr "Inserire collegamento video" - -#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 -msgid "video link" -msgstr "link video" - -#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 -msgid "Insert audio link" -msgstr "Inserisci collegamento audio" - -#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 -msgid "audio link" -msgstr "link audio" - -#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 -msgid "Set your location" -msgstr "La tua posizione" - -#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 -msgid "set location" -msgstr "posizione" - -#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 -msgid "Clear browser location" -msgstr "Rimuovi la localizzazione data dal browser" - -#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 -msgid "clear location" -msgstr "canc. pos." - -#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 -msgid "Permission settings" -msgstr "Impostazioni permessi" - -#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 -msgid "CC: email addresses" -msgstr "CC: indirizzi email" - -#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 -msgid "Public post" -msgstr "Messaggio pubblico" - -#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 -msgid "Set title" -msgstr "Scegli un titolo" - -#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 -msgid "Categories (comma-separated list)" -msgstr "Categorie (lista separata da virgola)" - -#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Esempio: bob@example.com, mary@example.com" - -#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 -#: ../../mod/profiles.php:133 ../../mod/profiles.php:162 -#: ../../mod/profiles.php:589 -msgid "Profile not found." -msgstr "Profilo non trovato." - -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata." - -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "Errore di comunicazione con l'altro sito." - -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "La risposta dell'altro sito non può essere gestita: " - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "Conferma completata con successo." - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "Il sito remoto riporta: " - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "Problema temporaneo. Attendi e riprova." - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "La presentazione ha generato un errore o è stata revocata." - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "Impossibile impostare la foto del contatto." - -#: ../../mod/dfrn_confirm.php:486 ../../include/diaspora.php:620 -#: ../../include/conversation.php:172 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s e %2$s adesso sono amici" - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "Nessun utente trovato '%s'" - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "La nostra chiave di criptazione del sito sembra essere corrotta." - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo." - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "Il contatto non è stato trovato sul nostro sito." - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "La chiave pubblica del sito non è disponibile per l'URL %s" - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare." - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "Impossibile impostare le credenziali del tuo contatto sul nostro sistema." - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema" - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s si è unito a %2$s" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Titolo e ora di inizio dell'evento sono richiesti." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l j F" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Modifca l'evento" - -#: ../../mod/events.php:335 ../../include/text.php:1644 -#: ../../include/text.php:1654 -msgid "link to source" -msgstr "Collegamento all'originale" - -#: ../../mod/events.php:370 ../../view/theme/diabook/theme.php:127 -#: ../../boot.php:2114 ../../include/nav.php:80 -msgid "Events" -msgstr "Eventi" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Crea un nuovo evento" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Precendente" - -#: ../../mod/events.php:373 ../../mod/install.php:207 -msgid "Next" -msgstr "Successivo" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "ora:minuti" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Dettagli dell'evento" - -#: ../../mod/events.php:457 -#, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "Il formato è %s %s. Data di inizio e Titolo sono richiesti." - -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "L'evento inizia:" - -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Richiesto" - -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "La data/ora di fine non è definita" - -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "L'evento finisce:" - -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "Visualizza con il fuso orario di chi legge" - -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Descrizione:" - -#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1622 -#: ../../include/event.php:40 ../../include/bb2diaspora.php:156 -msgid "Location:" -msgstr "Posizione:" - -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Titolo:" - -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Condividi questo evento" - -#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:126 -#: ../../boot.php:2097 ../../include/nav.php:78 -msgid "Photos" -msgstr "Foto" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "File" - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Benvenuto su %s" - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Informazioni remote sulla privacy non disponibili." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Visibile a:" - -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Numero giornaliero di messaggi per %s superato. Invio fallito." - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Impossibile controllare la tua posizione di origine." - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Nessun destinatario." - -#: ../../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 "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti." - -#: ../../mod/nogroup.php:40 ../../mod/contacts.php:479 -#: ../../mod/contacts.php:671 ../../mod/viewcontacts.php:62 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Visita il profilo di %s [%s]" - -#: ../../mod/nogroup.php:41 ../../mod/contacts.php:672 -msgid "Edit contact" -msgstr "Modifca contatto" - -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Contatti che non sono membri di un gruppo" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Questo è Friendica, versione" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "in esecuzione all'indirizzo web" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Visita Friendica.com per saperne di più sul progetto Friendica." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Segnalazioni di bug e problemi: visita" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "Plugin/addon/applicazioni instalate" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "Nessun plugin/addons/applicazione installata" - -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Rimuovi il mio account" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo." - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Inserisci la tua password per verifica:" - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "La dimensione dell'immagine supera il limite di %d" - -#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Impossibile caricare l'immagine." - -#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 -#: ../../mod/wall_upload.php:185 ../../mod/item.php:465 -#: ../../include/message.php:144 ../../include/Photo.php:911 -#: ../../include/Photo.php:926 ../../include/Photo.php:933 -#: ../../include/Photo.php:955 -msgid "Wall Photos" -msgstr "Foto della bacheca" - -#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Caricamento immagine fallito." - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Autorizza la connessione dell'applicazione" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Torna alla tua applicazione e inserisci questo codice di sicurezza:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Effettua il login per continuare." - -#: ../../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 "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" - -#: ../../mod/tagger.php:95 ../../include/conversation.php:266 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s ha taggato %3$s di %2$s con %4$s" - -#: ../../mod/photos.php:52 ../../boot.php:2100 -msgid "Photo Albums" -msgstr "Album foto" - -#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 -#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 -#: ../../view/theme/diabook/theme.php:499 -msgid "Contact Photos" -msgstr "Foto dei contatti" - -#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 -msgid "Upload New Photos" -msgstr "Carica nuove foto" - -#: ../../mod/photos.php:80 ../../mod/settings.php:29 -msgid "everybody" -msgstr "tutti" - -#: ../../mod/photos.php:144 -msgid "Contact information unavailable" -msgstr "I dati di questo contatto non sono disponibili" - -#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 -#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 ../../view/theme/diabook/theme.php:500 -#: ../../include/user.php:335 ../../include/user.php:342 -#: ../../include/user.php:349 -msgid "Profile Photos" -msgstr "Foto del profilo" - -#: ../../mod/photos.php:165 -msgid "Album not found." -msgstr "Album non trovato." - -#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 -msgid "Delete Album" -msgstr "Rimuovi album" - -#: ../../mod/photos.php:198 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Vuoi davvero cancellare questo album e tutte le sue foto?" - -#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 -msgid "Delete Photo" -msgstr "Rimuovi foto" - -#: ../../mod/photos.php:287 -msgid "Do you really want to delete this photo?" -msgstr "Vuoi veramente cancellare questa foto?" - -#: ../../mod/photos.php:662 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s è stato taggato in %2$s da %3$s" - -#: ../../mod/photos.php:662 -msgid "a photo" -msgstr "una foto" - -#: ../../mod/photos.php:767 -msgid "Image exceeds size limit of " -msgstr "L'immagine supera il limite di" - -#: ../../mod/photos.php:775 -msgid "Image file is empty." -msgstr "Il file dell'immagine è vuoto." - -#: ../../mod/photos.php:930 -msgid "No photos selected" -msgstr "Nessuna foto selezionata" - -#: ../../mod/photos.php:1031 ../../mod/videos.php:226 -msgid "Access to this item is restricted." -msgstr "Questo oggetto non è visibile a tutti." - -#: ../../mod/photos.php:1094 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "Hai usato %1$.2f MBytes su %2$.2f disponibili." - -#: ../../mod/photos.php:1129 -msgid "Upload Photos" -msgstr "Carica foto" - -#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 -msgid "New album name: " -msgstr "Nome nuovo album: " - -#: ../../mod/photos.php:1134 -msgid "or existing album name: " -msgstr "o nome di un album esistente: " - -#: ../../mod/photos.php:1135 -msgid "Do not show a status post for this upload" -msgstr "Non creare un post per questo upload" - -#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 -msgid "Permissions" -msgstr "Permessi" - -#: ../../mod/photos.php:1146 ../../mod/photos.php:1517 -#: ../../mod/settings.php:1145 -msgid "Show to Groups" -msgstr "Mostra ai gruppi" - -#: ../../mod/photos.php:1147 ../../mod/photos.php:1518 -#: ../../mod/settings.php:1146 -msgid "Show to Contacts" -msgstr "Mostra ai contatti" - -#: ../../mod/photos.php:1148 -msgid "Private Photo" -msgstr "Foto privata" - -#: ../../mod/photos.php:1149 -msgid "Public Photo" -msgstr "Foto pubblica" - -#: ../../mod/photos.php:1216 -msgid "Edit Album" -msgstr "Modifica album" - -#: ../../mod/photos.php:1222 -msgid "Show Newest First" -msgstr "Mostra nuove foto per prime" - -#: ../../mod/photos.php:1224 -msgid "Show Oldest First" -msgstr "Mostra vecchie foto per prime" - -#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 -msgid "View Photo" -msgstr "Vedi foto" - -#: ../../mod/photos.php:1292 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." - -#: ../../mod/photos.php:1294 -msgid "Photo not available" -msgstr "Foto non disponibile" - -#: ../../mod/photos.php:1350 -msgid "View photo" -msgstr "Vedi foto" - -#: ../../mod/photos.php:1350 -msgid "Edit photo" -msgstr "Modifica foto" - -#: ../../mod/photos.php:1351 -msgid "Use as profile photo" -msgstr "Usa come foto del profilo" - -#: ../../mod/photos.php:1376 -msgid "View Full Size" -msgstr "Vedi dimensione intera" - -#: ../../mod/photos.php:1455 -msgid "Tags: " -msgstr "Tag: " - -#: ../../mod/photos.php:1458 -msgid "[Remove any tag]" -msgstr "[Rimuovi tutti i tag]" - -#: ../../mod/photos.php:1498 -msgid "Rotate CW (right)" -msgstr "Ruota a destra" - -#: ../../mod/photos.php:1499 -msgid "Rotate CCW (left)" -msgstr "Ruota a sinistra" - -#: ../../mod/photos.php:1501 -msgid "New album name" -msgstr "Nuovo nome dell'album" - -#: ../../mod/photos.php:1504 -msgid "Caption" -msgstr "Titolo" - -#: ../../mod/photos.php:1506 -msgid "Add a Tag" -msgstr "Aggiungi tag" - -#: ../../mod/photos.php:1510 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" - -#: ../../mod/photos.php:1519 -msgid "Private photo" -msgstr "Foto privata" - -#: ../../mod/photos.php:1520 -msgid "Public photo" -msgstr "Foto pubblica" - -#: ../../mod/photos.php:1542 ../../include/conversation.php:1090 -msgid "Share" -msgstr "Condividi" - -#: ../../mod/photos.php:1806 ../../mod/videos.php:308 -msgid "View Album" -msgstr "Sfoglia l'album" - -#: ../../mod/photos.php:1815 -msgid "Recent Photos" -msgstr "Foto recenti" - -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "Nessun profilo" - -#: ../../mod/register.php:90 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrazione completata. Controlla la tua mail per ulteriori informazioni." - -#: ../../mod/register.php:96 -#, 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 -msgid "Your registration can not be processed." -msgstr "La tua registrazione non puo' essere elaborata." - -#: ../../mod/register.php:148 -msgid "Your registration is pending approval by the site owner." -msgstr "La tua richiesta è in attesa di approvazione da parte del prorietario del sito." - -#: ../../mod/register.php:186 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani." - -#: ../../mod/register.php:214 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'." - -#: ../../mod/register.php:215 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera." - -#: ../../mod/register.php:216 -msgid "Your OpenID (optional): " -msgstr "Il tuo OpenID (opzionale): " - -#: ../../mod/register.php:230 -msgid "Include your profile in member directory?" -msgstr "Includi il tuo profilo nell'elenco pubblico?" - -#: ../../mod/register.php:251 -msgid "Membership on this site is by invitation only." -msgstr "La registrazione su questo sito è solo su invito." - -#: ../../mod/register.php:252 -msgid "Your invitation ID: " -msgstr "L'ID del tuo invito:" - -#: ../../mod/register.php:263 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "Il tuo nome completo (es. Mario Rossi): " - -#: ../../mod/register.php:264 -msgid "Your Email Address: " -msgstr "Il tuo indirizzo email: " - -#: ../../mod/register.php:265 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@$sitename'." - -#: ../../mod/register.php:266 -msgid "Choose a nickname: " -msgstr "Scegli un nome utente: " - -#: ../../mod/register.php:269 ../../boot.php:1215 ../../include/nav.php:109 -msgid "Register" -msgstr "Registrati" - -#: ../../mod/register.php:275 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Importa" - -#: ../../mod/register.php:276 -msgid "Import your profile to this friendica instance" -msgstr "Importa il tuo profilo in questo server friendica" - -#: ../../mod/lostpass.php:19 -msgid "No valid account found." -msgstr "Nessun account valido trovato." - -#: ../../mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "La richiesta per reimpostare la password è stata inviata. Controlla la tua email." - -#: ../../mod/lostpass.php:42 -#, 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 "\nGentile %1$s,\n abbiamo ricevuto su \"%2$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica." - -#: ../../mod/lostpass.php:53 -#, 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 "\nSegui questo link per verificare la tua identità:\n\n%1$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2$s\n Nome utente: %3$s" - -#: ../../mod/lostpass.php:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "Richiesta reimpostazione password su %s" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita." - -#: ../../mod/lostpass.php:109 ../../boot.php:1254 -msgid "Password Reset" -msgstr "Reimpostazione password" - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "La tua password è stata reimpostata come richiesto." - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "La tua nuova password è" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Salva o copia la tua nuova password, quindi" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "clicca qui per entrare" - -#: ../../mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso." - -#: ../../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 "\nGentile %1$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare." - -#: ../../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 "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato." - -#: ../../mod/lostpass.php:147 -#, php-format -msgid "Your password has been changed at %s" -msgstr "La tua password presso %s è stata cambiata" - -#: ../../mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Hai dimenticato la password?" - -#: ../../mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Inserisci il tuo indirizzo email per reimpostare la password." - -#: ../../mod/lostpass.php:161 -msgid "Nickname or Email: " -msgstr "Nome utente o email: " - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "Reimposta" - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "Sistema in manutenzione" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Oggetto non disponibile." - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Oggetto non trovato." - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Applicazioni" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Nessuna applicazione installata." - -#: ../../mod/help.php:79 -msgid "Help:" -msgstr "Guida:" - -#: ../../mod/help.php:84 ../../include/nav.php:114 -msgid "Help" -msgstr "Guida" - -#: ../../mod/contacts.php:107 +#: ../../mod/contacts.php:108 #, php-format msgid "%d contact edited." msgid_plural "%d contacts edited" msgstr[0] "%d contatto modificato" msgstr[1] "%d contatti modificati" -#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 +#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 msgid "Could not access contact record." msgstr "Non è possibile accedere al contatto." -#: ../../mod/contacts.php:152 +#: ../../mod/contacts.php:153 msgid "Could not locate selected profile." msgstr "Non riesco a trovare il profilo selezionato." -#: ../../mod/contacts.php:181 +#: ../../mod/contacts.php:186 msgid "Contact updated." msgstr "Contatto aggiornato." -#: ../../mod/contacts.php:282 +#: ../../mod/contacts.php:188 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." +msgstr "Errore nell'aggiornamento del contatto." + +#: ../../mod/contacts.php:254 ../../mod/manage.php:96 +#: ../../mod/display.php:499 ../../mod/profile_photo.php:19 +#: ../../mod/profile_photo.php:169 ../../mod/profile_photo.php:180 +#: ../../mod/profile_photo.php:193 ../../mod/follow.php:9 +#: ../../mod/item.php:168 ../../mod/item.php:184 ../../mod/group.php:19 +#: ../../mod/dfrn_confirm.php:55 ../../mod/fsuggest.php:78 +#: ../../mod/wall_upload.php:66 ../../mod/viewcontacts.php:24 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/crepair.php:119 +#: ../../mod/nogroup.php:25 ../../mod/network.php:4 ../../mod/allfriends.php:9 +#: ../../mod/events.php:140 ../../mod/install.php:151 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/wall_attach.php:55 ../../mod/settings.php:102 +#: ../../mod/settings.php:596 ../../mod/settings.php:601 +#: ../../mod/register.php:42 ../../mod/delegate.php:12 ../../mod/mood.php:114 +#: ../../mod/suggest.php:58 ../../mod/profiles.php:165 +#: ../../mod/profiles.php:618 ../../mod/editpost.php:10 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/regmod.php:110 ../../mod/uimport.php:23 +#: ../../mod/attach.php:33 ../../include/items.php:4712 ../../index.php:369 +msgid "Permission denied." +msgstr "Permesso negato." + +#: ../../mod/contacts.php:287 msgid "Contact has been blocked" msgstr "Il contatto è stato bloccato" -#: ../../mod/contacts.php:282 +#: ../../mod/contacts.php:287 msgid "Contact has been unblocked" msgstr "Il contatto è stato sbloccato" -#: ../../mod/contacts.php:293 +#: ../../mod/contacts.php:298 msgid "Contact has been ignored" msgstr "Il contatto è ignorato" -#: ../../mod/contacts.php:293 +#: ../../mod/contacts.php:298 msgid "Contact has been unignored" msgstr "Il contatto non è più ignorato" -#: ../../mod/contacts.php:305 +#: ../../mod/contacts.php:310 msgid "Contact has been archived" msgstr "Il contatto è stato archiviato" -#: ../../mod/contacts.php:305 +#: ../../mod/contacts.php:310 msgid "Contact has been unarchived" msgstr "Il contatto è stato dearchiviato" -#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 +#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 msgid "Do you really want to delete this contact?" msgstr "Vuoi veramente cancellare questo contatto?" -#: ../../mod/contacts.php:347 +#: ../../mod/contacts.php:337 ../../mod/message.php:209 +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:233 ../../mod/suggest.php:29 +#: ../../mod/profiles.php:661 ../../mod/profiles.php:664 ../../mod/api.php:105 +#: ../../include/items.php:4557 +msgid "Yes" +msgstr "Si" + +#: ../../mod/contacts.php:340 ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 +#: ../../mod/message.php:212 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/settings.php:615 +#: ../../mod/settings.php:641 ../../mod/dfrn_request.php:844 +#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 +#: ../../include/conversation.php:1129 ../../include/items.php:4560 +msgid "Cancel" +msgstr "Annulla" + +#: ../../mod/contacts.php:352 msgid "Contact has been removed." msgstr "Il contatto è stato rimosso." -#: ../../mod/contacts.php:385 +#: ../../mod/contacts.php:390 #, php-format msgid "You are mutual friends with %s" msgstr "Sei amico reciproco con %s" -#: ../../mod/contacts.php:389 +#: ../../mod/contacts.php:394 #, php-format msgid "You are sharing with %s" msgstr "Stai condividendo con %s" -#: ../../mod/contacts.php:394 +#: ../../mod/contacts.php:399 #, php-format msgid "%s is sharing with you" msgstr "%s sta condividendo con te" -#: ../../mod/contacts.php:411 +#: ../../mod/contacts.php:416 msgid "Private communications are not available for this contact." msgstr "Le comunicazioni private non sono disponibili per questo contatto." -#: ../../mod/contacts.php:418 +#: ../../mod/contacts.php:419 ../../mod/admin.php:569 +msgid "Never" +msgstr "Mai" + +#: ../../mod/contacts.php:423 msgid "(Update was successful)" msgstr "(L'aggiornamento è stato completato)" -#: ../../mod/contacts.php:418 +#: ../../mod/contacts.php:423 msgid "(Update was not successful)" msgstr "(L'aggiornamento non è stato completato)" -#: ../../mod/contacts.php:420 +#: ../../mod/contacts.php:425 msgid "Suggest friends" msgstr "Suggerisci amici" -#: ../../mod/contacts.php:424 +#: ../../mod/contacts.php:429 #, php-format msgid "Network type: %s" msgstr "Tipo di rete: %s" -#: ../../mod/contacts.php:427 ../../include/contact_widgets.php:200 +#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 #, php-format msgid "%d contact in common" msgid_plural "%d contacts in common" msgstr[0] "%d contatto in comune" msgstr[1] "%d contatti in comune" -#: ../../mod/contacts.php:432 +#: ../../mod/contacts.php:437 msgid "View all contacts" msgstr "Vedi tutti i contatti" -#: ../../mod/contacts.php:440 +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1009 +msgid "Unblock" +msgstr "Sblocca" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1008 +msgid "Block" +msgstr "Blocca" + +#: ../../mod/contacts.php:445 msgid "Toggle Blocked status" msgstr "Inverti stato \"Blocca\"" -#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 -#: ../../mod/contacts.php:707 +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 msgid "Unignore" msgstr "Non ignorare" -#: ../../mod/contacts.php:446 +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 +#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 +msgid "Ignore" +msgstr "Ignora" + +#: ../../mod/contacts.php:451 msgid "Toggle Ignored status" msgstr "Inverti stato \"Ignora\"" -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 msgid "Unarchive" msgstr "Dearchivia" -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 msgid "Archive" msgstr "Archivia" -#: ../../mod/contacts.php:453 +#: ../../mod/contacts.php:458 msgid "Toggle Archive status" msgstr "Inverti stato \"Archiviato\"" -#: ../../mod/contacts.php:456 +#: ../../mod/contacts.php:461 msgid "Repair" msgstr "Ripara" -#: ../../mod/contacts.php:459 +#: ../../mod/contacts.php:464 msgid "Advanced Contact Settings" msgstr "Impostazioni avanzate Contatto" -#: ../../mod/contacts.php:465 +#: ../../mod/contacts.php:470 msgid "Communications lost with this contact!" msgstr "Comunicazione con questo contatto persa!" -#: ../../mod/contacts.php:468 +#: ../../mod/contacts.php:473 msgid "Contact Editor" msgstr "Editor dei Contatti" -#: ../../mod/contacts.php:471 +#: ../../mod/contacts.php:475 ../../mod/manage.php:110 +#: ../../mod/fsuggest.php:107 ../../mod/message.php:335 +#: ../../mod/message.php:564 ../../mod/crepair.php:186 +#: ../../mod/events.php:478 ../../mod/content.php:710 +#: ../../mod/install.php:248 ../../mod/install.php:286 ../../mod/mood.php:137 +#: ../../mod/profiles.php:686 ../../mod/localtime.php:45 +#: ../../mod/poke.php:199 ../../mod/invite.php:140 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 +#: ../../mod/photos.php:1697 ../../object/Item.php:678 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/dispy/config.php:70 ../../view/theme/quattro/config.php:64 +#: ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 ../../view/theme/vier/config.php:53 +#: ../../view/theme/duepuntozero/config.php:59 +msgid "Submit" +msgstr "Invia" + +#: ../../mod/contacts.php:476 msgid "Profile Visibility" msgstr "Visibilità del profilo" -#: ../../mod/contacts.php:472 +#: ../../mod/contacts.php:477 #, php-format msgid "" "Please choose the profile you would like to display to %s when viewing your " "profile securely." msgstr "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro." -#: ../../mod/contacts.php:473 +#: ../../mod/contacts.php:478 msgid "Contact Information / Notes" msgstr "Informazioni / Note sul contatto" -#: ../../mod/contacts.php:474 +#: ../../mod/contacts.php:479 msgid "Edit contact notes" msgstr "Modifica note contatto" -#: ../../mod/contacts.php:480 +#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 +#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Visita il profilo di %s [%s]" + +#: ../../mod/contacts.php:485 msgid "Block/Unblock contact" msgstr "Blocca/Sblocca contatto" -#: ../../mod/contacts.php:481 +#: ../../mod/contacts.php:486 msgid "Ignore contact" msgstr "Ignora il contatto" -#: ../../mod/contacts.php:482 +#: ../../mod/contacts.php:487 msgid "Repair URL settings" msgstr "Impostazioni riparazione URL" -#: ../../mod/contacts.php:483 +#: ../../mod/contacts.php:488 msgid "View conversations" msgstr "Vedi conversazioni" -#: ../../mod/contacts.php:485 +#: ../../mod/contacts.php:490 msgid "Delete contact" msgstr "Rimuovi contatto" -#: ../../mod/contacts.php:489 +#: ../../mod/contacts.php:494 msgid "Last update:" msgstr "Ultimo aggiornamento:" -#: ../../mod/contacts.php:491 +#: ../../mod/contacts.php:496 msgid "Update public posts" msgstr "Aggiorna messaggi pubblici" -#: ../../mod/contacts.php:500 +#: ../../mod/contacts.php:498 ../../mod/admin.php:1503 +msgid "Update now" +msgstr "Aggiorna adesso" + +#: ../../mod/contacts.php:505 msgid "Currently blocked" msgstr "Bloccato" -#: ../../mod/contacts.php:501 +#: ../../mod/contacts.php:506 msgid "Currently ignored" msgstr "Ignorato" -#: ../../mod/contacts.php:502 +#: ../../mod/contacts.php:507 msgid "Currently archived" msgstr "Al momento archiviato" -#: ../../mod/contacts.php:503 +#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 +#: ../../mod/notifications.php:204 +msgid "Hide this contact from others" +msgstr "Nascondi questo contatto agli altri" + +#: ../../mod/contacts.php:508 msgid "" "Replies/likes to your public posts may still be visible" msgstr "Risposte ai tuoi post pubblici possono essere comunque visibili" -#: ../../mod/contacts.php:504 +#: ../../mod/contacts.php:509 msgid "Notification for new posts" msgstr "Notifica per i nuovi messaggi" -#: ../../mod/contacts.php:504 +#: ../../mod/contacts.php:509 msgid "Send a notification of every new post of this contact" msgstr "Invia una notifica per ogni nuovo messaggio di questo contatto" -#: ../../mod/contacts.php:505 +#: ../../mod/contacts.php:510 msgid "Fetch further information for feeds" msgstr "Recupera maggiori infomazioni per i feed" -#: ../../mod/contacts.php:556 +#: ../../mod/contacts.php:511 +msgid "Disabled" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Fetch information" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Fetch information and keywords" +msgstr "" + +#: ../../mod/contacts.php:513 +msgid "Blacklisted keywords" +msgstr "" + +#: ../../mod/contacts.php:513 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "" + +#: ../../mod/contacts.php:564 msgid "Suggestions" msgstr "Suggerimenti" -#: ../../mod/contacts.php:559 +#: ../../mod/contacts.php:567 msgid "Suggest potential friends" msgstr "Suggerisci potenziali amici" -#: ../../mod/contacts.php:562 ../../mod/group.php:194 +#: ../../mod/contacts.php:570 ../../mod/group.php:194 msgid "All Contacts" msgstr "Tutti i contatti" -#: ../../mod/contacts.php:565 +#: ../../mod/contacts.php:573 msgid "Show all contacts" msgstr "Mostra tutti i contatti" -#: ../../mod/contacts.php:568 +#: ../../mod/contacts.php:576 msgid "Unblocked" msgstr "Sbloccato" -#: ../../mod/contacts.php:571 +#: ../../mod/contacts.php:579 msgid "Only show unblocked contacts" msgstr "Mostra solo contatti non bloccati" -#: ../../mod/contacts.php:575 +#: ../../mod/contacts.php:583 msgid "Blocked" msgstr "Bloccato" -#: ../../mod/contacts.php:578 +#: ../../mod/contacts.php:586 msgid "Only show blocked contacts" msgstr "Mostra solo contatti bloccati" -#: ../../mod/contacts.php:582 +#: ../../mod/contacts.php:590 msgid "Ignored" msgstr "Ignorato" -#: ../../mod/contacts.php:585 +#: ../../mod/contacts.php:593 msgid "Only show ignored contacts" msgstr "Mostra solo contatti ignorati" -#: ../../mod/contacts.php:589 +#: ../../mod/contacts.php:597 msgid "Archived" msgstr "Achiviato" -#: ../../mod/contacts.php:592 +#: ../../mod/contacts.php:600 msgid "Only show archived contacts" msgstr "Mostra solo contatti archiviati" -#: ../../mod/contacts.php:596 +#: ../../mod/contacts.php:604 msgid "Hidden" msgstr "Nascosto" -#: ../../mod/contacts.php:599 +#: ../../mod/contacts.php:607 msgid "Only show hidden contacts" msgstr "Mostra solo contatti nascosti" -#: ../../mod/contacts.php:647 +#: ../../mod/contacts.php:655 msgid "Mutual Friendship" msgstr "Amicizia reciproca" -#: ../../mod/contacts.php:651 +#: ../../mod/contacts.php:659 msgid "is a fan of yours" msgstr "è un tuo fan" -#: ../../mod/contacts.php:655 +#: ../../mod/contacts.php:663 msgid "you are a fan of" msgstr "sei un fan di" -#: ../../mod/contacts.php:694 ../../view/theme/diabook/theme.php:125 -#: ../../include/nav.php:175 +#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "Modifca contatto" + +#: ../../mod/contacts.php:702 ../../include/nav.php:177 +#: ../../view/theme/diabook/theme.php:125 msgid "Contacts" msgstr "Contatti" -#: ../../mod/contacts.php:698 +#: ../../mod/contacts.php:706 msgid "Search your contacts" msgstr "Cerca nei tuoi contatti" -#: ../../mod/contacts.php:699 ../../mod/directory.php:61 +#: ../../mod/contacts.php:707 ../../mod/directory.php:61 msgid "Finding: " msgstr "Ricerca: " -#: ../../mod/contacts.php:700 ../../mod/directory.php:63 +#: ../../mod/contacts.php:708 ../../mod/directory.php:63 #: ../../include/contact_widgets.php:34 msgid "Find" msgstr "Trova" -#: ../../mod/contacts.php:705 ../../mod/settings.php:132 -#: ../../mod/settings.php:637 +#: ../../mod/contacts.php:713 ../../mod/settings.php:132 +#: ../../mod/settings.php:640 msgid "Update" msgstr "Aggiorna" -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "Nessun video selezionato" - -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Video Recenti" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Carica Nuovo Video" - -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Amici in comune" - -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Nessun contatto in comune." - -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Contatto aggiunto" - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Muovi account" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Puoi importare un account da un altro server Friendica." - -#: ../../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 "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui." - -#: ../../mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora" - -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "File account" - -#: ../../mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\"" - -#: ../../mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s sta seguendo %3$s di %2$s" - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "Amici di %s" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "Nessun amico da visualizzare." - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Tag rimosso" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Rimuovi il tag" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Seleziona un tag da rimuovere: " - -#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 -msgid "Remove" +#: ../../mod/contacts.php:717 ../../mod/group.php:171 ../../mod/admin.php:1007 +#: ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../mod/settings.php:677 ../../mod/photos.php:1654 +#: ../../object/Item.php:130 ../../include/conversation.php:614 +msgid "Delete" msgstr "Rimuovi" +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Nessun profilo" + +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Gestisci indentità e/o pagine" + +#: ../../mod/manage.php:107 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione" + +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Seleziona un'identità da gestire:" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Inviato!" + +#: ../../mod/profperm.php:19 ../../mod/group.php:72 ../../index.php:368 +msgid "Permission denied" +msgstr "Permesso negato" + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Indentificativo del profilo non valido." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Modifica visibilità del profilo" + +#: ../../mod/profperm.php:103 ../../mod/newmember.php:32 ../../boot.php:2119 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Profile" +msgstr "Profilo" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "Clicca su un contatto per aggiungerlo o rimuoverlo." + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Visibile a" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Tutti i contatti (con profilo ad accesso sicuro)" + +#: ../../mod/display.php:82 ../../mod/display.php:284 +#: ../../mod/display.php:503 ../../mod/viewsrc.php:15 ../../mod/admin.php:169 +#: ../../mod/admin.php:1052 ../../mod/admin.php:1265 ../../mod/notice.php:15 +#: ../../include/items.php:4516 +msgid "Item not found." +msgstr "Elemento non trovato." + +#: ../../mod/display.php:212 ../../mod/videos.php:115 +#: ../../mod/viewcontacts.php:19 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:762 ../../mod/search.php:89 +#: ../../mod/directory.php:33 ../../mod/photos.php:920 +msgid "Public access denied." +msgstr "Accesso negato." + +#: ../../mod/display.php:332 ../../mod/profile.php:155 +msgid "Access to this profile has been restricted." +msgstr "L'accesso a questo profilo è stato limitato." + +#: ../../mod/display.php:496 +msgid "Item has been removed." +msgstr "L'oggetto è stato rimosso." + #: ../../mod/newmember.php:6 msgid "Welcome to Friendica" msgstr "Benvenuto su Friendica" @@ -3255,6 +574,13 @@ msgid "" " join." msgstr "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti." +#: ../../mod/newmember.php:22 ../../mod/admin.php:1104 +#: ../../mod/admin.php:1325 ../../mod/settings.php:85 +#: ../../include/nav.php:172 ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 +msgid "Settings" +msgstr "Impostazioni" + #: ../../mod/newmember.php:26 msgid "Go to Your Settings" msgstr "Vai alle tue Impostazioni" @@ -3274,15 +600,8 @@ msgid "" "potential friends know exactly how to find you." msgstr "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti." -#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2090 -#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 -#: ../../include/nav.php:77 -msgid "Profile" -msgstr "Profilo" - -#: ../../mod/newmember.php:36 ../../mod/profiles.php:658 -#: ../../mod/profile_photo.php:244 +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +#: ../../mod/profiles.php:699 msgid "Upload Profile Photo" msgstr "Carica la foto del profilo" @@ -3422,1082 +741,543 @@ msgid "" " features and resources." msgstr "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse." -#: ../../mod/search.php:21 ../../mod/network.php:179 -msgid "Remove term" -msgstr "Rimuovi termine" +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "Errore protocollo OpenID. Nessun ID ricevuto." -#: ../../mod/search.php:30 ../../mod/network.php:188 -#: ../../include/features.php:42 -msgid "Saved Searches" -msgstr "Ricerche salvate" +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito." -#: ../../mod/search.php:99 ../../include/text.php:952 -#: ../../include/text.php:953 ../../include/nav.php:119 -msgid "Search" -msgstr "Cerca" +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "Accesso fallito." -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Nessun risultato." +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "L'immagine è stata caricata, ma il non è stato possibile ritagliarla." -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Limite totale degli inviti superato." +#: ../../mod/profile_photo.php:74 ../../mod/profile_photo.php:81 +#: ../../mod/profile_photo.php:88 ../../mod/profile_photo.php:204 +#: ../../mod/profile_photo.php:296 ../../mod/profile_photo.php:305 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1187 +#: ../../mod/photos.php:1210 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../view/theme/diabook/theme.php:500 +msgid "Profile Photos" +msgstr "Foto del profilo" -#: ../../mod/invite.php:49 +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 #, php-format -msgid "%s : Not a valid email address." -msgstr "%s: non è un indirizzo email valido." +msgid "Image size reduction [%s] failed." +msgstr "Il ridimensionamento del'immagine [%s] è fallito." -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Unisiciti a noi su Friendica" +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente." -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limite degli inviti superato. Contatta l'amministratore del tuo sito." +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Impossibile elaborare l'immagine" -#: ../../mod/invite.php:89 +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:122 #, php-format -msgid "%s : Message delivery failed." -msgstr "%s: la consegna del messaggio fallita." +msgid "Image exceeds size limit of %d" +msgstr "La dimensione dell'immagine supera il limite di %d" -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d messaggio inviato." -msgstr[1] "%d messaggi inviati." +#: ../../mod/profile_photo.php:153 ../../mod/wall_upload.php:144 +#: ../../mod/photos.php:807 +msgid "Unable to process image." +msgstr "Impossibile caricare l'immagine." -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Non hai altri inviti disponibili" +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Carica un file:" -#: ../../mod/invite.php:120 -#, 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 "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network." +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Seleziona un profilo:" -#: ../../mod/invite.php:122 -#, php-format -msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico." +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "Carica" -#: ../../mod/invite.php:123 -#, 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 "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti." - -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Invia inviti" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Inserisci gli indirizzi email, uno per riga:" - -#: ../../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 "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Sarà necessario fornire questo codice invito: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Una volta registrato, connettiti con me dal mio profilo:" - -#: ../../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 "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com" - -#: ../../mod/settings.php:41 -msgid "Additional features" -msgstr "Funzionalità aggiuntive" - -#: ../../mod/settings.php:46 -msgid "Display" -msgstr "Visualizzazione" - -#: ../../mod/settings.php:52 ../../mod/settings.php:777 -msgid "Social Networks" -msgstr "Social Networks" - -#: ../../mod/settings.php:62 ../../include/nav.php:168 -msgid "Delegations" -msgstr "Delegazioni" - -#: ../../mod/settings.php:67 -msgid "Connected apps" -msgstr "Applicazioni collegate" - -#: ../../mod/settings.php:72 ../../mod/uexport.php:85 -msgid "Export personal data" -msgstr "Esporta dati personali" - -#: ../../mod/settings.php:77 -msgid "Remove account" -msgstr "Rimuovi account" - -#: ../../mod/settings.php:129 -msgid "Missing some important data!" -msgstr "Mancano alcuni dati importanti!" - -#: ../../mod/settings.php:238 -msgid "Failed to connect with email account using the settings provided." -msgstr "Impossibile collegarsi all'account email con i parametri forniti." - -#: ../../mod/settings.php:243 -msgid "Email settings updated." -msgstr "Impostazioni e-mail aggiornate." - -#: ../../mod/settings.php:258 -msgid "Features updated" -msgstr "Funzionalità aggiornate" - -#: ../../mod/settings.php:321 -msgid "Relocate message has been send to your contacts" -msgstr "Il messaggio di trasloco è stato inviato ai tuoi contatti" - -#: ../../mod/settings.php:335 -msgid "Passwords do not match. Password unchanged." -msgstr "Le password non corrispondono. Password non cambiata." - -#: ../../mod/settings.php:340 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Le password non possono essere vuote. Password non cambiata." - -#: ../../mod/settings.php:348 -msgid "Wrong password." -msgstr "Password sbagliata." - -#: ../../mod/settings.php:359 -msgid "Password changed." -msgstr "Password cambiata." - -#: ../../mod/settings.php:361 -msgid "Password update failed. Please try again." -msgstr "Aggiornamento password fallito. Prova ancora." - -#: ../../mod/settings.php:426 -msgid " Please use a shorter name." -msgstr " Usa un nome più corto." - -#: ../../mod/settings.php:428 -msgid " Name too short." -msgstr " Nome troppo corto." - -#: ../../mod/settings.php:437 -msgid "Wrong Password" -msgstr "Password Sbagliata" - -#: ../../mod/settings.php:442 -msgid " Not valid email." -msgstr " Email non valida." - -#: ../../mod/settings.php:448 -msgid " Cannot change to that email." -msgstr "Non puoi usare quella email." - -#: ../../mod/settings.php:503 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito." - -#: ../../mod/settings.php:507 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito." - -#: ../../mod/settings.php:537 -msgid "Settings updated." -msgstr "Impostazioni aggiornate." - -#: ../../mod/settings.php:610 ../../mod/settings.php:636 -#: ../../mod/settings.php:672 -msgid "Add application" -msgstr "Aggiungi applicazione" - -#: ../../mod/settings.php:614 ../../mod/settings.php:640 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Redirect" -msgstr "Redirect" - -#: ../../mod/settings.php:617 ../../mod/settings.php:643 -msgid "Icon url" -msgstr "Url icona" - -#: ../../mod/settings.php:628 -msgid "You can't edit this application." -msgstr "Non puoi modificare questa applicazione." - -#: ../../mod/settings.php:671 -msgid "Connected Apps" -msgstr "Applicazioni Collegate" - -#: ../../mod/settings.php:675 -msgid "Client key starts with" -msgstr "Chiave del client inizia con" - -#: ../../mod/settings.php:676 -msgid "No name" -msgstr "Nessun nome" - -#: ../../mod/settings.php:677 -msgid "Remove authorization" -msgstr "Rimuovi l'autorizzazione" - -#: ../../mod/settings.php:689 -msgid "No Plugin settings configured" -msgstr "Nessun plugin ha impostazioni modificabili" - -#: ../../mod/settings.php:697 -msgid "Plugin Settings" -msgstr "Impostazioni plugin" - -#: ../../mod/settings.php:711 -msgid "Off" -msgstr "Spento" - -#: ../../mod/settings.php:711 -msgid "On" -msgstr "Acceso" - -#: ../../mod/settings.php:719 -msgid "Additional Features" -msgstr "Funzionalità aggiuntive" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Il supporto integrato per la connettività con %s è %s" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "enabled" -msgstr "abilitato" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "disabled" -msgstr "disabilitato" - -#: ../../mod/settings.php:734 -msgid "StatusNet" -msgstr "StatusNet" - -#: ../../mod/settings.php:770 -msgid "Email access is disabled on this site." -msgstr "L'accesso email è disabilitato su questo sito." - -#: ../../mod/settings.php:782 -msgid "Email/Mailbox Setup" -msgstr "Impostazioni email" - -#: ../../mod/settings.php:783 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)" - -#: ../../mod/settings.php:784 -msgid "Last successful email check:" -msgstr "Ultimo controllo email eseguito con successo:" - -#: ../../mod/settings.php:786 -msgid "IMAP server name:" -msgstr "Nome server IMAP:" - -#: ../../mod/settings.php:787 -msgid "IMAP port:" -msgstr "Porta IMAP:" - -#: ../../mod/settings.php:788 -msgid "Security:" -msgstr "Sicurezza:" - -#: ../../mod/settings.php:788 ../../mod/settings.php:793 -msgid "None" -msgstr "Nessuna" - -#: ../../mod/settings.php:789 -msgid "Email login name:" -msgstr "Nome utente email:" - -#: ../../mod/settings.php:790 -msgid "Email password:" -msgstr "Password email:" - -#: ../../mod/settings.php:791 -msgid "Reply-to address:" -msgstr "Indirizzo di risposta:" - -#: ../../mod/settings.php:792 -msgid "Send public posts to all email contacts:" -msgstr "Invia i messaggi pubblici ai contatti email:" - -#: ../../mod/settings.php:793 -msgid "Action after import:" -msgstr "Azione post importazione:" - -#: ../../mod/settings.php:793 -msgid "Mark as seen" -msgstr "Segna come letto" - -#: ../../mod/settings.php:793 -msgid "Move to folder" -msgstr "Sposta nella cartella" - -#: ../../mod/settings.php:794 -msgid "Move to folder:" -msgstr "Sposta nella cartella:" - -#: ../../mod/settings.php:875 -msgid "Display Settings" -msgstr "Impostazioni Grafiche" - -#: ../../mod/settings.php:881 ../../mod/settings.php:896 -msgid "Display Theme:" -msgstr "Tema:" - -#: ../../mod/settings.php:882 -msgid "Mobile Theme:" -msgstr "Tema mobile:" - -#: ../../mod/settings.php:883 -msgid "Update browser every xx seconds" -msgstr "Aggiorna il browser ogni x secondi" - -#: ../../mod/settings.php:883 -msgid "Minimum of 10 seconds, no maximum" -msgstr "Minimo 10 secondi, nessun limite massimo" - -#: ../../mod/settings.php:884 -msgid "Number of items to display per page:" -msgstr "Numero di elementi da mostrare per pagina:" - -#: ../../mod/settings.php:884 ../../mod/settings.php:885 -msgid "Maximum of 100 items" -msgstr "Massimo 100 voci" - -#: ../../mod/settings.php:885 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:" - -#: ../../mod/settings.php:886 -msgid "Don't show emoticons" -msgstr "Non mostrare le emoticons" - -#: ../../mod/settings.php:887 -msgid "Don't show notices" -msgstr "Non mostrare gli avvisi" - -#: ../../mod/settings.php:888 -msgid "Infinite scroll" -msgstr "Scroll infinito" - -#: ../../mod/settings.php:889 -msgid "Automatic updates only at the top of the network page" -msgstr "Aggiornamenti automatici solo in cima alla pagina \"rete\"" - -#: ../../mod/settings.php:966 -msgid "User Types" -msgstr "Tipi di Utenti" - -#: ../../mod/settings.php:967 -msgid "Community Types" -msgstr "Tipi di Comunità" - -#: ../../mod/settings.php:968 -msgid "Normal Account Page" -msgstr "Pagina Account Normale" - -#: ../../mod/settings.php:969 -msgid "This account is a normal personal profile" -msgstr "Questo account è un normale profilo personale" - -#: ../../mod/settings.php:972 -msgid "Soapbox Page" -msgstr "Pagina Sandbox" - -#: ../../mod/settings.php:973 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca" - -#: ../../mod/settings.php:976 -msgid "Community Forum/Celebrity Account" -msgstr "Account Celebrità/Forum comunitario" - -#: ../../mod/settings.php:977 -msgid "" -"Automatically approve all connection/friend requests as read-write fans" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca" - -#: ../../mod/settings.php:980 -msgid "Automatic Friend Page" -msgstr "Pagina con amicizia automatica" - -#: ../../mod/settings.php:981 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico" - -#: ../../mod/settings.php:984 -msgid "Private Forum [Experimental]" -msgstr "Forum privato [sperimentale]" - -#: ../../mod/settings.php:985 -msgid "Private forum - approved members only" -msgstr "Forum privato - solo membri approvati" - -#: ../../mod/settings.php:997 -msgid "OpenID:" -msgstr "OpenID:" - -#: ../../mod/settings.php:997 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Opzionale) Consente di loggarti in questo account con questo OpenID" - -#: ../../mod/settings.php:1007 -msgid "Publish your default profile in your local site directory?" -msgstr "Pubblica il tuo profilo predefinito nell'elenco locale del sito" - -#: ../../mod/settings.php:1013 -msgid "Publish your default profile in the global social directory?" -msgstr "Pubblica il tuo profilo predefinito nell'elenco sociale globale" - -#: ../../mod/settings.php:1021 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito" - -#: ../../mod/settings.php:1025 ../../include/conversation.php:1057 -msgid "Hide your profile details from unknown viewers?" -msgstr "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?" - -#: ../../mod/settings.php:1030 -msgid "Allow friends to post to your profile page?" -msgstr "Permetti agli amici di scrivere sulla tua pagina profilo?" - -#: ../../mod/settings.php:1036 -msgid "Allow friends to tag your posts?" -msgstr "Permetti agli amici di taggare i tuoi messaggi?" - -#: ../../mod/settings.php:1042 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Ci permetti di suggerirti come potenziale amico ai nuovi membri?" - -#: ../../mod/settings.php:1048 -msgid "Permit unknown people to send you private mail?" -msgstr "Permetti a utenti sconosciuti di inviarti messaggi privati?" - -#: ../../mod/settings.php:1056 -msgid "Profile is not published." -msgstr "Il profilo non è pubblicato." - -#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 +#: ../../mod/profile_photo.php:248 ../../mod/settings.php:1062 msgid "or" msgstr "o" -#: ../../mod/settings.php:1064 -msgid "Your Identity Address is" -msgstr "L'indirizzo della tua identità è" - -#: ../../mod/settings.php:1075 -msgid "Automatically expire posts after this many days:" -msgstr "Fai scadere i post automaticamente dopo x giorni:" - -#: ../../mod/settings.php:1075 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Se lasciato vuoto, i messaggi non verranno cancellati." - -#: ../../mod/settings.php:1076 -msgid "Advanced expiration settings" -msgstr "Impostazioni avanzate di scandenza" - -#: ../../mod/settings.php:1077 -msgid "Advanced Expiration" -msgstr "Scadenza avanzata" - -#: ../../mod/settings.php:1078 -msgid "Expire posts:" -msgstr "Fai scadere i post:" - -#: ../../mod/settings.php:1079 -msgid "Expire personal notes:" -msgstr "Fai scadere le Note personali:" - -#: ../../mod/settings.php:1080 -msgid "Expire starred posts:" -msgstr "Fai scadere i post Speciali:" - -#: ../../mod/settings.php:1081 -msgid "Expire photos:" -msgstr "Fai scadere le foto:" - -#: ../../mod/settings.php:1082 -msgid "Only expire posts by others:" -msgstr "Fai scadere solo i post degli altri:" - -#: ../../mod/settings.php:1108 -msgid "Account Settings" -msgstr "Impostazioni account" - -#: ../../mod/settings.php:1116 -msgid "Password Settings" -msgstr "Impostazioni password" - -#: ../../mod/settings.php:1117 -msgid "New Password:" -msgstr "Nuova password:" - -#: ../../mod/settings.php:1118 -msgid "Confirm:" -msgstr "Conferma:" - -#: ../../mod/settings.php:1118 -msgid "Leave password fields blank unless changing" -msgstr "Lascia questi campi in bianco per non effettuare variazioni alla password" - -#: ../../mod/settings.php:1119 -msgid "Current Password:" -msgstr "Password Attuale:" - -#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 -msgid "Your current password to confirm the changes" -msgstr "La tua password attuale per confermare le modifiche" - -#: ../../mod/settings.php:1120 -msgid "Password:" -msgstr "Password:" - -#: ../../mod/settings.php:1124 -msgid "Basic Settings" -msgstr "Impostazioni base" - -#: ../../mod/settings.php:1125 ../../include/profile_advanced.php:15 -msgid "Full Name:" -msgstr "Nome completo:" - -#: ../../mod/settings.php:1126 -msgid "Email Address:" -msgstr "Indirizzo Email:" - -#: ../../mod/settings.php:1127 -msgid "Your Timezone:" -msgstr "Il tuo fuso orario:" - -#: ../../mod/settings.php:1128 -msgid "Default Post Location:" -msgstr "Località predefinita:" - -#: ../../mod/settings.php:1129 -msgid "Use Browser Location:" -msgstr "Usa la località rilevata dal browser:" - -#: ../../mod/settings.php:1132 -msgid "Security and Privacy Settings" -msgstr "Impostazioni di sicurezza e privacy" - -#: ../../mod/settings.php:1134 -msgid "Maximum Friend Requests/Day:" -msgstr "Numero massimo di richieste di amicizia al giorno:" - -#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 -msgid "(to prevent spam abuse)" -msgstr "(per prevenire lo spam)" - -#: ../../mod/settings.php:1135 -msgid "Default Post Permissions" -msgstr "Permessi predefiniti per i messaggi" - -#: ../../mod/settings.php:1136 -msgid "(click to open/close)" -msgstr "(clicca per aprire/chiudere)" - -#: ../../mod/settings.php:1147 -msgid "Default Private Post" -msgstr "Default Post Privato" - -#: ../../mod/settings.php:1148 -msgid "Default Public Post" -msgstr "Default Post Pubblico" - -#: ../../mod/settings.php:1152 -msgid "Default Permissions for New Posts" -msgstr "Permessi predefiniti per i nuovi post" - -#: ../../mod/settings.php:1164 -msgid "Maximum private messages per day from unknown people:" -msgstr "Numero massimo di messaggi privati da utenti sconosciuti per giorno:" - -#: ../../mod/settings.php:1167 -msgid "Notification Settings" -msgstr "Impostazioni notifiche" - -#: ../../mod/settings.php:1168 -msgid "By default post a status message when:" -msgstr "Invia un messaggio di stato quando:" - -#: ../../mod/settings.php:1169 -msgid "accepting a friend request" -msgstr "accetti una richiesta di amicizia" - -#: ../../mod/settings.php:1170 -msgid "joining a forum/community" -msgstr "ti unisci a un forum/comunità" - -#: ../../mod/settings.php:1171 -msgid "making an interesting profile change" -msgstr "fai un interessante modifica al profilo" - -#: ../../mod/settings.php:1172 -msgid "Send a notification email when:" -msgstr "Invia una mail di notifica quando:" - -#: ../../mod/settings.php:1173 -msgid "You receive an introduction" -msgstr "Ricevi una presentazione" - -#: ../../mod/settings.php:1174 -msgid "Your introductions are confirmed" -msgstr "Le tue presentazioni sono confermate" - -#: ../../mod/settings.php:1175 -msgid "Someone writes on your profile wall" -msgstr "Qualcuno scrive sulla bacheca del tuo profilo" - -#: ../../mod/settings.php:1176 -msgid "Someone writes a followup comment" -msgstr "Qualcuno scrive un commento a un tuo messaggio" - -#: ../../mod/settings.php:1177 -msgid "You receive a private message" -msgstr "Ricevi un messaggio privato" - -#: ../../mod/settings.php:1178 -msgid "You receive a friend suggestion" -msgstr "Hai ricevuto un suggerimento di amicizia" - -#: ../../mod/settings.php:1179 -msgid "You are tagged in a post" -msgstr "Sei stato taggato in un post" - -#: ../../mod/settings.php:1180 -msgid "You are poked/prodded/etc. in a post" -msgstr "Sei 'toccato'/'spronato'/ecc. in un post" - -#: ../../mod/settings.php:1183 -msgid "Advanced Account/Page Type Settings" -msgstr "Impostazioni avanzate Account/Tipo di pagina" - -#: ../../mod/settings.php:1184 -msgid "Change the behaviour of this account for special situations" -msgstr "Modifica il comportamento di questo account in situazioni speciali" - -#: ../../mod/settings.php:1187 -msgid "Relocate" -msgstr "Trasloca" - -#: ../../mod/settings.php:1188 -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 "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone." - -#: ../../mod/settings.php:1189 -msgid "Resend relocate message to contacts" -msgstr "Reinvia il messaggio di trasloco" - -#: ../../mod/display.php:452 -msgid "Item has been removed." -msgstr "L'oggetto è stato rimosso." - -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "Cerca persone" - -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "Nessun risultato" - -#: ../../mod/profiles.php:37 -msgid "Profile deleted." -msgstr "Profilo elminato." - -#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 -msgid "Profile-" -msgstr "Profilo-" - -#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 -msgid "New profile created." -msgstr "Il nuovo profilo è stato creato." - -#: ../../mod/profiles.php:95 -msgid "Profile unavailable to clone." -msgstr "Impossibile duplicare il profilo." - -#: ../../mod/profiles.php:172 -msgid "Profile Name is required." -msgstr "Il nome profilo è obbligatorio ." - -#: ../../mod/profiles.php:323 -msgid "Marital Status" -msgstr "Stato civile" - -#: ../../mod/profiles.php:327 -msgid "Romantic Partner" -msgstr "Partner romantico" - -#: ../../mod/profiles.php:331 -msgid "Likes" -msgstr "Mi piace" - -#: ../../mod/profiles.php:335 -msgid "Dislikes" -msgstr "Non mi piace" - -#: ../../mod/profiles.php:339 -msgid "Work/Employment" -msgstr "Lavoro/Impiego" - -#: ../../mod/profiles.php:342 -msgid "Religion" -msgstr "Religione" - -#: ../../mod/profiles.php:346 -msgid "Political Views" -msgstr "Orientamento Politico" - -#: ../../mod/profiles.php:350 -msgid "Gender" -msgstr "Sesso" - -#: ../../mod/profiles.php:354 -msgid "Sexual Preference" -msgstr "Preferenza sessuale" - -#: ../../mod/profiles.php:358 -msgid "Homepage" -msgstr "Homepage" - -#: ../../mod/profiles.php:362 ../../mod/profiles.php:657 -msgid "Interests" -msgstr "Interessi" - -#: ../../mod/profiles.php:366 -msgid "Address" -msgstr "Indirizzo" - -#: ../../mod/profiles.php:373 ../../mod/profiles.php:653 -msgid "Location" -msgstr "Posizione" - -#: ../../mod/profiles.php:456 -msgid "Profile updated." -msgstr "Profilo aggiornato." - -#: ../../mod/profiles.php:527 -msgid " and " -msgstr "e " - -#: ../../mod/profiles.php:535 -msgid "public profile" -msgstr "profilo pubblico" - -#: ../../mod/profiles.php:538 +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "salta questo passaggio" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "seleziona una foto dai tuoi album" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "Ritaglia immagine" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Ritaglia l'imagine per una visualizzazione migliore." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Finito" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Immagine caricata con successo." + +#: ../../mod/profile_photo.php:301 ../../mod/wall_upload.php:172 +#: ../../mod/photos.php:834 +msgid "Image upload failed." +msgstr "Caricamento immagine fallito." + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1968 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:471 +msgid "photo" +msgstr "foto" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../mod/like.php:319 ../../include/conversation.php:121 +#: ../../include/conversation.php:130 ../../include/conversation.php:249 +#: ../../include/conversation.php:258 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 +msgid "status" +msgstr "stato" + +#: ../../mod/subthread.php:103 #, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s ha cambiato %2$s in “%3$s”" +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s sta seguendo %3$s di %2$s" -#: ../../mod/profiles.php:539 +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Tag rimosso" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Rimuovi il tag" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Seleziona un tag da rimuovere: " + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "Rimuovi" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "Salva nella Cartella:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- seleziona -" + +#: ../../mod/filer.php:31 ../../mod/editpost.php:109 ../../mod/notes.php:63 +#: ../../include/text.php:956 +msgid "Save" +msgstr "Salva" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Contatto aggiunto" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "Impossibile trovare il messaggio originale." + +#: ../../mod/item.php:345 +msgid "Empty post discarded." +msgstr "Messaggio vuoto scartato." + +#: ../../mod/item.php:484 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../include/Photo.php:916 ../../include/Photo.php:931 +#: ../../include/Photo.php:938 ../../include/Photo.php:960 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "Foto della bacheca" + +#: ../../mod/item.php:938 +msgid "System error. Post not saved." +msgstr "Errore di sistema. Messaggio non salvato." + +#: ../../mod/item.php:964 #, php-format -msgid " - Visit %1$s's %2$s" -msgstr "- Visita %2$s di %1$s" +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica." -#: ../../mod/profiles.php:542 +#: ../../mod/item.php:966 #, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s ha un %2$s aggiornato. Ha cambiato %3$s" +msgid "You may visit them online at %s" +msgstr "Puoi visitarli online su %s" -#: ../../mod/profiles.php:617 -msgid "Hide contacts and friends:" -msgstr "Nascondi contatti:" +#: ../../mod/item.php:967 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi." -#: ../../mod/profiles.php:622 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?" - -#: ../../mod/profiles.php:644 -msgid "Edit Profile Details" -msgstr "Modifica i dettagli del profilo" - -#: ../../mod/profiles.php:646 -msgid "Change Profile Photo" -msgstr "Cambia la foto del profilo" - -#: ../../mod/profiles.php:647 -msgid "View this profile" -msgstr "Visualizza questo profilo" - -#: ../../mod/profiles.php:648 -msgid "Create a new profile using these settings" -msgstr "Crea un nuovo profilo usando queste impostazioni" - -#: ../../mod/profiles.php:649 -msgid "Clone this profile" -msgstr "Clona questo profilo" - -#: ../../mod/profiles.php:650 -msgid "Delete this profile" -msgstr "Elimina questo profilo" - -#: ../../mod/profiles.php:651 -msgid "Basic information" -msgstr "Informazioni di base" - -#: ../../mod/profiles.php:652 -msgid "Profile picture" -msgstr "Immagine del profilo" - -#: ../../mod/profiles.php:654 -msgid "Preferences" -msgstr "Preferenze" - -#: ../../mod/profiles.php:655 -msgid "Status information" -msgstr "Informazioni stato" - -#: ../../mod/profiles.php:656 -msgid "Additional information" -msgstr "Informazioni aggiuntive" - -#: ../../mod/profiles.php:659 -msgid "Profile Name:" -msgstr "Nome del profilo:" - -#: ../../mod/profiles.php:660 -msgid "Your Full Name:" -msgstr "Il tuo nome completo:" - -#: ../../mod/profiles.php:661 -msgid "Title/Description:" -msgstr "Breve descrizione (es. titolo, posizione, altro):" - -#: ../../mod/profiles.php:662 -msgid "Your Gender:" -msgstr "Il tuo sesso:" - -#: ../../mod/profiles.php:663 +#: ../../mod/item.php:971 #, php-format -msgid "Birthday (%s):" -msgstr "Compleanno (%s)" +msgid "%s posted an update." +msgstr "%s ha inviato un aggiornamento." -#: ../../mod/profiles.php:664 -msgid "Street Address:" -msgstr "Indirizzo (via/piazza):" +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Gruppo creato." -#: ../../mod/profiles.php:665 -msgid "Locality/City:" -msgstr "Località:" +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Impossibile creare il gruppo." -#: ../../mod/profiles.php:666 -msgid "Postal/Zip Code:" -msgstr "CAP:" +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Gruppo non trovato." -#: ../../mod/profiles.php:667 -msgid "Country:" -msgstr "Nazione:" +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Il nome del gruppo è cambiato." -#: ../../mod/profiles.php:668 -msgid "Region/State:" -msgstr "Regione/Stato:" +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Salva gruppo" -#: ../../mod/profiles.php:669 -msgid " Marital Status:" -msgstr " Stato sentimentale:" +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Crea un gruppo di amici/contatti." -#: ../../mod/profiles.php:670 -msgid "Who: (if applicable)" -msgstr "Con chi: (se possibile)" +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Nome del gruppo:" -#: ../../mod/profiles.php:671 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Esempio: cathy123, Cathy Williams, cathy@example.com" +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Gruppo rimosso." -#: ../../mod/profiles.php:672 -msgid "Since [date]:" -msgstr "Dal [data]:" +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Impossibile rimuovere il gruppo." -#: ../../mod/profiles.php:673 ../../include/profile_advanced.php:46 -msgid "Sexual Preference:" -msgstr "Preferenze sessuali:" +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Modifica gruppo" -#: ../../mod/profiles.php:674 -msgid "Homepage URL:" -msgstr "Homepage:" +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Membri" -#: ../../mod/profiles.php:675 ../../include/profile_advanced.php:50 -msgid "Hometown:" -msgstr "Paese natale:" +#: ../../mod/apps.php:7 ../../index.php:212 +msgid "You must be logged in to use addons. " +msgstr "Devi aver effettuato il login per usare gli addons." -#: ../../mod/profiles.php:676 ../../include/profile_advanced.php:54 -msgid "Political Views:" -msgstr "Orientamento politico:" +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Applicazioni" -#: ../../mod/profiles.php:677 -msgid "Religious Views:" -msgstr "Orientamento religioso:" +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Nessuna applicazione installata." -#: ../../mod/profiles.php:678 -msgid "Public Keywords:" -msgstr "Parole chiave visibili a tutti:" +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 +#: ../../mod/profiles.php:630 +msgid "Profile not found." +msgstr "Profilo non trovato." -#: ../../mod/profiles.php:679 -msgid "Private Keywords:" -msgstr "Parole chiave private:" +#: ../../mod/dfrn_confirm.php:120 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "Contatto non trovato." -#: ../../mod/profiles.php:680 ../../include/profile_advanced.php:62 -msgid "Likes:" -msgstr "Mi piace:" - -#: ../../mod/profiles.php:681 ../../include/profile_advanced.php:64 -msgid "Dislikes:" -msgstr "Non mi piace:" - -#: ../../mod/profiles.php:682 -msgid "Example: fishing photography software" -msgstr "Esempio: pesca fotografia programmazione" - -#: ../../mod/profiles.php:683 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)" - -#: ../../mod/profiles.php:684 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(Usato per cercare tra i profili, non è mai visibile agli altri)" - -#: ../../mod/profiles.php:685 -msgid "Tell us about yourself..." -msgstr "Raccontaci di te..." - -#: ../../mod/profiles.php:686 -msgid "Hobbies/Interests" -msgstr "Hobby/interessi" - -#: ../../mod/profiles.php:687 -msgid "Contact information and Social Networks" -msgstr "Informazioni su contatti e social network" - -#: ../../mod/profiles.php:688 -msgid "Musical interests" -msgstr "Interessi musicali" - -#: ../../mod/profiles.php:689 -msgid "Books, literature" -msgstr "Libri, letteratura" - -#: ../../mod/profiles.php:690 -msgid "Television" -msgstr "Televisione" - -#: ../../mod/profiles.php:691 -msgid "Film/dance/culture/entertainment" -msgstr "Film/danza/cultura/intrattenimento" - -#: ../../mod/profiles.php:692 -msgid "Love/romance" -msgstr "Amore" - -#: ../../mod/profiles.php:693 -msgid "Work/employment" -msgstr "Lavoro/impiego" - -#: ../../mod/profiles.php:694 -msgid "School/education" -msgstr "Scuola/educazione" - -#: ../../mod/profiles.php:699 +#: ../../mod/dfrn_confirm.php:121 msgid "" -"This is your public profile.
    It may " -"be visible to anybody using the internet." -msgstr "Questo è il tuo profilo publico.
    Potrebbe essere visto da chiunque attraverso internet." +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata." -#: ../../mod/profiles.php:709 ../../mod/directory.php:113 -msgid "Age: " -msgstr "Età : " +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Errore di comunicazione con l'altro sito." -#: ../../mod/profiles.php:762 -msgid "Edit/Manage Profiles" -msgstr "Modifica / Gestisci profili" +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "La risposta dell'altro sito non può essere gestita: " -#: ../../mod/profiles.php:763 ../../boot.php:1585 ../../boot.php:1611 -msgid "Change profile photo" -msgstr "Cambia la foto del profilo" +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Conferma completata con successo." -#: ../../mod/profiles.php:764 ../../boot.php:1586 -msgid "Create New Profile" -msgstr "Crea un nuovo profilo" +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Il sito remoto riporta: " -#: ../../mod/profiles.php:775 ../../boot.php:1596 -msgid "Profile Image" -msgstr "Immagine del Profilo" +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Problema temporaneo. Attendi e riprova." -#: ../../mod/profiles.php:777 ../../boot.php:1599 -msgid "visible to everybody" -msgstr "visibile a tutti" +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "La presentazione ha generato un errore o è stata revocata." -#: ../../mod/profiles.php:778 ../../boot.php:1600 -msgid "Edit visibility" -msgstr "Modifica visibilità" +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Impossibile impostare la foto del contatto." -#: ../../mod/share.php:44 -msgid "link" -msgstr "collegamento" +#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 +#: ../../include/diaspora.php:620 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s e %2$s adesso sono amici" -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Esporta account" +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Nessun utente trovato '%s'" -#: ../../mod/uexport.php:77 +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "La nostra chiave di criptazione del sito sembra essere corrotta." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Il contatto non è stato trovato sul nostro sito." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "La chiave pubblica del sito non è disponibile per l'URL %s" + +#: ../../mod/dfrn_confirm.php:647 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 "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server." +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare." -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Esporta tutto" +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Impossibile impostare le credenziali del tuo contatto sul nostro sistema." -#: ../../mod/uexport.php:78 +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema" + +#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 +#: ../../include/items.php:4008 +msgid "[Name Withheld]" +msgstr "[Nome Nascosto]" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s si è unito a %2$s" + +#: ../../mod/profile.php:21 ../../boot.php:1458 +msgid "Requested profile is not available." +msgstr "Profilo richiesto non disponibile." + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Consigli per i Nuovi Utenti" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Nessun video selezionato" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "Questo oggetto non è visibile a tutti." + +#: ../../mod/videos.php:301 ../../include/text.php:1405 +msgid "View Video" +msgstr "Guarda Video" + +#: ../../mod/videos.php:308 ../../mod/photos.php:1808 +msgid "View Album" +msgstr "Sfoglia l'album" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Video Recenti" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Carica Nuovo Video" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s ha taggato %3$s di %2$s con %4$s" + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Suggerimento di amicizia inviato." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Suggerisci amici" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Suggerisci un amico a %s" + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Nessun account valido trovato." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "La richiesta per reimpostare la password è stata inviata. Controlla la tua email." + +#: ../../mod/lostpass.php:42 +#, php-format 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 "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)" +"\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 "\nGentile %1$s,\n abbiamo ricevuto su \"%2$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica." + +#: ../../mod/lostpass.php:53 +#, 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 "\nSegui questo link per verificare la tua identità:\n\n%1$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2$s\n Nome utente: %3$s" + +#: ../../mod/lostpass.php:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Richiesta reimpostazione password su %s" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita." + +#: ../../mod/lostpass.php:109 ../../boot.php:1280 +msgid "Password Reset" +msgstr "Reimpostazione password" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "La tua password è stata reimpostata come richiesto." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "La tua nuova password è" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Salva o copia la tua nuova password, quindi" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "clicca qui per entrare" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso." + +#: ../../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 "\nGentile %1$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare." + +#: ../../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 "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato." + +#: ../../mod/lostpass.php:147 +#, php-format +msgid "Your password has been changed at %s" +msgstr "La tua password presso %s è stata cambiata" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Hai dimenticato la password?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Inserisci il tuo indirizzo email per reimpostare la password." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Nome utente o email: " + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Reimposta" + +#: ../../mod/like.php:166 ../../include/conversation.php:137 +#: ../../include/diaspora.php:2103 ../../view/theme/diabook/theme.php:480 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "A %1$s piace %3$s di %2$s" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "A %1$s non piace %3$s di %2$s" #: ../../mod/ping.php:240 msgid "{0} wants to be your friend" @@ -4544,6 +1324,231 @@ msgstr "{0} ha taggato il post di %s con #%s" msgid "{0} mentioned you in a post" msgstr "{0} ti ha citato in un post" +#: ../../mod/viewcontacts.php:41 +msgid "No contacts." +msgstr "Nessun contatto." + +#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 +msgid "View Contacts" +msgstr "Visualizza i contatti" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "L'identificativo della richiesta non è valido." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "Scarta" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "Sistema" + +#: ../../mod/notifications.php:83 ../../include/nav.php:145 +msgid "Network" +msgstr "Rete" + +#: ../../mod/notifications.php:88 ../../mod/network.php:371 +msgid "Personal" +msgstr "Personale" + +#: ../../mod/notifications.php:93 ../../include/nav.php:105 +#: ../../include/nav.php:148 ../../view/theme/diabook/theme.php:123 +msgid "Home" +msgstr "Home" + +#: ../../mod/notifications.php:98 ../../include/nav.php:154 +msgid "Introductions" +msgstr "Presentazioni" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Mostra richieste ignorate" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Nascondi richieste ignorate" + +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "Tipo di notifica: " + +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "Amico suggerito" + +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "sugerito da %s" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "Invia una attività \"è ora amico con\"" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "se applicabile" + +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:1005 +msgid "Approve" +msgstr "Approva" + +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "Dice di conoscerti: " + +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "si" + +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "no" + +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "Approva come: " + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "Amico" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "Condivisore" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "Fan/Ammiratore" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "Richiesta amicizia/connessione" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "Qualcuno inizia a seguirti" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "Nessuna presentazione." + +#: ../../mod/notifications.php:220 ../../include/nav.php:155 +msgid "Notifications" +msgstr "Notifiche" + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "a %s è piaciuto il messaggio di %s" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "a %s non è piaciuto il messaggio di %s" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s è ora amico di %s" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "%s a creato un nuovo messaggio" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s ha commentato il messaggio di %s" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "Notifiche dalla rete" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "Nessuna nuova notifica di sistema." + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "Notifiche di sistema" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "Notifiche personali" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "Notifiche bacheca" + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Testo sorgente (bbcode):" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Testo sorgente (da Diaspora) da convertire in BBcode:" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Sorgente:" + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (HTML grezzo):" + +#: ../../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 "Sorgente (formato Diaspora):" + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb: " + #: ../../mod/navigation.php:20 ../../include/nav.php:34 msgid "Nothing new here" msgstr "Niente di nuovo qui" @@ -4552,307 +1557,1687 @@ msgstr "Niente di nuovo qui" msgid "Clear notifications" msgstr "Pulisci le notifiche" -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "Non disponibile." +#: ../../mod/message.php:9 ../../include/nav.php:164 +msgid "New Message" +msgstr "Nuovo messaggio" -#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:129 -#: ../../include/nav.php:129 -msgid "Community" -msgstr "Comunità" +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "Nessun destinatario selezionato." -#: ../../mod/filer.php:30 ../../include/conversation.php:1006 -#: ../../include/conversation.php:1024 -msgid "Save to Folder:" -msgstr "Salva nella Cartella:" +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Impossibile trovare le informazioni del contatto." -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- seleziona -" +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "Il messaggio non puo' essere inviato." -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta" +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "Errore recuperando il messaggio." -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "O.. non avrai provato a caricare un file vuoto?" +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "Messaggio inviato." -#: ../../mod/wall_attach.php:81 +#: ../../mod/message.php:182 ../../include/nav.php:161 +msgid "Messages" +msgstr "Messaggi" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Vuoi veramente cancellare questo messaggio?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Messaggio eliminato." + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Conversazione rimossa." + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "Inserisci l'indirizzo del link:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Invia un messaggio privato" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "A:" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Oggetto:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "Il tuo messaggio:" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "Carica foto" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "Inserisci link" + +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../mod/wallmessage.php:156 ../../mod/editpost.php:124 +#: ../../mod/photos.php:1545 ../../object/Item.php:364 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "Attendi" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Nessun messaggio." + +#: ../../mod/message.php:378 #, php-format -msgid "File exceeds size limit of %d" -msgstr "Il file supera la dimensione massima di %d" +msgid "Unknown sender - %s" +msgstr "Mittente sconosciuto - %s" -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "Caricamento del file non riuscito." +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Tu e %s" -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Indentificativo del profilo non valido." +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s e Tu" -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Modifica visibilità del profilo" +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Elimina la conversazione" -#: ../../mod/profperm.php:105 ../../mod/group.php:224 -msgid "Click on a contact to add or remove." -msgstr "Clicca su un contatto per aggiungerlo o rimuoverlo." +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D d M Y - G:i" -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Visibile a" +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d messaggio" +msgstr[1] "%d messaggi" -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Tutti i contatti (con profilo ad accesso sicuro)" +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Messaggio non disponibile." -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Vuoi veramente cancellare questo suggerimento?" +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Elimina il messaggio" -#: ../../mod/suggest.php:66 ../../view/theme/diabook/theme.php:527 -#: ../../include/contact_widgets.php:35 -msgid "Friend Suggestions" -msgstr "Contatti suggeriti" - -#: ../../mod/suggest.php:72 +#: ../../mod/message.php:548 msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore." +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente." -#: ../../mod/suggest.php:88 ../../mod/match.php:58 ../../boot.php:1542 -#: ../../include/contact_widgets.php:10 -msgid "Connect" -msgstr "Connetti" +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Invia la risposta" -#: ../../mod/suggest.php:90 -msgid "Ignore/Hide" -msgstr "Ignora / Nascondi" +#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_network.php:25 +msgid "[Embedded content - reload page to view]" +msgstr "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]" + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "Contatto modificato." + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "Le modifiche al contatto non sono state salvate." + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "Ripara il contatto" + +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più" + +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina." + +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "Ritorna alla modifica contatto" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "No mirroring" +msgstr "Non duplicare" + +#: ../../mod/crepair.php:159 +msgid "Mirror as forwarded posting" +msgstr "Duplica come messaggi ricondivisi" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "Mirror as my own posting" +msgstr "Duplica come miei messaggi" + +#: ../../mod/crepair.php:165 ../../mod/admin.php:1003 ../../mod/admin.php:1015 +#: ../../mod/admin.php:1016 ../../mod/admin.php:1029 +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Name" +msgstr "Nome" + +#: ../../mod/crepair.php:166 +msgid "Account Nickname" +msgstr "Nome utente" + +#: ../../mod/crepair.php:167 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@TagName - al posto del nome utente" + +#: ../../mod/crepair.php:168 +msgid "Account URL" +msgstr "URL dell'utente" + +#: ../../mod/crepair.php:169 +msgid "Friend Request URL" +msgstr "URL Richiesta Amicizia" + +#: ../../mod/crepair.php:170 +msgid "Friend Confirm URL" +msgstr "URL Conferma Amicizia" + +#: ../../mod/crepair.php:171 +msgid "Notification Endpoint URL" +msgstr "URL Notifiche" + +#: ../../mod/crepair.php:172 +msgid "Poll/Feed URL" +msgstr "URL Feed" + +#: ../../mod/crepair.php:173 +msgid "New photo from this URL" +msgstr "Nuova foto da questo URL" + +#: ../../mod/crepair.php:174 +msgid "Remote Self" +msgstr "Io remoto" + +#: ../../mod/crepair.php:176 +msgid "Mirror postings from this contact" +msgstr "Ripeti i messaggi di questo contatto" + +#: ../../mod/crepair.php:176 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto." + +#: ../../mod/bookmarklet.php:12 ../../boot.php:1266 ../../include/nav.php:92 +msgid "Login" +msgstr "Accedi" + +#: ../../mod/bookmarklet.php:41 +msgid "The post was created" +msgstr "" #: ../../mod/viewsrc.php:7 msgid "Access denied." msgstr "Accesso negato." -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%s dà il benvenuto a %s" +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Cerca persone" -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Gestisci indentità e/o pagine" +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "Nessun risultato" -#: ../../mod/manage.php:107 +#: ../../mod/fbrowser.php:25 ../../boot.php:2126 ../../include/nav.php:78 +#: ../../view/theme/diabook/theme.php:126 +msgid "Photos" +msgstr "Foto" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "File" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Contatti che non sono membri di un gruppo" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Impostazioni del tema aggiornate." + +#: ../../mod/admin.php:104 ../../mod/admin.php:619 +msgid "Site" +msgstr "Sito" + +#: ../../mod/admin.php:105 ../../mod/admin.php:998 ../../mod/admin.php:1013 +msgid "Users" +msgstr "Utenti" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1102 ../../mod/admin.php:1155 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "Plugin" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1323 ../../mod/admin.php:1357 +msgid "Themes" +msgstr "Temi" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "Aggiornamenti Database" + +#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1444 +msgid "Logs" +msgstr "Log" + +#: ../../mod/admin.php:124 +msgid "probe address" +msgstr "" + +#: ../../mod/admin.php:125 +msgid "check webfinger" +msgstr "" + +#: ../../mod/admin.php:130 ../../include/nav.php:184 +msgid "Admin" +msgstr "Amministrazione" + +#: ../../mod/admin.php:131 +msgid "Plugin Features" +msgstr "Impostazioni Plugins" + +#: ../../mod/admin.php:133 +msgid "diagnostics" +msgstr "" + +#: ../../mod/admin.php:134 +msgid "User registrations waiting for confirmation" +msgstr "Utenti registrati in attesa di conferma" + +#: ../../mod/admin.php:193 ../../mod/admin.php:952 +msgid "Normal Account" +msgstr "Account normale" + +#: ../../mod/admin.php:194 ../../mod/admin.php:953 +msgid "Soapbox Account" +msgstr "Account per comunicati e annunci" + +#: ../../mod/admin.php:195 ../../mod/admin.php:954 +msgid "Community/Celebrity Account" +msgstr "Account per celebrità o per comunità" + +#: ../../mod/admin.php:196 ../../mod/admin.php:955 +msgid "Automatic Friend Account" +msgstr "Account per amicizia automatizzato" + +#: ../../mod/admin.php:197 +msgid "Blog Account" +msgstr "Account Blog" + +#: ../../mod/admin.php:198 +msgid "Private Forum" +msgstr "Forum Privato" + +#: ../../mod/admin.php:217 +msgid "Message queues" +msgstr "Code messaggi" + +#: ../../mod/admin.php:222 ../../mod/admin.php:618 ../../mod/admin.php:997 +#: ../../mod/admin.php:1101 ../../mod/admin.php:1154 ../../mod/admin.php:1322 +#: ../../mod/admin.php:1356 ../../mod/admin.php:1443 +msgid "Administration" +msgstr "Amministrazione" + +#: ../../mod/admin.php:223 +msgid "Summary" +msgstr "Sommario" + +#: ../../mod/admin.php:225 +msgid "Registered users" +msgstr "Utenti registrati" + +#: ../../mod/admin.php:227 +msgid "Pending registrations" +msgstr "Registrazioni in attesa" + +#: ../../mod/admin.php:228 +msgid "Version" +msgstr "Versione" + +#: ../../mod/admin.php:232 +msgid "Active plugins" +msgstr "Plugin attivi" + +#: ../../mod/admin.php:255 +msgid "Can not parse base url. Must have at least ://" +msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]" + +#: ../../mod/admin.php:516 +msgid "Site settings updated." +msgstr "Impostazioni del sito aggiornate." + +#: ../../mod/admin.php:545 ../../mod/settings.php:828 +msgid "No special theme for mobile devices" +msgstr "Nessun tema speciale per i dispositivi mobili" + +#: ../../mod/admin.php:562 +msgid "No community page" +msgstr "" + +#: ../../mod/admin.php:563 +msgid "Public postings from users of this site" +msgstr "" + +#: ../../mod/admin.php:564 +msgid "Global community page" +msgstr "" + +#: ../../mod/admin.php:570 +msgid "At post arrival" +msgstr "All'arrivo di un messaggio" + +#: ../../mod/admin.php:571 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "Frequentemente" + +#: ../../mod/admin.php:572 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "Ogni ora" + +#: ../../mod/admin.php:573 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "Due volte al dì" + +#: ../../mod/admin.php:574 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "Giornalmente" + +#: ../../mod/admin.php:579 +msgid "Multi user instance" +msgstr "Istanza multi utente" + +#: ../../mod/admin.php:602 +msgid "Closed" +msgstr "Chiusa" + +#: ../../mod/admin.php:603 +msgid "Requires approval" +msgstr "Richiede l'approvazione" + +#: ../../mod/admin.php:604 +msgid "Open" +msgstr "Aperta" + +#: ../../mod/admin.php:608 +msgid "No SSL policy, links will track page SSL state" +msgstr "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina" + +#: ../../mod/admin.php:609 +msgid "Force all links to use SSL" +msgstr "Forza tutti i linki ad usare SSL" + +#: ../../mod/admin.php:610 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)" + +#: ../../mod/admin.php:620 ../../mod/admin.php:1156 ../../mod/admin.php:1358 +#: ../../mod/admin.php:1445 ../../mod/settings.php:614 +#: ../../mod/settings.php:724 ../../mod/settings.php:798 +#: ../../mod/settings.php:880 ../../mod/settings.php:1113 +msgid "Save Settings" +msgstr "Salva Impostazioni" + +#: ../../mod/admin.php:621 ../../mod/register.php:255 +msgid "Registration" +msgstr "Registrazione" + +#: ../../mod/admin.php:622 +msgid "File upload" +msgstr "Caricamento file" + +#: ../../mod/admin.php:623 +msgid "Policies" +msgstr "Politiche" + +#: ../../mod/admin.php:624 +msgid "Advanced" +msgstr "Avanzate" + +#: ../../mod/admin.php:625 +msgid "Performance" +msgstr "Performance" + +#: ../../mod/admin.php:626 msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile." -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Seleziona un'identità da gestire:" +#: ../../mod/admin.php:629 +msgid "Site name" +msgstr "Nome del sito" -#: ../../mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Nessun potenziale delegato per la pagina è stato trovato." +#: ../../mod/admin.php:630 +msgid "Host name" +msgstr "" -#: ../../mod/delegate.php:130 ../../include/nav.php:168 -msgid "Delegate Page Management" -msgstr "Gestione delegati per la pagina" +#: ../../mod/admin.php:631 +msgid "Sender Email" +msgstr "" -#: ../../mod/delegate.php:132 +#: ../../mod/admin.php:632 +msgid "Banner/Logo" +msgstr "Banner/Logo" + +#: ../../mod/admin.php:633 +msgid "Shortcut icon" +msgstr "" + +#: ../../mod/admin.php:634 +msgid "Touch icon" +msgstr "" + +#: ../../mod/admin.php:635 +msgid "Additional Info" +msgstr "Informazioni aggiuntive" + +#: ../../mod/admin.php:635 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 "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente." +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo." -#: ../../mod/delegate.php:133 -msgid "Existing Page Managers" -msgstr "Gestori Pagina Esistenti" +#: ../../mod/admin.php:636 +msgid "System language" +msgstr "Lingua di sistema" -#: ../../mod/delegate.php:135 -msgid "Existing Page Delegates" -msgstr "Delegati Pagina Esistenti" +#: ../../mod/admin.php:637 +msgid "System theme" +msgstr "Tema di sistema" -#: ../../mod/delegate.php:137 -msgid "Potential Delegates" -msgstr "Delegati Potenziali" - -#: ../../mod/delegate.php:140 -msgid "Add" -msgstr "Aggiungi" - -#: ../../mod/delegate.php:141 -msgid "No entries." -msgstr "Nessun articolo." - -#: ../../mod/viewcontacts.php:39 -msgid "No contacts." -msgstr "Nessun contatto." - -#: ../../mod/viewcontacts.php:76 ../../include/text.php:875 -msgid "View Contacts" -msgstr "Visualizza i contatti" - -#: ../../mod/notes.php:44 ../../boot.php:2121 -msgid "Personal Notes" -msgstr "Note personali" - -#: ../../mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Tocca/Pungola" - -#: ../../mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "tocca, pungola o fai altre cose a qualcuno" - -#: ../../mod/poke.php:194 -msgid "Recipient" -msgstr "Destinatario" - -#: ../../mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Scegli cosa vuoi fare al destinatario" - -#: ../../mod/poke.php:198 -msgid "Make this post private" -msgstr "Rendi questo post privato" - -#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 -msgid "Global Directory" -msgstr "Elenco globale" - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "Cerca nel sito" - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "Elenco del sito" - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "Genere:" - -#: ../../mod/directory.php:138 ../../boot.php:1624 -#: ../../include/profile_advanced.php:17 -msgid "Gender:" -msgstr "Genere:" - -#: ../../mod/directory.php:140 ../../boot.php:1627 -#: ../../include/profile_advanced.php:37 -msgid "Status:" -msgstr "Stato:" - -#: ../../mod/directory.php:142 ../../boot.php:1629 -#: ../../include/profile_advanced.php:48 -msgid "Homepage:" -msgstr "Homepage:" - -#: ../../mod/directory.php:144 ../../include/profile_advanced.php:58 -msgid "About:" -msgstr "Informazioni:" - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "Nessuna voce (qualche voce potrebbe essere nascosta)." - -#: ../../mod/localtime.php:12 ../../include/event.php:11 -#: ../../include/bb2diaspora.php:134 -msgid "l F d, Y \\@ g:i A" -msgstr "l d F Y \\@ G:i" - -#: ../../mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Conversione Ora" - -#: ../../mod/localtime.php:26 +#: ../../mod/admin.php:637 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti." +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Tema di sistema - puo' essere sovrascritto dalle impostazioni utente - cambia le impostazioni del tema" -#: ../../mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "Ora UTC: %s" +#: ../../mod/admin.php:638 +msgid "Mobile system theme" +msgstr "Tema mobile di sistema" -#: ../../mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Fuso orario corrente: %s" +#: ../../mod/admin.php:638 +msgid "Theme for mobile devices" +msgstr "Tema per dispositivi mobili" -#: ../../mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Ora locale convertita: %s" +#: ../../mod/admin.php:639 +msgid "SSL link policy" +msgstr "Gestione link SSL" -#: ../../mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Selezionare il tuo fuso orario:" +#: ../../mod/admin.php:639 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Determina se i link generati devono essere forzati a usare SSL" -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Inviato!" +#: ../../mod/admin.php:640 +msgid "Force SSL" +msgstr "" -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "L'immagine è stata caricata, ma il non è stato possibile ritagliarla." - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Il ridimensionamento del'immagine [%s] è fallito." - -#: ../../mod/profile_photo.php:118 +#: ../../mod/admin.php:640 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente." +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" +" to endless loops." +msgstr "" -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "Impossibile elaborare l'immagine" +#: ../../mod/admin.php:641 +msgid "Old style 'Share'" +msgstr "Ricondivisione vecchio stile" -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "Carica un file:" +#: ../../mod/admin.php:641 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Disattiva l'elemento bbcode 'share' con elementi ripetuti" -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "Seleziona un profilo:" +#: ../../mod/admin.php:642 +msgid "Hide help entry from navigation menu" +msgstr "Nascondi la voce 'Guida' dal menu di navigazione" -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "Carica" +#: ../../mod/admin.php:642 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Nasconde la voce per le pagine della guida dal menu di navigazione. E' comunque possibile accedervi richiamando /help direttamente." -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "salta questo passaggio" +#: ../../mod/admin.php:643 +msgid "Single user instance" +msgstr "Instanza a singolo utente" -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "seleziona una foto dai tuoi album" +#: ../../mod/admin.php:643 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Rendi questa istanza multi utente o a singolo utente per l'utente selezionato" -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "Ritaglia immagine" +#: ../../mod/admin.php:644 +msgid "Maximum image size" +msgstr "Massima dimensione immagini" -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Ritaglia l'imagine per una visualizzazione migliore." +#: ../../mod/admin.php:644 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Massima dimensione in byte delle immagini caricate. Il default è 0, cioè nessun limite." -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "Finito" +#: ../../mod/admin.php:645 +msgid "Maximum image length" +msgstr "Massima lunghezza immagine" -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "Immagine caricata con successo." +#: ../../mod/admin.php:645 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Massima lunghezza in pixel del lato più lungo delle immagini caricate. Predefinito a -1, ovvero nessun limite." + +#: ../../mod/admin.php:646 +msgid "JPEG image quality" +msgstr "Qualità immagini JPEG" + +#: ../../mod/admin.php:646 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Le immagini JPEG caricate verranno salvate con questa qualità [0-100]. Predefinito è 100, ovvero qualità piena." + +#: ../../mod/admin.php:648 +msgid "Register policy" +msgstr "Politica di registrazione" + +#: ../../mod/admin.php:649 +msgid "Maximum Daily Registrations" +msgstr "Massime registrazioni giornaliere" + +#: ../../mod/admin.php:649 +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 "Se la registrazione è permessa, qui si definisce il massimo numero di nuovi utenti registrati da accettare giornalmente. Se la registrazione è chiusa, questa impostazione non ha effetto." + +#: ../../mod/admin.php:650 +msgid "Register text" +msgstr "Testo registrazione" + +#: ../../mod/admin.php:650 +msgid "Will be displayed prominently on the registration page." +msgstr "Sarà mostrato ben visibile nella pagina di registrazione." + +#: ../../mod/admin.php:651 +msgid "Accounts abandoned after x days" +msgstr "Account abbandonati dopo x giorni" + +#: ../../mod/admin.php:651 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Non spreca risorse di sistema controllando siti esterni per gli account abbandonati. Immettere 0 per nessun limite di tempo." + +#: ../../mod/admin.php:652 +msgid "Allowed friend domains" +msgstr "Domini amici consentiti" + +#: ../../mod/admin.php:652 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Elenco separato da virglola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." + +#: ../../mod/admin.php:653 +msgid "Allowed email domains" +msgstr "Domini email consentiti" + +#: ../../mod/admin.php:653 +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 "Elenco separato da virgola dei domini permessi come indirizzi email in fase di registrazione a questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." + +#: ../../mod/admin.php:654 +msgid "Block public" +msgstr "Blocca pagine pubbliche" + +#: ../../mod/admin.php:654 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Seleziona per bloccare l'accesso pubblico a tutte le pagine personali di questo sito, a meno di essere loggato." + +#: ../../mod/admin.php:655 +msgid "Force publish" +msgstr "Forza publicazione" + +#: ../../mod/admin.php:655 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Seleziona per forzare tutti i profili di questo sito ad essere compresi nell'elenco di questo sito." + +#: ../../mod/admin.php:656 +msgid "Global directory update URL" +msgstr "URL aggiornamento Elenco Globale" + +#: ../../mod/admin.php:656 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL dell'elenco globale. Se vuoto, l'elenco globale sarà completamente disabilitato." + +#: ../../mod/admin.php:657 +msgid "Allow threaded items" +msgstr "Permetti commenti nidificati" + +#: ../../mod/admin.php:657 +msgid "Allow infinite level threading for items on this site." +msgstr "Permette un infinito livello di nidificazione dei commenti su questo sito." + +#: ../../mod/admin.php:658 +msgid "Private posts by default for new users" +msgstr "Post privati di default per i nuovi utenti" + +#: ../../mod/admin.php:658 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici." + +#: ../../mod/admin.php:659 +msgid "Don't include post content in email notifications" +msgstr "Non includere il contenuto dei post nelle notifiche via email" + +#: ../../mod/admin.php:659 +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 "Non include il contenuti del post/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" + +#: ../../mod/admin.php:660 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." + +#: ../../mod/admin.php:660 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Selezionando questo box si limiterà ai soli membri l'accesso agli addon nel menu applicazioni" + +#: ../../mod/admin.php:661 +msgid "Don't embed private images in posts" +msgstr "Non inglobare immagini private nei post" + +#: ../../mod/admin.php:661 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Non sostituire le foto locali nei post con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i post contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che puo' richiedere un po' di tempo." + +#: ../../mod/admin.php:662 +msgid "Allow Users to set remote_self" +msgstr "Permetti agli utenti di impostare 'io remoto'" + +#: ../../mod/admin.php:662 +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 "Selezionando questo, a tutti gli utenti sarà permesso di impostare qualsiasi contatto come 'io remoto' nella pagina di modifica del contatto. Impostare questa opzione fa si che tutti i messaggi di quel contatto vengano ripetuti nello stream del'utente." + +#: ../../mod/admin.php:663 +msgid "Block multiple registrations" +msgstr "Blocca registrazioni multiple" + +#: ../../mod/admin.php:663 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Non permette all'utente di registrare account extra da usare come pagine." + +#: ../../mod/admin.php:664 +msgid "OpenID support" +msgstr "Supporto OpenID" + +#: ../../mod/admin.php:664 +msgid "OpenID support for registration and logins." +msgstr "Supporta OpenID per la registrazione e il login" + +#: ../../mod/admin.php:665 +msgid "Fullname check" +msgstr "Controllo nome completo" + +#: ../../mod/admin.php:665 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam" + +#: ../../mod/admin.php:666 +msgid "UTF-8 Regular expressions" +msgstr "Espressioni regolari UTF-8" + +#: ../../mod/admin.php:666 +msgid "Use PHP UTF8 regular expressions" +msgstr "Usa le espressioni regolari PHP in UTF8" + +#: ../../mod/admin.php:667 +msgid "Community Page Style" +msgstr "" + +#: ../../mod/admin.php:667 +msgid "" +"Type of community page to show. 'Global community' shows every public " +"posting from an open distributed network that arrived on this server." +msgstr "" + +#: ../../mod/admin.php:668 +msgid "Posts per user on community page" +msgstr "" + +#: ../../mod/admin.php:668 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"'Global Community')" +msgstr "" + +#: ../../mod/admin.php:669 +msgid "Enable OStatus support" +msgstr "Abilita supporto OStatus" + +#: ../../mod/admin.php:669 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente." + +#: ../../mod/admin.php:670 +msgid "OStatus conversation completion interval" +msgstr "Intervallo completamento conversazioni OStatus" + +#: ../../mod/admin.php:670 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "quanto spesso il poller deve controllare se esistono nuovi commenti in una conversazione OStatus? Questo è un lavoro che puo' richiedere molte risorse." + +#: ../../mod/admin.php:671 +msgid "Enable Diaspora support" +msgstr "Abilita il supporto a Diaspora" + +#: ../../mod/admin.php:671 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Fornisce compatibilità con il network Diaspora." + +#: ../../mod/admin.php:672 +msgid "Only allow Friendica contacts" +msgstr "Permetti solo contatti Friendica" + +#: ../../mod/admin.php:672 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Tutti i contatti devono usare il protocollo di Friendica. Tutti gli altri protocolli sono disabilitati." + +#: ../../mod/admin.php:673 +msgid "Verify SSL" +msgstr "Verifica SSL" + +#: ../../mod/admin.php:673 +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 "Se vuoi, puoi abilitare il controllo rigoroso dei certificati.Questo significa che non potrai collegarti (del tutto) con siti con certificati SSL auto-firmati." + +#: ../../mod/admin.php:674 +msgid "Proxy user" +msgstr "Utente Proxy" + +#: ../../mod/admin.php:675 +msgid "Proxy URL" +msgstr "URL Proxy" + +#: ../../mod/admin.php:676 +msgid "Network timeout" +msgstr "Timeout rete" + +#: ../../mod/admin.php:676 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." + +#: ../../mod/admin.php:677 +msgid "Delivery interval" +msgstr "Intervallo di invio" + +#: ../../mod/admin.php:677 +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 "Ritarda il processo di invio in background di n secondi per ridurre il carico di sistema. Raccomandato: 4-5 per host condivisit, 2-3 per VPS. 0-1 per grandi server dedicati." + +#: ../../mod/admin.php:678 +msgid "Poll interval" +msgstr "Intervallo di poll" + +#: ../../mod/admin.php:678 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Ritarda il processo di poll in background di n secondi per ridurre il carico di sistema. Se 0, usa l'intervallo di invio." + +#: ../../mod/admin.php:679 +msgid "Maximum Load Average" +msgstr "Massimo carico medio" + +#: ../../mod/admin.php:679 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Massimo carico di sistema prima che i processi di invio e di poll siano ritardati. Predefinito a 50." + +#: ../../mod/admin.php:681 +msgid "Use MySQL full text engine" +msgstr "Usa il motore MySQL full text" + +#: ../../mod/admin.php:681 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri." + +#: ../../mod/admin.php:682 +msgid "Suppress Language" +msgstr "Disattiva lingua" + +#: ../../mod/admin.php:682 +msgid "Suppress language information in meta information about a posting." +msgstr "Disattiva le informazioni sulla lingua nei meta di un post." + +#: ../../mod/admin.php:683 +msgid "Suppress Tags" +msgstr "" + +#: ../../mod/admin.php:683 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "" + +#: ../../mod/admin.php:684 +msgid "Path to item cache" +msgstr "Percorso cache elementi" + +#: ../../mod/admin.php:685 +msgid "Cache duration in seconds" +msgstr "Durata della cache in secondi" + +#: ../../mod/admin.php:685 +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 "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1." + +#: ../../mod/admin.php:686 +msgid "Maximum numbers of comments per post" +msgstr "Numero massimo di commenti per post" + +#: ../../mod/admin.php:686 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Quanti commenti devono essere mostrati per ogni post? Default : 100." + +#: ../../mod/admin.php:687 +msgid "Path for lock file" +msgstr "Percorso al file di lock" + +#: ../../mod/admin.php:688 +msgid "Temp path" +msgstr "Percorso file temporanei" + +#: ../../mod/admin.php:689 +msgid "Base path to installation" +msgstr "Percorso base all'installazione" + +#: ../../mod/admin.php:690 +msgid "Disable picture proxy" +msgstr "Disabilita il proxy immagini" + +#: ../../mod/admin.php:690 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile." + +#: ../../mod/admin.php:691 +msgid "Enable old style pager" +msgstr "" + +#: ../../mod/admin.php:691 +msgid "" +"The old style pager has page numbers but slows down massively the page " +"speed." +msgstr "" + +#: ../../mod/admin.php:692 +msgid "Only search in tags" +msgstr "" + +#: ../../mod/admin.php:692 +msgid "On large systems the text search can slow down the system extremely." +msgstr "" + +#: ../../mod/admin.php:694 +msgid "New base url" +msgstr "Nuovo url base" + +#: ../../mod/admin.php:711 +msgid "Update has been marked successful" +msgstr "L'aggiornamento è stato segnato come di successo" + +#: ../../mod/admin.php:719 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "Aggiornamento struttura database %s applicata con successo." + +#: ../../mod/admin.php:722 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "Aggiornamento struttura database %s fallita con errore: %s" + +#: ../../mod/admin.php:734 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "Esecuzione di %s fallita con errore: %s" + +#: ../../mod/admin.php:737 +#, php-format +msgid "Update %s was successfully applied." +msgstr "L'aggiornamento %s è stato applicato con successo" + +#: ../../mod/admin.php:741 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine." + +#: ../../mod/admin.php:743 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "Non ci sono altre funzioni di aggiornamento %s da richiamare." + +#: ../../mod/admin.php:762 +msgid "No failed updates." +msgstr "Nessun aggiornamento fallito." + +#: ../../mod/admin.php:763 +msgid "Check database structure" +msgstr "Controlla struttura database" + +#: ../../mod/admin.php:768 +msgid "Failed Updates" +msgstr "Aggiornamenti falliti" + +#: ../../mod/admin.php:769 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato." + +#: ../../mod/admin.php:770 +msgid "Mark success (if update was manually applied)" +msgstr "Segna completato (se l'update è stato applicato manualmente)" + +#: ../../mod/admin.php:771 +msgid "Attempt to execute this update step automatically" +msgstr "Cerco di eseguire questo aggiornamento in automatico" + +#: ../../mod/admin.php:803 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\nGentile %1$s,\n l'amministratore di %2$s ha impostato un account per te." + +#: ../../mod/admin.php:806 +#, php-format +msgid "" +"\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." +msgstr "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %4$s" + +#: ../../mod/admin.php:838 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "Dettagli della registrazione di %s" + +#: ../../mod/admin.php:850 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s utente bloccato/sbloccato" +msgstr[1] "%s utenti bloccati/sbloccati" + +#: ../../mod/admin.php:857 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s utente cancellato" +msgstr[1] "%s utenti cancellati" + +#: ../../mod/admin.php:896 +#, php-format +msgid "User '%s' deleted" +msgstr "Utente '%s' cancellato" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' unblocked" +msgstr "Utente '%s' sbloccato" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' blocked" +msgstr "Utente '%s' bloccato" + +#: ../../mod/admin.php:999 +msgid "Add User" +msgstr "Aggiungi utente" + +#: ../../mod/admin.php:1000 +msgid "select all" +msgstr "seleziona tutti" + +#: ../../mod/admin.php:1001 +msgid "User registrations waiting for confirm" +msgstr "Richieste di registrazione in attesa di conferma" + +#: ../../mod/admin.php:1002 +msgid "User waiting for permanent deletion" +msgstr "Utente in attesa di cancellazione definitiva" + +#: ../../mod/admin.php:1003 +msgid "Request date" +msgstr "Data richiesta" + +#: ../../mod/admin.php:1003 ../../mod/admin.php:1015 ../../mod/admin.php:1016 +#: ../../mod/admin.php:1031 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "Email" + +#: ../../mod/admin.php:1004 +msgid "No registrations." +msgstr "Nessuna registrazione." + +#: ../../mod/admin.php:1006 +msgid "Deny" +msgstr "Nega" + +#: ../../mod/admin.php:1010 +msgid "Site admin" +msgstr "Amministrazione sito" + +#: ../../mod/admin.php:1011 +msgid "Account expired" +msgstr "Account scaduto" + +#: ../../mod/admin.php:1014 +msgid "New User" +msgstr "Nuovo Utente" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Register date" +msgstr "Data registrazione" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last login" +msgstr "Ultimo accesso" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last item" +msgstr "Ultimo elemento" + +#: ../../mod/admin.php:1015 +msgid "Deleted since" +msgstr "Rimosso da" + +#: ../../mod/admin.php:1016 ../../mod/settings.php:36 +msgid "Account" +msgstr "Account" + +#: ../../mod/admin.php:1018 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?" + +#: ../../mod/admin.php:1019 +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 "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?" + +#: ../../mod/admin.php:1029 +msgid "Name of the new user." +msgstr "Nome del nuovo utente." + +#: ../../mod/admin.php:1030 +msgid "Nickname" +msgstr "Nome utente" + +#: ../../mod/admin.php:1030 +msgid "Nickname of the new user." +msgstr "Nome utente del nuovo utente." + +#: ../../mod/admin.php:1031 +msgid "Email address of the new user." +msgstr "Indirizzo Email del nuovo utente." + +#: ../../mod/admin.php:1064 +#, php-format +msgid "Plugin %s disabled." +msgstr "Plugin %s disabilitato." + +#: ../../mod/admin.php:1068 +#, php-format +msgid "Plugin %s enabled." +msgstr "Plugin %s abilitato." + +#: ../../mod/admin.php:1078 ../../mod/admin.php:1294 +msgid "Disable" +msgstr "Disabilita" + +#: ../../mod/admin.php:1080 ../../mod/admin.php:1296 +msgid "Enable" +msgstr "Abilita" + +#: ../../mod/admin.php:1103 ../../mod/admin.php:1324 +msgid "Toggle" +msgstr "Inverti" + +#: ../../mod/admin.php:1111 ../../mod/admin.php:1334 +msgid "Author: " +msgstr "Autore: " + +#: ../../mod/admin.php:1112 ../../mod/admin.php:1335 +msgid "Maintainer: " +msgstr "Manutentore: " + +#: ../../mod/admin.php:1254 +msgid "No themes found." +msgstr "Nessun tema trovato." + +#: ../../mod/admin.php:1316 +msgid "Screenshot" +msgstr "Anteprima" + +#: ../../mod/admin.php:1362 +msgid "[Experimental]" +msgstr "[Sperimentale]" + +#: ../../mod/admin.php:1363 +msgid "[Unsupported]" +msgstr "[Non supportato]" + +#: ../../mod/admin.php:1390 +msgid "Log settings updated." +msgstr "Impostazioni Log aggiornate." + +#: ../../mod/admin.php:1446 +msgid "Clear" +msgstr "Pulisci" + +#: ../../mod/admin.php:1452 +msgid "Enable Debugging" +msgstr "Abilita Debugging" + +#: ../../mod/admin.php:1453 +msgid "Log file" +msgstr "File di Log" + +#: ../../mod/admin.php:1453 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica." + +#: ../../mod/admin.php:1454 +msgid "Log level" +msgstr "Livello di Log" + +#: ../../mod/admin.php:1504 +msgid "Close" +msgstr "Chiudi" + +#: ../../mod/admin.php:1510 +msgid "FTP Host" +msgstr "Indirizzo FTP" + +#: ../../mod/admin.php:1511 +msgid "FTP Path" +msgstr "Percorso FTP" + +#: ../../mod/admin.php:1512 +msgid "FTP User" +msgstr "Utente FTP" + +#: ../../mod/admin.php:1513 +msgid "FTP Password" +msgstr "Pasword FTP" + +#: ../../mod/network.php:142 +msgid "Search Results For:" +msgstr "Cerca risultati per:" + +#: ../../mod/network.php:185 ../../mod/search.php:21 +msgid "Remove term" +msgstr "Rimuovi termine" + +#: ../../mod/network.php:194 ../../mod/search.php:30 +#: ../../include/features.php:42 +msgid "Saved Searches" +msgstr "Ricerche salvate" + +#: ../../mod/network.php:195 ../../include/group.php:275 +msgid "add" +msgstr "aggiungi" + +#: ../../mod/network.php:356 +msgid "Commented Order" +msgstr "Ordina per commento" + +#: ../../mod/network.php:359 +msgid "Sort by Comment Date" +msgstr "Ordina per data commento" + +#: ../../mod/network.php:362 +msgid "Posted Order" +msgstr "Ordina per invio" + +#: ../../mod/network.php:365 +msgid "Sort by Post Date" +msgstr "Ordina per data messaggio" + +#: ../../mod/network.php:374 +msgid "Posts that mention or involve you" +msgstr "Messaggi che ti citano o coinvolgono" + +#: ../../mod/network.php:380 +msgid "New" +msgstr "Nuovo" + +#: ../../mod/network.php:383 +msgid "Activity Stream - by date" +msgstr "Activity Stream - per data" + +#: ../../mod/network.php:389 +msgid "Shared Links" +msgstr "Links condivisi" + +#: ../../mod/network.php:392 +msgid "Interesting Links" +msgstr "Link Interessanti" + +#: ../../mod/network.php:398 +msgid "Starred" +msgstr "Preferiti" + +#: ../../mod/network.php:401 +msgid "Favourite Posts" +msgstr "Messaggi preferiti" + +#: ../../mod/network.php:463 +#, php-format +msgid "Warning: This group contains %s member from an insecure network." +msgid_plural "" +"Warning: This group contains %s members from an insecure network." +msgstr[0] "Attenzione: questo gruppo contiene %s membro da un network insicuro." +msgstr[1] "Attenzione: questo gruppo contiene %s membri da un network insicuro." + +#: ../../mod/network.php:466 +msgid "Private messages to this group are at risk of public disclosure." +msgstr "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente." + +#: ../../mod/network.php:520 ../../mod/content.php:119 +msgid "No such group" +msgstr "Nessun gruppo" + +#: ../../mod/network.php:537 ../../mod/content.php:130 +msgid "Group is empty" +msgstr "Il gruppo è vuoto" + +#: ../../mod/network.php:544 ../../mod/content.php:134 +msgid "Group: " +msgstr "Gruppo: " + +#: ../../mod/network.php:554 +msgid "Contact: " +msgstr "Contatto:" + +#: ../../mod/network.php:556 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente." + +#: ../../mod/network.php:561 +msgid "Invalid contact." +msgstr "Contatto non valido." + +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Amici di %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Nessun amico da visualizzare." + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Titolo e ora di inizio dell'evento sono richiesti." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l j F" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Modifca l'evento" + +#: ../../mod/events.php:335 ../../include/text.php:1647 +#: ../../include/text.php:1657 +msgid "link to source" +msgstr "Collegamento all'originale" + +#: ../../mod/events.php:370 ../../boot.php:2143 ../../include/nav.php:80 +#: ../../view/theme/diabook/theme.php:127 +msgid "Events" +msgstr "Eventi" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Crea un nuovo evento" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Precendente" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Successivo" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "ora:minuti" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Dettagli dell'evento" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Il formato è %s %s. Data di inizio e Titolo sono richiesti." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "L'evento inizia:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Richiesto" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "La data/ora di fine non è definita" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "L'evento finisce:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "Visualizza con il fuso orario di chi legge" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Descrizione:" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1648 +#: ../../include/bb2diaspora.php:170 ../../include/event.php:40 +msgid "Location:" +msgstr "Posizione:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Titolo:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Condividi questo evento" + +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../mod/photos.php:1653 ../../object/Item.php:129 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "Seleziona" + +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Vedi il profilo di %s @ %s" + +#: ../../mod/content.php:481 ../../mod/content.php:864 +#: ../../object/Item.php:340 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s da %s" + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "Vedi nel contesto" + +#: ../../mod/content.php:603 ../../object/Item.php:387 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d commento" +msgstr[1] "%d commenti" + +#: ../../mod/content.php:605 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../include/text.php:1972 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "commento" + +#: ../../mod/content.php:606 ../../boot.php:751 ../../object/Item.php:390 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "mostra di più" + +#: ../../mod/content.php:620 ../../mod/photos.php:1359 +#: ../../object/Item.php:116 +msgid "Private Message" +msgstr "Messaggio privato" + +#: ../../mod/content.php:684 ../../mod/photos.php:1542 +#: ../../object/Item.php:231 +msgid "I like this (toggle)" +msgstr "Mi piace (clic per cambiare)" + +#: ../../mod/content.php:684 ../../object/Item.php:231 +msgid "like" +msgstr "mi piace" + +#: ../../mod/content.php:685 ../../mod/photos.php:1543 +#: ../../object/Item.php:232 +msgid "I don't like this (toggle)" +msgstr "Non mi piace (clic per cambiare)" + +#: ../../mod/content.php:685 ../../object/Item.php:232 +msgid "dislike" +msgstr "non mi piace" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "Share this" +msgstr "Condividi questo" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "share" +msgstr "condividi" + +#: ../../mod/content.php:707 ../../mod/photos.php:1562 +#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 +#: ../../object/Item.php:675 +msgid "This is you" +msgstr "Questo sei tu" + +#: ../../mod/content.php:709 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 ../../boot.php:750 +#: ../../object/Item.php:361 ../../object/Item.php:677 +msgid "Comment" +msgstr "Commento" + +#: ../../mod/content.php:711 ../../object/Item.php:679 +msgid "Bold" +msgstr "Grassetto" + +#: ../../mod/content.php:712 ../../object/Item.php:680 +msgid "Italic" +msgstr "Corsivo" + +#: ../../mod/content.php:713 ../../object/Item.php:681 +msgid "Underline" +msgstr "Sottolineato" + +#: ../../mod/content.php:714 ../../object/Item.php:682 +msgid "Quote" +msgstr "Citazione" + +#: ../../mod/content.php:715 ../../object/Item.php:683 +msgid "Code" +msgstr "Codice" + +#: ../../mod/content.php:716 ../../object/Item.php:684 +msgid "Image" +msgstr "Immagine" + +#: ../../mod/content.php:717 ../../object/Item.php:685 +msgid "Link" +msgstr "Link" + +#: ../../mod/content.php:718 ../../object/Item.php:686 +msgid "Video" +msgstr "Video" + +#: ../../mod/content.php:719 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1566 ../../mod/photos.php:1610 +#: ../../mod/photos.php:1698 ../../object/Item.php:687 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "Anteprima" + +#: ../../mod/content.php:728 ../../mod/settings.php:676 +#: ../../object/Item.php:120 +msgid "Edit" +msgstr "Modifica" + +#: ../../mod/content.php:753 ../../object/Item.php:195 +msgid "add star" +msgstr "aggiungi a speciali" + +#: ../../mod/content.php:754 ../../object/Item.php:196 +msgid "remove star" +msgstr "rimuovi da speciali" + +#: ../../mod/content.php:755 ../../object/Item.php:197 +msgid "toggle star status" +msgstr "Inverti stato preferito" + +#: ../../mod/content.php:758 ../../object/Item.php:200 +msgid "starred" +msgstr "preferito" + +#: ../../mod/content.php:759 ../../object/Item.php:220 +msgid "add tag" +msgstr "aggiungi tag" + +#: ../../mod/content.php:763 ../../object/Item.php:133 +msgid "save to folder" +msgstr "salva nella cartella" + +#: ../../mod/content.php:854 ../../object/Item.php:328 +msgid "to" +msgstr "a" + +#: ../../mod/content.php:855 ../../object/Item.php:330 +msgid "Wall-to-Wall" +msgstr "Da bacheca a bacheca" + +#: ../../mod/content.php:856 ../../object/Item.php:331 +msgid "via Wall-To-Wall:" +msgstr "da bacheca a bacheca" + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Rimuovi il mio account" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Inserisci la tua password per verifica:" #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" @@ -5145,78 +3530,68 @@ msgid "" "poller." msgstr "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller." -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Gruppo creato." - -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "Impossibile creare il gruppo." - -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Gruppo non trovato." - -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Il nome del gruppo è cambiato." - -#: ../../mod/group.php:87 -msgid "Save Group" -msgstr "Salva gruppo" - -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Crea un gruppo di amici/contatti." - -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Nome del gruppo:" - -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Gruppo rimosso." - -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Impossibile rimuovere il gruppo." - -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Modifica gruppo" - -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Membri" - -#: ../../mod/content.php:119 ../../mod/network.php:514 -msgid "No such group" -msgstr "Nessun gruppo" - -#: ../../mod/content.php:130 ../../mod/network.php:531 -msgid "Group is empty" -msgstr "Il gruppo è vuoto" - -#: ../../mod/content.php:134 ../../mod/network.php:538 -msgid "Group: " -msgstr "Gruppo: " - -#: ../../mod/content.php:497 ../../include/conversation.php:690 -msgid "View in context" -msgstr "Vedi nel contesto" - -#: ../../mod/regmod.php:55 -msgid "Account approved." -msgstr "Account approvato." - -#: ../../mod/regmod.php:92 +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 #, php-format -msgid "Registration revoked for %s" -msgstr "Registrazione revocata per %s" +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Numero giornaliero di messaggi per %s superato. Invio fallito." -#: ../../mod/regmod.php:104 -msgid "Please login." -msgstr "Accedi." +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "Impossibile controllare la tua posizione di origine." + +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Nessun destinatario." + +#: ../../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 "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti." + +#: ../../mod/help.php:79 +msgid "Help:" +msgstr "Guida:" + +#: ../../mod/help.php:84 ../../include/nav.php:114 +msgid "Help" +msgstr "Guida" + +#: ../../mod/help.php:90 ../../index.php:256 +msgid "Not Found" +msgstr "Non trovato" + +#: ../../mod/help.php:93 ../../index.php:259 +msgid "Page not found." +msgstr "Pagina non trovata." + +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "%s dà il benvenuto a %s" + +#: ../../mod/home.php:35 +#, php-format +msgid "Welcome to %s" +msgstr "Benvenuto su %s" + +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta" + +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "O.. non avrai provato a caricare un file vuoto?" + +#: ../../mod/wall_attach.php:81 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "Il file supera la dimensione massima di %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Caricamento del file non riuscito." #: ../../mod/match.php:12 msgid "Profile Match" @@ -5230,40 +3605,1042 @@ msgstr "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo p msgid "is interested in:" msgstr "è interessato a:" -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "Impossibile trovare il messaggio originale." +#: ../../mod/match.php:58 ../../mod/suggest.php:90 ../../boot.php:1568 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "Connetti" -#: ../../mod/item.php:326 -msgid "Empty post discarded." -msgstr "Messaggio vuoto scartato." +#: ../../mod/share.php:44 +msgid "link" +msgstr "collegamento" -#: ../../mod/item.php:919 -msgid "System error. Post not saved." -msgstr "Errore di sistema. Messaggio non salvato." +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Non disponibile." -#: ../../mod/item.php:945 +#: ../../mod/community.php:32 ../../include/nav.php:129 +#: ../../include/nav.php:131 ../../view/theme/diabook/theme.php:129 +msgid "Community" +msgstr "Comunità" + +#: ../../mod/community.php:62 ../../mod/community.php:71 +#: ../../mod/search.php:168 ../../mod/search.php:192 +msgid "No results." +msgstr "Nessun risultato." + +#: ../../mod/settings.php:29 ../../mod/photos.php:80 +msgid "everybody" +msgstr "tutti" + +#: ../../mod/settings.php:41 +msgid "Additional features" +msgstr "Funzionalità aggiuntive" + +#: ../../mod/settings.php:46 +msgid "Display" +msgstr "Visualizzazione" + +#: ../../mod/settings.php:52 ../../mod/settings.php:780 +msgid "Social Networks" +msgstr "Social Networks" + +#: ../../mod/settings.php:62 ../../include/nav.php:170 +msgid "Delegations" +msgstr "Delegazioni" + +#: ../../mod/settings.php:67 +msgid "Connected apps" +msgstr "Applicazioni collegate" + +#: ../../mod/settings.php:72 ../../mod/uexport.php:85 +msgid "Export personal data" +msgstr "Esporta dati personali" + +#: ../../mod/settings.php:77 +msgid "Remove account" +msgstr "Rimuovi account" + +#: ../../mod/settings.php:129 +msgid "Missing some important data!" +msgstr "Mancano alcuni dati importanti!" + +#: ../../mod/settings.php:238 +msgid "Failed to connect with email account using the settings provided." +msgstr "Impossibile collegarsi all'account email con i parametri forniti." + +#: ../../mod/settings.php:243 +msgid "Email settings updated." +msgstr "Impostazioni e-mail aggiornate." + +#: ../../mod/settings.php:258 +msgid "Features updated" +msgstr "Funzionalità aggiornate" + +#: ../../mod/settings.php:321 +msgid "Relocate message has been send to your contacts" +msgstr "Il messaggio di trasloco è stato inviato ai tuoi contatti" + +#: ../../mod/settings.php:335 +msgid "Passwords do not match. Password unchanged." +msgstr "Le password non corrispondono. Password non cambiata." + +#: ../../mod/settings.php:340 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Le password non possono essere vuote. Password non cambiata." + +#: ../../mod/settings.php:348 +msgid "Wrong password." +msgstr "Password sbagliata." + +#: ../../mod/settings.php:359 +msgid "Password changed." +msgstr "Password cambiata." + +#: ../../mod/settings.php:361 +msgid "Password update failed. Please try again." +msgstr "Aggiornamento password fallito. Prova ancora." + +#: ../../mod/settings.php:428 +msgid " Please use a shorter name." +msgstr " Usa un nome più corto." + +#: ../../mod/settings.php:430 +msgid " Name too short." +msgstr " Nome troppo corto." + +#: ../../mod/settings.php:439 +msgid "Wrong Password" +msgstr "Password Sbagliata" + +#: ../../mod/settings.php:444 +msgid " Not valid email." +msgstr " Email non valida." + +#: ../../mod/settings.php:450 +msgid " Cannot change to that email." +msgstr "Non puoi usare quella email." + +#: ../../mod/settings.php:506 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito." + +#: ../../mod/settings.php:510 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito." + +#: ../../mod/settings.php:540 +msgid "Settings updated." +msgstr "Impostazioni aggiornate." + +#: ../../mod/settings.php:613 ../../mod/settings.php:639 +#: ../../mod/settings.php:675 +msgid "Add application" +msgstr "Aggiungi applicazione" + +#: ../../mod/settings.php:617 ../../mod/settings.php:643 +msgid "Consumer Key" +msgstr "Consumer Key" + +#: ../../mod/settings.php:618 ../../mod/settings.php:644 +msgid "Consumer Secret" +msgstr "Consumer Secret" + +#: ../../mod/settings.php:619 ../../mod/settings.php:645 +msgid "Redirect" +msgstr "Redirect" + +#: ../../mod/settings.php:620 ../../mod/settings.php:646 +msgid "Icon url" +msgstr "Url icona" + +#: ../../mod/settings.php:631 +msgid "You can't edit this application." +msgstr "Non puoi modificare questa applicazione." + +#: ../../mod/settings.php:674 +msgid "Connected Apps" +msgstr "Applicazioni Collegate" + +#: ../../mod/settings.php:678 +msgid "Client key starts with" +msgstr "Chiave del client inizia con" + +#: ../../mod/settings.php:679 +msgid "No name" +msgstr "Nessun nome" + +#: ../../mod/settings.php:680 +msgid "Remove authorization" +msgstr "Rimuovi l'autorizzazione" + +#: ../../mod/settings.php:692 +msgid "No Plugin settings configured" +msgstr "Nessun plugin ha impostazioni modificabili" + +#: ../../mod/settings.php:700 +msgid "Plugin Settings" +msgstr "Impostazioni plugin" + +#: ../../mod/settings.php:714 +msgid "Off" +msgstr "Spento" + +#: ../../mod/settings.php:714 +msgid "On" +msgstr "Acceso" + +#: ../../mod/settings.php:722 +msgid "Additional Features" +msgstr "Funzionalità aggiuntive" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Il supporto integrato per la connettività con %s è %s" + +#: ../../mod/settings.php:736 ../../mod/dfrn_request.php:838 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +msgid "enabled" +msgstr "abilitato" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +msgid "disabled" +msgstr "disabilitato" + +#: ../../mod/settings.php:737 +msgid "StatusNet" +msgstr "StatusNet" + +#: ../../mod/settings.php:773 +msgid "Email access is disabled on this site." +msgstr "L'accesso email è disabilitato su questo sito." + +#: ../../mod/settings.php:785 +msgid "Email/Mailbox Setup" +msgstr "Impostazioni email" + +#: ../../mod/settings.php:786 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)" + +#: ../../mod/settings.php:787 +msgid "Last successful email check:" +msgstr "Ultimo controllo email eseguito con successo:" + +#: ../../mod/settings.php:789 +msgid "IMAP server name:" +msgstr "Nome server IMAP:" + +#: ../../mod/settings.php:790 +msgid "IMAP port:" +msgstr "Porta IMAP:" + +#: ../../mod/settings.php:791 +msgid "Security:" +msgstr "Sicurezza:" + +#: ../../mod/settings.php:791 ../../mod/settings.php:796 +msgid "None" +msgstr "Nessuna" + +#: ../../mod/settings.php:792 +msgid "Email login name:" +msgstr "Nome utente email:" + +#: ../../mod/settings.php:793 +msgid "Email password:" +msgstr "Password email:" + +#: ../../mod/settings.php:794 +msgid "Reply-to address:" +msgstr "Indirizzo di risposta:" + +#: ../../mod/settings.php:795 +msgid "Send public posts to all email contacts:" +msgstr "Invia i messaggi pubblici ai contatti email:" + +#: ../../mod/settings.php:796 +msgid "Action after import:" +msgstr "Azione post importazione:" + +#: ../../mod/settings.php:796 +msgid "Mark as seen" +msgstr "Segna come letto" + +#: ../../mod/settings.php:796 +msgid "Move to folder" +msgstr "Sposta nella cartella" + +#: ../../mod/settings.php:797 +msgid "Move to folder:" +msgstr "Sposta nella cartella:" + +#: ../../mod/settings.php:878 +msgid "Display Settings" +msgstr "Impostazioni Grafiche" + +#: ../../mod/settings.php:884 ../../mod/settings.php:899 +msgid "Display Theme:" +msgstr "Tema:" + +#: ../../mod/settings.php:885 +msgid "Mobile Theme:" +msgstr "Tema mobile:" + +#: ../../mod/settings.php:886 +msgid "Update browser every xx seconds" +msgstr "Aggiorna il browser ogni x secondi" + +#: ../../mod/settings.php:886 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Minimo 10 secondi, nessun limite massimo" + +#: ../../mod/settings.php:887 +msgid "Number of items to display per page:" +msgstr "Numero di elementi da mostrare per pagina:" + +#: ../../mod/settings.php:887 ../../mod/settings.php:888 +msgid "Maximum of 100 items" +msgstr "Massimo 100 voci" + +#: ../../mod/settings.php:888 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:" + +#: ../../mod/settings.php:889 +msgid "Don't show emoticons" +msgstr "Non mostrare le emoticons" + +#: ../../mod/settings.php:890 +msgid "Don't show notices" +msgstr "Non mostrare gli avvisi" + +#: ../../mod/settings.php:891 +msgid "Infinite scroll" +msgstr "Scroll infinito" + +#: ../../mod/settings.php:892 +msgid "Automatic updates only at the top of the network page" +msgstr "Aggiornamenti automatici solo in cima alla pagina \"rete\"" + +#: ../../mod/settings.php:969 +msgid "User Types" +msgstr "Tipi di Utenti" + +#: ../../mod/settings.php:970 +msgid "Community Types" +msgstr "Tipi di Comunità" + +#: ../../mod/settings.php:971 +msgid "Normal Account Page" +msgstr "Pagina Account Normale" + +#: ../../mod/settings.php:972 +msgid "This account is a normal personal profile" +msgstr "Questo account è un normale profilo personale" + +#: ../../mod/settings.php:975 +msgid "Soapbox Page" +msgstr "Pagina Sandbox" + +#: ../../mod/settings.php:976 +msgid "Automatically approve all connection/friend requests as read-only fans" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca" + +#: ../../mod/settings.php:979 +msgid "Community Forum/Celebrity Account" +msgstr "Account Celebrità/Forum comunitario" + +#: ../../mod/settings.php:980 +msgid "" +"Automatically approve all connection/friend requests as read-write fans" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca" + +#: ../../mod/settings.php:983 +msgid "Automatic Friend Page" +msgstr "Pagina con amicizia automatica" + +#: ../../mod/settings.php:984 +msgid "Automatically approve all connection/friend requests as friends" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico" + +#: ../../mod/settings.php:987 +msgid "Private Forum [Experimental]" +msgstr "Forum privato [sperimentale]" + +#: ../../mod/settings.php:988 +msgid "Private forum - approved members only" +msgstr "Forum privato - solo membri approvati" + +#: ../../mod/settings.php:1000 +msgid "OpenID:" +msgstr "OpenID:" + +#: ../../mod/settings.php:1000 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(Opzionale) Consente di loggarti in questo account con questo OpenID" + +#: ../../mod/settings.php:1010 +msgid "Publish your default profile in your local site directory?" +msgstr "Pubblica il tuo profilo predefinito nell'elenco locale del sito" + +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:234 ../../mod/profiles.php:661 +#: ../../mod/profiles.php:665 ../../mod/api.php:106 +msgid "No" +msgstr "No" + +#: ../../mod/settings.php:1016 +msgid "Publish your default profile in the global social directory?" +msgstr "Pubblica il tuo profilo predefinito nell'elenco sociale globale" + +#: ../../mod/settings.php:1024 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito" + +#: ../../mod/settings.php:1028 ../../include/conversation.php:1057 +msgid "Hide your profile details from unknown viewers?" +msgstr "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?" + +#: ../../mod/settings.php:1028 +msgid "" +"If enabled, posting public messages to Diaspora and other networks isn't " +"possible." +msgstr "" + +#: ../../mod/settings.php:1033 +msgid "Allow friends to post to your profile page?" +msgstr "Permetti agli amici di scrivere sulla tua pagina profilo?" + +#: ../../mod/settings.php:1039 +msgid "Allow friends to tag your posts?" +msgstr "Permetti agli amici di taggare i tuoi messaggi?" + +#: ../../mod/settings.php:1045 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Ci permetti di suggerirti come potenziale amico ai nuovi membri?" + +#: ../../mod/settings.php:1051 +msgid "Permit unknown people to send you private mail?" +msgstr "Permetti a utenti sconosciuti di inviarti messaggi privati?" + +#: ../../mod/settings.php:1059 +msgid "Profile is not published." +msgstr "Il profilo non è pubblicato." + +#: ../../mod/settings.php:1067 +msgid "Your Identity Address is" +msgstr "L'indirizzo della tua identità è" + +#: ../../mod/settings.php:1078 +msgid "Automatically expire posts after this many days:" +msgstr "Fai scadere i post automaticamente dopo x giorni:" + +#: ../../mod/settings.php:1078 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Se lasciato vuoto, i messaggi non verranno cancellati." + +#: ../../mod/settings.php:1079 +msgid "Advanced expiration settings" +msgstr "Impostazioni avanzate di scandenza" + +#: ../../mod/settings.php:1080 +msgid "Advanced Expiration" +msgstr "Scadenza avanzata" + +#: ../../mod/settings.php:1081 +msgid "Expire posts:" +msgstr "Fai scadere i post:" + +#: ../../mod/settings.php:1082 +msgid "Expire personal notes:" +msgstr "Fai scadere le Note personali:" + +#: ../../mod/settings.php:1083 +msgid "Expire starred posts:" +msgstr "Fai scadere i post Speciali:" + +#: ../../mod/settings.php:1084 +msgid "Expire photos:" +msgstr "Fai scadere le foto:" + +#: ../../mod/settings.php:1085 +msgid "Only expire posts by others:" +msgstr "Fai scadere solo i post degli altri:" + +#: ../../mod/settings.php:1111 +msgid "Account Settings" +msgstr "Impostazioni account" + +#: ../../mod/settings.php:1119 +msgid "Password Settings" +msgstr "Impostazioni password" + +#: ../../mod/settings.php:1120 +msgid "New Password:" +msgstr "Nuova password:" + +#: ../../mod/settings.php:1121 +msgid "Confirm:" +msgstr "Conferma:" + +#: ../../mod/settings.php:1121 +msgid "Leave password fields blank unless changing" +msgstr "Lascia questi campi in bianco per non effettuare variazioni alla password" + +#: ../../mod/settings.php:1122 +msgid "Current Password:" +msgstr "Password Attuale:" + +#: ../../mod/settings.php:1122 ../../mod/settings.php:1123 +msgid "Your current password to confirm the changes" +msgstr "La tua password attuale per confermare le modifiche" + +#: ../../mod/settings.php:1123 +msgid "Password:" +msgstr "Password:" + +#: ../../mod/settings.php:1127 +msgid "Basic Settings" +msgstr "Impostazioni base" + +#: ../../mod/settings.php:1128 ../../include/profile_advanced.php:15 +msgid "Full Name:" +msgstr "Nome completo:" + +#: ../../mod/settings.php:1129 +msgid "Email Address:" +msgstr "Indirizzo Email:" + +#: ../../mod/settings.php:1130 +msgid "Your Timezone:" +msgstr "Il tuo fuso orario:" + +#: ../../mod/settings.php:1131 +msgid "Default Post Location:" +msgstr "Località predefinita:" + +#: ../../mod/settings.php:1132 +msgid "Use Browser Location:" +msgstr "Usa la località rilevata dal browser:" + +#: ../../mod/settings.php:1135 +msgid "Security and Privacy Settings" +msgstr "Impostazioni di sicurezza e privacy" + +#: ../../mod/settings.php:1137 +msgid "Maximum Friend Requests/Day:" +msgstr "Numero massimo di richieste di amicizia al giorno:" + +#: ../../mod/settings.php:1137 ../../mod/settings.php:1167 +msgid "(to prevent spam abuse)" +msgstr "(per prevenire lo spam)" + +#: ../../mod/settings.php:1138 +msgid "Default Post Permissions" +msgstr "Permessi predefiniti per i messaggi" + +#: ../../mod/settings.php:1139 +msgid "(click to open/close)" +msgstr "(clicca per aprire/chiudere)" + +#: ../../mod/settings.php:1148 ../../mod/photos.php:1146 +#: ../../mod/photos.php:1519 +msgid "Show to Groups" +msgstr "Mostra ai gruppi" + +#: ../../mod/settings.php:1149 ../../mod/photos.php:1147 +#: ../../mod/photos.php:1520 +msgid "Show to Contacts" +msgstr "Mostra ai contatti" + +#: ../../mod/settings.php:1150 +msgid "Default Private Post" +msgstr "Default Post Privato" + +#: ../../mod/settings.php:1151 +msgid "Default Public Post" +msgstr "Default Post Pubblico" + +#: ../../mod/settings.php:1155 +msgid "Default Permissions for New Posts" +msgstr "Permessi predefiniti per i nuovi post" + +#: ../../mod/settings.php:1167 +msgid "Maximum private messages per day from unknown people:" +msgstr "Numero massimo di messaggi privati da utenti sconosciuti per giorno:" + +#: ../../mod/settings.php:1170 +msgid "Notification Settings" +msgstr "Impostazioni notifiche" + +#: ../../mod/settings.php:1171 +msgid "By default post a status message when:" +msgstr "Invia un messaggio di stato quando:" + +#: ../../mod/settings.php:1172 +msgid "accepting a friend request" +msgstr "accetti una richiesta di amicizia" + +#: ../../mod/settings.php:1173 +msgid "joining a forum/community" +msgstr "ti unisci a un forum/comunità" + +#: ../../mod/settings.php:1174 +msgid "making an interesting profile change" +msgstr "fai un interessante modifica al profilo" + +#: ../../mod/settings.php:1175 +msgid "Send a notification email when:" +msgstr "Invia una mail di notifica quando:" + +#: ../../mod/settings.php:1176 +msgid "You receive an introduction" +msgstr "Ricevi una presentazione" + +#: ../../mod/settings.php:1177 +msgid "Your introductions are confirmed" +msgstr "Le tue presentazioni sono confermate" + +#: ../../mod/settings.php:1178 +msgid "Someone writes on your profile wall" +msgstr "Qualcuno scrive sulla bacheca del tuo profilo" + +#: ../../mod/settings.php:1179 +msgid "Someone writes a followup comment" +msgstr "Qualcuno scrive un commento a un tuo messaggio" + +#: ../../mod/settings.php:1180 +msgid "You receive a private message" +msgstr "Ricevi un messaggio privato" + +#: ../../mod/settings.php:1181 +msgid "You receive a friend suggestion" +msgstr "Hai ricevuto un suggerimento di amicizia" + +#: ../../mod/settings.php:1182 +msgid "You are tagged in a post" +msgstr "Sei stato taggato in un post" + +#: ../../mod/settings.php:1183 +msgid "You are poked/prodded/etc. in a post" +msgstr "Sei 'toccato'/'spronato'/ecc. in un post" + +#: ../../mod/settings.php:1185 +msgid "Text-only notification emails" +msgstr "" + +#: ../../mod/settings.php:1187 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: ../../mod/settings.php:1189 +msgid "Advanced Account/Page Type Settings" +msgstr "Impostazioni avanzate Account/Tipo di pagina" + +#: ../../mod/settings.php:1190 +msgid "Change the behaviour of this account for special situations" +msgstr "Modifica il comportamento di questo account in situazioni speciali" + +#: ../../mod/settings.php:1193 +msgid "Relocate" +msgstr "Trasloca" + +#: ../../mod/settings.php:1194 +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 "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone." + +#: ../../mod/settings.php:1195 +msgid "Resend relocate message to contacts" +msgstr "Reinvia il messaggio di trasloco" + +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Questa presentazione è già stata accettata." + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "L'indirizzo del profilo non è valido o non contiene un profilo." + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario." + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Attenzione: l'indirizzo del profilo non ha una foto." + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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 parametro richiesto non è stato trovato all'indirizzo dato" +msgstr[1] "%d parametri richiesti non sono stati trovati all'indirizzo dato" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Presentazione completa." + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Errore di comunicazione." + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profilo non disponibile." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s ha ricevuto troppe richieste di connessione per oggi." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Sono state attivate le misure di protezione contro lo spam." + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Gli amici sono pregati di riprovare tra 24 ore." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Invalid locator" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Indirizzo email non valido." + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Questo account non è stato configurato per l'email. Richiesta fallita." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Impossibile risolvere il tuo nome nella posizione indicata." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Ti sei già presentato qui." + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Pare che tu e %s siate già amici." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "Indirizzo profilo non valido." + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "Indirizzo profilo non permesso." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "La tua presentazione è stata inviata." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Accedi per confermare la presentazione." + +#: ../../mod/dfrn_request.php:660 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo." + +#: ../../mod/dfrn_request.php:671 +msgid "Hide this contact" +msgstr "Nascondi questo contatto" + +#: ../../mod/dfrn_request.php:674 +#, php-format +msgid "Welcome home %s." +msgstr "Bentornato a casa %s." + +#: ../../mod/dfrn_request.php:675 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Conferma la tua richiesta di connessione con %s." + +#: ../../mod/dfrn_request.php:676 +msgid "Confirm" +msgstr "Conferma" + +#: ../../mod/dfrn_request.php:804 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:" + +#: ../../mod/dfrn_request.php:824 +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 "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi" + +#: ../../mod/dfrn_request.php:827 +msgid "Friend/Connection Request" +msgstr "Richieste di amicizia/connessione" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:829 +msgid "Please answer the following:" +msgstr "Rispondi:" + +#: ../../mod/dfrn_request.php:830 +#, php-format +msgid "Does %s know you?" +msgstr "%s ti conosce?" + +#: ../../mod/dfrn_request.php:834 +msgid "Add a personal note:" +msgstr "Aggiungi una nota personale:" + +#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:837 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/Federated Social Web" + +#: ../../mod/dfrn_request.php:839 #, php-format msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica." +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora." -#: ../../mod/item.php:947 -#, php-format -msgid "You may visit them online at %s" -msgstr "Puoi visitarli online su %s" +#: ../../mod/dfrn_request.php:840 +msgid "Your Identity Address:" +msgstr "L'indirizzo della tua identità:" -#: ../../mod/item.php:948 +#: ../../mod/dfrn_request.php:843 +msgid "Submit Request" +msgstr "Invia richiesta" + +#: ../../mod/register.php:90 msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi." +"Registration successful. Please check your email for further instructions." +msgstr "Registrazione completata. Controlla la tua mail per ulteriori informazioni." -#: ../../mod/item.php:952 +#: ../../mod/register.php:96 #, php-format -msgid "%s posted an update." -msgstr "%s ha inviato un aggiornamento." +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 +msgid "Your registration can not be processed." +msgstr "La tua registrazione non puo' essere elaborata." + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "La tua richiesta è in attesa di approvazione da parte del prorietario del sito." + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani." + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'." + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera." + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "Il tuo OpenID (opzionale): " + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "Includi il tuo profilo nell'elenco pubblico?" + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "La registrazione su questo sito è solo su invito." + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "L'ID del tuo invito:" + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Il tuo nome completo (es. Mario Rossi): " + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "Il tuo indirizzo email: " + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@$sitename'." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "Scegli un nome utente: " + +#: ../../mod/register.php:269 ../../boot.php:1241 ../../include/nav.php:109 +msgid "Register" +msgstr "Registrati" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Importa" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "Importa il tuo profilo in questo server friendica" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "Sistema in manutenzione" + +#: ../../mod/search.php:99 ../../include/text.php:953 +#: ../../include/text.php:954 ../../include/nav.php:119 +msgid "Search" +msgstr "Cerca" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "Elenco globale" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Cerca nel sito" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Elenco del sito" + +#: ../../mod/directory.php:113 ../../mod/profiles.php:750 +msgid "Age: " +msgstr "Età : " + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Genere:" + +#: ../../mod/directory.php:138 ../../boot.php:1650 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "Genere:" + +#: ../../mod/directory.php:140 ../../boot.php:1653 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "Stato:" + +#: ../../mod/directory.php:142 ../../boot.php:1655 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "Homepage:" + +#: ../../mod/directory.php:144 ../../boot.php:1657 +#: ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "Informazioni:" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Nessuna voce (qualche voce potrebbe essere nascosta)." + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "Nessun potenziale delegato per la pagina è stato trovato." + +#: ../../mod/delegate.php:130 ../../include/nav.php:170 +msgid "Delegate Page Management" +msgstr "Gestione delegati per la pagina" + +#: ../../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 "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente." + +#: ../../mod/delegate.php:133 +msgid "Existing Page Managers" +msgstr "Gestori Pagina Esistenti" + +#: ../../mod/delegate.php:135 +msgid "Existing Page Delegates" +msgstr "Delegati Pagina Esistenti" + +#: ../../mod/delegate.php:137 +msgid "Potential Delegates" +msgstr "Delegati Potenziali" + +#: ../../mod/delegate.php:140 +msgid "Add" +msgstr "Aggiungi" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "Nessun articolo." + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Amici in comune" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Nessun contatto in comune." + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Esporta account" + +#: ../../mod/uexport.php:77 +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 "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server." + +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Esporta tutto" + +#: ../../mod/uexport.php:78 +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 "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)" #: ../../mod/mood.php:62 ../../include/conversation.php:227 #, php-format @@ -5278,544 +4655,1149 @@ msgstr "Umore" msgid "Set your current mood and tell your friends" msgstr "Condividi il tuo umore con i tuoi amici" -#: ../../mod/network.php:136 -msgid "Search Results For:" -msgstr "Cerca risultati per:" +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "Vuoi veramente cancellare questo suggerimento?" -#: ../../mod/network.php:189 ../../include/group.php:275 -msgid "add" -msgstr "aggiungi" +#: ../../mod/suggest.php:68 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:527 +msgid "Friend Suggestions" +msgstr "Contatti suggeriti" -#: ../../mod/network.php:350 -msgid "Commented Order" -msgstr "Ordina per commento" +#: ../../mod/suggest.php:74 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore." -#: ../../mod/network.php:353 -msgid "Sort by Comment Date" -msgstr "Ordina per data commento" +#: ../../mod/suggest.php:92 +msgid "Ignore/Hide" +msgstr "Ignora / Nascondi" -#: ../../mod/network.php:356 -msgid "Posted Order" -msgstr "Ordina per invio" +#: ../../mod/profiles.php:37 +msgid "Profile deleted." +msgstr "Profilo elminato." -#: ../../mod/network.php:359 -msgid "Sort by Post Date" -msgstr "Ordina per data messaggio" +#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 +msgid "Profile-" +msgstr "Profilo-" -#: ../../mod/network.php:368 -msgid "Posts that mention or involve you" -msgstr "Messaggi che ti citano o coinvolgono" +#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 +msgid "New profile created." +msgstr "Il nuovo profilo è stato creato." -#: ../../mod/network.php:374 -msgid "New" -msgstr "Nuovo" +#: ../../mod/profiles.php:95 +msgid "Profile unavailable to clone." +msgstr "Impossibile duplicare il profilo." -#: ../../mod/network.php:377 -msgid "Activity Stream - by date" -msgstr "Activity Stream - per data" +#: ../../mod/profiles.php:189 +msgid "Profile Name is required." +msgstr "Il nome profilo è obbligatorio ." -#: ../../mod/network.php:383 -msgid "Shared Links" -msgstr "Links condivisi" +#: ../../mod/profiles.php:340 +msgid "Marital Status" +msgstr "Stato civile" -#: ../../mod/network.php:386 -msgid "Interesting Links" -msgstr "Link Interessanti" +#: ../../mod/profiles.php:344 +msgid "Romantic Partner" +msgstr "Partner romantico" -#: ../../mod/network.php:392 -msgid "Starred" -msgstr "Preferiti" +#: ../../mod/profiles.php:348 +msgid "Likes" +msgstr "Mi piace" -#: ../../mod/network.php:395 -msgid "Favourite Posts" -msgstr "Messaggi preferiti" +#: ../../mod/profiles.php:352 +msgid "Dislikes" +msgstr "Non mi piace" -#: ../../mod/network.php:457 +#: ../../mod/profiles.php:356 +msgid "Work/Employment" +msgstr "Lavoro/Impiego" + +#: ../../mod/profiles.php:359 +msgid "Religion" +msgstr "Religione" + +#: ../../mod/profiles.php:363 +msgid "Political Views" +msgstr "Orientamento Politico" + +#: ../../mod/profiles.php:367 +msgid "Gender" +msgstr "Sesso" + +#: ../../mod/profiles.php:371 +msgid "Sexual Preference" +msgstr "Preferenza sessuale" + +#: ../../mod/profiles.php:375 +msgid "Homepage" +msgstr "Homepage" + +#: ../../mod/profiles.php:379 ../../mod/profiles.php:698 +msgid "Interests" +msgstr "Interessi" + +#: ../../mod/profiles.php:383 +msgid "Address" +msgstr "Indirizzo" + +#: ../../mod/profiles.php:390 ../../mod/profiles.php:694 +msgid "Location" +msgstr "Posizione" + +#: ../../mod/profiles.php:473 +msgid "Profile updated." +msgstr "Profilo aggiornato." + +#: ../../mod/profiles.php:568 +msgid " and " +msgstr "e " + +#: ../../mod/profiles.php:576 +msgid "public profile" +msgstr "profilo pubblico" + +#: ../../mod/profiles.php:579 #, php-format -msgid "Warning: This group contains %s member from an insecure network." -msgid_plural "" -"Warning: This group contains %s members from an insecure network." -msgstr[0] "Attenzione: questo gruppo contiene %s membro da un network insicuro." -msgstr[1] "Attenzione: questo gruppo contiene %s membri da un network insicuro." +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s ha cambiato %2$s in “%3$s”" -#: ../../mod/network.php:460 -msgid "Private messages to this group are at risk of public disclosure." -msgstr "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente." +#: ../../mod/profiles.php:580 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr "- Visita %2$s di %1$s" -#: ../../mod/network.php:548 -msgid "Contact: " -msgstr "Contatto:" +#: ../../mod/profiles.php:583 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s ha un %2$s aggiornato. Ha cambiato %3$s" -#: ../../mod/network.php:550 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente." +#: ../../mod/profiles.php:658 +msgid "Hide contacts and friends:" +msgstr "Nascondi contatti:" -#: ../../mod/network.php:555 -msgid "Invalid contact." -msgstr "Contatto non valido." +#: ../../mod/profiles.php:663 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?" -#: ../../mod/crepair.php:106 -msgid "Contact settings applied." -msgstr "Contatto modificato." +#: ../../mod/profiles.php:685 +msgid "Edit Profile Details" +msgstr "Modifica i dettagli del profilo" -#: ../../mod/crepair.php:108 -msgid "Contact update failed." -msgstr "Le modifiche al contatto non sono state salvate." +#: ../../mod/profiles.php:687 +msgid "Change Profile Photo" +msgstr "Cambia la foto del profilo" -#: ../../mod/crepair.php:139 -msgid "Repair Contact Settings" -msgstr "Ripara il contatto" +#: ../../mod/profiles.php:688 +msgid "View this profile" +msgstr "Visualizza questo profilo" -#: ../../mod/crepair.php:141 +#: ../../mod/profiles.php:689 +msgid "Create a new profile using these settings" +msgstr "Crea un nuovo profilo usando queste impostazioni" + +#: ../../mod/profiles.php:690 +msgid "Clone this profile" +msgstr "Clona questo profilo" + +#: ../../mod/profiles.php:691 +msgid "Delete this profile" +msgstr "Elimina questo profilo" + +#: ../../mod/profiles.php:692 +msgid "Basic information" +msgstr "Informazioni di base" + +#: ../../mod/profiles.php:693 +msgid "Profile picture" +msgstr "Immagine del profilo" + +#: ../../mod/profiles.php:695 +msgid "Preferences" +msgstr "Preferenze" + +#: ../../mod/profiles.php:696 +msgid "Status information" +msgstr "Informazioni stato" + +#: ../../mod/profiles.php:697 +msgid "Additional information" +msgstr "Informazioni aggiuntive" + +#: ../../mod/profiles.php:700 +msgid "Profile Name:" +msgstr "Nome del profilo:" + +#: ../../mod/profiles.php:701 +msgid "Your Full Name:" +msgstr "Il tuo nome completo:" + +#: ../../mod/profiles.php:702 +msgid "Title/Description:" +msgstr "Breve descrizione (es. titolo, posizione, altro):" + +#: ../../mod/profiles.php:703 +msgid "Your Gender:" +msgstr "Il tuo sesso:" + +#: ../../mod/profiles.php:704 +#, php-format +msgid "Birthday (%s):" +msgstr "Compleanno (%s)" + +#: ../../mod/profiles.php:705 +msgid "Street Address:" +msgstr "Indirizzo (via/piazza):" + +#: ../../mod/profiles.php:706 +msgid "Locality/City:" +msgstr "Località:" + +#: ../../mod/profiles.php:707 +msgid "Postal/Zip Code:" +msgstr "CAP:" + +#: ../../mod/profiles.php:708 +msgid "Country:" +msgstr "Nazione:" + +#: ../../mod/profiles.php:709 +msgid "Region/State:" +msgstr "Regione/Stato:" + +#: ../../mod/profiles.php:710 +msgid " Marital Status:" +msgstr " Stato sentimentale:" + +#: ../../mod/profiles.php:711 +msgid "Who: (if applicable)" +msgstr "Con chi: (se possibile)" + +#: ../../mod/profiles.php:712 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Esempio: cathy123, Cathy Williams, cathy@example.com" + +#: ../../mod/profiles.php:713 +msgid "Since [date]:" +msgstr "Dal [data]:" + +#: ../../mod/profiles.php:714 ../../include/profile_advanced.php:46 +msgid "Sexual Preference:" +msgstr "Preferenze sessuali:" + +#: ../../mod/profiles.php:715 +msgid "Homepage URL:" +msgstr "Homepage:" + +#: ../../mod/profiles.php:716 ../../include/profile_advanced.php:50 +msgid "Hometown:" +msgstr "Paese natale:" + +#: ../../mod/profiles.php:717 ../../include/profile_advanced.php:54 +msgid "Political Views:" +msgstr "Orientamento politico:" + +#: ../../mod/profiles.php:718 +msgid "Religious Views:" +msgstr "Orientamento religioso:" + +#: ../../mod/profiles.php:719 +msgid "Public Keywords:" +msgstr "Parole chiave visibili a tutti:" + +#: ../../mod/profiles.php:720 +msgid "Private Keywords:" +msgstr "Parole chiave private:" + +#: ../../mod/profiles.php:721 ../../include/profile_advanced.php:62 +msgid "Likes:" +msgstr "Mi piace:" + +#: ../../mod/profiles.php:722 ../../include/profile_advanced.php:64 +msgid "Dislikes:" +msgstr "Non mi piace:" + +#: ../../mod/profiles.php:723 +msgid "Example: fishing photography software" +msgstr "Esempio: pesca fotografia programmazione" + +#: ../../mod/profiles.php:724 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)" + +#: ../../mod/profiles.php:725 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Usato per cercare tra i profili, non è mai visibile agli altri)" + +#: ../../mod/profiles.php:726 +msgid "Tell us about yourself..." +msgstr "Raccontaci di te..." + +#: ../../mod/profiles.php:727 +msgid "Hobbies/Interests" +msgstr "Hobby/interessi" + +#: ../../mod/profiles.php:728 +msgid "Contact information and Social Networks" +msgstr "Informazioni su contatti e social network" + +#: ../../mod/profiles.php:729 +msgid "Musical interests" +msgstr "Interessi musicali" + +#: ../../mod/profiles.php:730 +msgid "Books, literature" +msgstr "Libri, letteratura" + +#: ../../mod/profiles.php:731 +msgid "Television" +msgstr "Televisione" + +#: ../../mod/profiles.php:732 +msgid "Film/dance/culture/entertainment" +msgstr "Film/danza/cultura/intrattenimento" + +#: ../../mod/profiles.php:733 +msgid "Love/romance" +msgstr "Amore" + +#: ../../mod/profiles.php:734 +msgid "Work/employment" +msgstr "Lavoro/impiego" + +#: ../../mod/profiles.php:735 +msgid "School/education" +msgstr "Scuola/educazione" + +#: ../../mod/profiles.php:740 msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più" +"This is your public profile.
    It may " +"be visible to anybody using the internet." +msgstr "Questo è il tuo profilo publico.
    Potrebbe essere visto da chiunque attraverso internet." -#: ../../mod/crepair.php:142 +#: ../../mod/profiles.php:803 +msgid "Edit/Manage Profiles" +msgstr "Modifica / Gestisci profili" + +#: ../../mod/profiles.php:804 ../../boot.php:1611 ../../boot.php:1637 +msgid "Change profile photo" +msgstr "Cambia la foto del profilo" + +#: ../../mod/profiles.php:805 ../../boot.php:1612 +msgid "Create New Profile" +msgstr "Crea un nuovo profilo" + +#: ../../mod/profiles.php:816 ../../boot.php:1622 +msgid "Profile Image" +msgstr "Immagine del Profilo" + +#: ../../mod/profiles.php:818 ../../boot.php:1625 +msgid "visible to everybody" +msgstr "visibile a tutti" + +#: ../../mod/profiles.php:819 ../../boot.php:1626 +msgid "Edit visibility" +msgstr "Modifica visibilità" + +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Oggetto non trovato" + +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Modifica messaggio" + +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "carica foto" + +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "Allega file" + +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "allega file" + +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "link web" + +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "Inserire collegamento video" + +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "link video" + +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "Inserisci collegamento audio" + +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "link audio" + +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "La tua posizione" + +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "posizione" + +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "Rimuovi la localizzazione data dal browser" + +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "canc. pos." + +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "Impostazioni permessi" + +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "CC: indirizzi email" + +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "Messaggio pubblico" + +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "Scegli un titolo" + +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "Categorie (lista separata da virgola)" + +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Esempio: bob@example.com, mary@example.com" + +#: ../../mod/friendica.php:59 +msgid "This is Friendica, version" +msgstr "Questo è Friendica, versione" + +#: ../../mod/friendica.php:60 +msgid "running at web location" +msgstr "in esecuzione all'indirizzo web" + +#: ../../mod/friendica.php:62 msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina." +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Visita Friendica.com per saperne di più sul progetto Friendica." -#: ../../mod/crepair.php:148 -msgid "Return to contact editor" -msgstr "Ritorna alla modifica contatto" +#: ../../mod/friendica.php:64 +msgid "Bug reports and issues: please visit" +msgstr "Segnalazioni di bug e problemi: visita" -#: ../../mod/crepair.php:161 -msgid "Account Nickname" -msgstr "Nome utente" - -#: ../../mod/crepair.php:162 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@TagName - al posto del nome utente" - -#: ../../mod/crepair.php:163 -msgid "Account URL" -msgstr "URL dell'utente" - -#: ../../mod/crepair.php:164 -msgid "Friend Request URL" -msgstr "URL Richiesta Amicizia" - -#: ../../mod/crepair.php:165 -msgid "Friend Confirm URL" -msgstr "URL Conferma Amicizia" - -#: ../../mod/crepair.php:166 -msgid "Notification Endpoint URL" -msgstr "URL Notifiche" - -#: ../../mod/crepair.php:167 -msgid "Poll/Feed URL" -msgstr "URL Feed" - -#: ../../mod/crepair.php:168 -msgid "New photo from this URL" -msgstr "Nuova foto da questo URL" - -#: ../../mod/crepair.php:169 -msgid "Remote Self" -msgstr "Io remoto" - -#: ../../mod/crepair.php:171 -msgid "Mirror postings from this contact" -msgstr "Ripeti i messaggi di questo contatto" - -#: ../../mod/crepair.php:171 +#: ../../mod/friendica.php:65 msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto." +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com" -#: ../../mod/crepair.php:171 -msgid "No mirroring" -msgstr "Non duplicare" +#: ../../mod/friendica.php:79 +msgid "Installed plugins/addons/apps:" +msgstr "Plugin/addon/applicazioni instalate" -#: ../../mod/crepair.php:171 -msgid "Mirror as forwarded posting" -msgstr "Duplica come messaggi ricondivisi" +#: ../../mod/friendica.php:92 +msgid "No installed plugins/addons/apps" +msgstr "Nessun plugin/addons/applicazione installata" -#: ../../mod/crepair.php:171 -msgid "Mirror as my own posting" -msgstr "Duplica come miei messaggi" +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Autorizza la connessione dell'applicazione" -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "I tuoi messaggi e le tue conversazioni" +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Torna alla tua applicazione e inserisci questo codice di sicurezza:" -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "Pagina del tuo profilo" +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Effettua il login per continuare." -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "I tuoi contatti" +#: ../../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 "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Le tue foto" +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Informazioni remote sulla privacy non disponibili." -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "I tuoi eventi" +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Visibile a:" -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" +#: ../../mod/notes.php:44 ../../boot.php:2150 +msgid "Personal Notes" msgstr "Note personali" -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Le tue foto personali" +#: ../../mod/localtime.php:12 ../../include/bb2diaspora.php:148 +#: ../../include/event.php:11 +msgid "l F d, Y \\@ g:i A" +msgstr "l d F Y \\@ G:i" -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -#: ../../view/theme/diabook/config.php:158 -msgid "Community Pages" -msgstr "Pagine Comunitarie" +#: ../../mod/localtime.php:24 +msgid "Time Conversion" +msgstr "Conversione Ora" -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -#: ../../view/theme/diabook/config.php:160 -msgid "Community Profiles" -msgstr "Profili Comunità" +#: ../../mod/localtime.php:26 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti." -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -#: ../../view/theme/diabook/config.php:164 -msgid "Last users" -msgstr "Ultimi utenti" +#: ../../mod/localtime.php:30 +#, php-format +msgid "UTC time: %s" +msgstr "Ora UTC: %s" -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -#: ../../view/theme/diabook/config.php:166 -msgid "Last likes" -msgstr "Ultimi \"mi piace\"" +#: ../../mod/localtime.php:33 +#, php-format +msgid "Current timezone: %s" +msgstr "Fuso orario corrente: %s" -#: ../../view/theme/diabook/theme.php:463 ../../include/text.php:1963 -#: ../../include/conversation.php:118 ../../include/conversation.php:246 -msgid "event" -msgstr "l'evento" +#: ../../mod/localtime.php:36 +#, php-format +msgid "Converted localtime: %s" +msgstr "Ora locale convertita: %s" -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -#: ../../view/theme/diabook/config.php:165 -msgid "Last photos" -msgstr "Ultime foto" +#: ../../mod/localtime.php:41 +msgid "Please select your timezone:" +msgstr "Selezionare il tuo fuso orario:" -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -#: ../../view/theme/diabook/config.php:163 -msgid "Find Friends" -msgstr "Trova Amici" +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Tocca/Pungola" -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "Elenco Locale" +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "tocca, pungola o fai altre cose a qualcuno" -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "Interessi simili" +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "Destinatario" -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "Invita amici" +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Scegli cosa vuoi fare al destinatario" -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -#: ../../view/theme/diabook/config.php:159 -msgid "Earth Layers" -msgstr "Earth Layers" +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Rendi questo post privato" -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "Livello di zoom per Earth Layers" +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "Limite totale degli inviti superato." -#: ../../view/theme/diabook/theme.php:585 -#: ../../view/theme/diabook/config.php:156 -msgid "Set longitude (X) for Earth Layers" -msgstr "Longitudine (X) per Earth Layers" +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s: non è un indirizzo email valido." -#: ../../view/theme/diabook/theme.php:586 -#: ../../view/theme/diabook/config.php:157 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Latitudine (Y) per Earth Layers" +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Unisiciti a noi su Friendica" -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -#: ../../view/theme/diabook/config.php:161 -msgid "Help or @NewHere ?" -msgstr "Serve aiuto? Sei nuovo?" +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limite degli inviti superato. Contatta l'amministratore del tuo sito." -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -#: ../../view/theme/diabook/config.php:162 -msgid "Connect Services" -msgstr "Servizi di conessione" +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s: la consegna del messaggio fallita." -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:328 -msgid "don't show" -msgstr "non mostrare" +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d messaggio inviato." +msgstr[1] "%d messaggi inviati." -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:327 -msgid "show" -msgstr "mostra" +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Non hai altri inviti disponibili" -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "Mostra/Nascondi riquadri nella colonna destra" +#: ../../mod/invite.php:120 +#, 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 "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network." -#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:54 -#: ../../view/theme/dispy/config.php:72 -#: ../../view/theme/duepuntozero/config.php:61 -#: ../../view/theme/quattro/config.php:66 -#: ../../view/theme/cleanzero/config.php:82 -msgid "Theme settings" -msgstr "Impostazioni tema" +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico." -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/dispy/config.php:73 -#: ../../view/theme/cleanzero/config.php:84 -msgid "Set font-size for posts and comments" -msgstr "Dimensione del carattere di messaggi e commenti" +#: ../../mod/invite.php:123 +#, 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 "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti." -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Altezza della linea di testo di messaggi e commenti" +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri." -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "Imposta la dimensione della colonna centrale" +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Invia inviti" -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Imposta lo schema dei colori" +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "Inserisci gli indirizzi email, uno per riga:" -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Livello di zoom per Earth Layer" +#: ../../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 "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore." -#: ../../view/theme/vier/config.php:55 -msgid "Set style" -msgstr "Imposta stile" +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Sarà necessario fornire questo codice invito: $invite_code" -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Imposta schema colori" +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Una volta registrato, connettiti con me dal mio profilo:" -#: ../../view/theme/duepuntozero/config.php:44 ../../include/text.php:1699 -#: ../../include/user.php:247 -msgid "default" -msgstr "default" +#: ../../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 "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com" -#: ../../view/theme/duepuntozero/config.php:45 -msgid "greenzero" -msgstr "" +#: ../../mod/photos.php:52 ../../boot.php:2129 +msgid "Photo Albums" +msgstr "Album foto" -#: ../../view/theme/duepuntozero/config.php:46 -msgid "purplezero" -msgstr "" +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 +#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" +msgstr "Foto dei contatti" -#: ../../view/theme/duepuntozero/config.php:47 -msgid "easterbunny" -msgstr "" +#: ../../mod/photos.php:67 ../../mod/photos.php:1262 ../../mod/photos.php:1819 +msgid "Upload New Photos" +msgstr "Carica nuove foto" -#: ../../view/theme/duepuntozero/config.php:48 -msgid "darkzero" -msgstr "" +#: ../../mod/photos.php:144 +msgid "Contact information unavailable" +msgstr "I dati di questo contatto non sono disponibili" -#: ../../view/theme/duepuntozero/config.php:49 -msgid "comix" -msgstr "" +#: ../../mod/photos.php:165 +msgid "Album not found." +msgstr "Album non trovato." -#: ../../view/theme/duepuntozero/config.php:50 -msgid "slackr" -msgstr "" +#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1204 +msgid "Delete Album" +msgstr "Rimuovi album" -#: ../../view/theme/duepuntozero/config.php:62 -msgid "Variations" -msgstr "" +#: ../../mod/photos.php:198 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Vuoi davvero cancellare questo album e tutte le sue foto?" -#: ../../view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Allineamento" +#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1515 +msgid "Delete Photo" +msgstr "Rimuovi foto" -#: ../../view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Sinistra" +#: ../../mod/photos.php:287 +msgid "Do you really want to delete this photo?" +msgstr "Vuoi veramente cancellare questa foto?" -#: ../../view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Centrato" +#: ../../mod/photos.php:662 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s è stato taggato in %2$s da %3$s" -#: ../../view/theme/quattro/config.php:68 -#: ../../view/theme/cleanzero/config.php:86 -msgid "Color scheme" -msgstr "Schema colori" +#: ../../mod/photos.php:662 +msgid "a photo" +msgstr "una foto" -#: ../../view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "Dimensione caratteri post" +#: ../../mod/photos.php:767 +msgid "Image exceeds size limit of " +msgstr "L'immagine supera il limite di" -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "Dimensione caratteri nelle aree di testo" +#: ../../mod/photos.php:775 +msgid "Image file is empty." +msgstr "Il file dell'immagine è vuoto." -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Dimensione immagini in messaggi e commenti (larghezza e altezza)" +#: ../../mod/photos.php:930 +msgid "No photos selected" +msgstr "Nessuna foto selezionata" -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Imposta la larghezza del tema" +#: ../../mod/photos.php:1094 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "Hai usato %1$.2f MBytes su %2$.2f disponibili." -#: ../../boot.php:723 +#: ../../mod/photos.php:1129 +msgid "Upload Photos" +msgstr "Carica foto" + +#: ../../mod/photos.php:1133 ../../mod/photos.php:1199 +msgid "New album name: " +msgstr "Nome nuovo album: " + +#: ../../mod/photos.php:1134 +msgid "or existing album name: " +msgstr "o nome di un album esistente: " + +#: ../../mod/photos.php:1135 +msgid "Do not show a status post for this upload" +msgstr "Non creare un post per questo upload" + +#: ../../mod/photos.php:1137 ../../mod/photos.php:1510 +msgid "Permissions" +msgstr "Permessi" + +#: ../../mod/photos.php:1148 +msgid "Private Photo" +msgstr "Foto privata" + +#: ../../mod/photos.php:1149 +msgid "Public Photo" +msgstr "Foto pubblica" + +#: ../../mod/photos.php:1212 +msgid "Edit Album" +msgstr "Modifica album" + +#: ../../mod/photos.php:1218 +msgid "Show Newest First" +msgstr "Mostra nuove foto per prime" + +#: ../../mod/photos.php:1220 +msgid "Show Oldest First" +msgstr "Mostra vecchie foto per prime" + +#: ../../mod/photos.php:1248 ../../mod/photos.php:1802 +msgid "View Photo" +msgstr "Vedi foto" + +#: ../../mod/photos.php:1294 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." + +#: ../../mod/photos.php:1296 +msgid "Photo not available" +msgstr "Foto non disponibile" + +#: ../../mod/photos.php:1352 +msgid "View photo" +msgstr "Vedi foto" + +#: ../../mod/photos.php:1352 +msgid "Edit photo" +msgstr "Modifica foto" + +#: ../../mod/photos.php:1353 +msgid "Use as profile photo" +msgstr "Usa come foto del profilo" + +#: ../../mod/photos.php:1378 +msgid "View Full Size" +msgstr "Vedi dimensione intera" + +#: ../../mod/photos.php:1457 +msgid "Tags: " +msgstr "Tag: " + +#: ../../mod/photos.php:1460 +msgid "[Remove any tag]" +msgstr "[Rimuovi tutti i tag]" + +#: ../../mod/photos.php:1500 +msgid "Rotate CW (right)" +msgstr "Ruota a destra" + +#: ../../mod/photos.php:1501 +msgid "Rotate CCW (left)" +msgstr "Ruota a sinistra" + +#: ../../mod/photos.php:1503 +msgid "New album name" +msgstr "Nuovo nome dell'album" + +#: ../../mod/photos.php:1506 +msgid "Caption" +msgstr "Titolo" + +#: ../../mod/photos.php:1508 +msgid "Add a Tag" +msgstr "Aggiungi tag" + +#: ../../mod/photos.php:1512 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" + +#: ../../mod/photos.php:1521 +msgid "Private photo" +msgstr "Foto privata" + +#: ../../mod/photos.php:1522 +msgid "Public photo" +msgstr "Foto pubblica" + +#: ../../mod/photos.php:1544 ../../include/conversation.php:1090 +msgid "Share" +msgstr "Condividi" + +#: ../../mod/photos.php:1817 +msgid "Recent Photos" +msgstr "Foto recenti" + +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "Account approvato." + +#: ../../mod/regmod.php:92 +#, php-format +msgid "Registration revoked for %s" +msgstr "Registrazione revocata per %s" + +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "Accedi." + +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Muovi account" + +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Puoi importare un account da un altro server Friendica." + +#: ../../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 "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui." + +#: ../../mod/uimport.php:69 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora" + +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "File account" + +#: ../../mod/uimport.php:70 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\"" + +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Oggetto non disponibile." + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Oggetto non trovato." + +#: ../../boot.php:749 msgid "Delete this item?" msgstr "Cancellare questo elemento?" -#: ../../boot.php:726 +#: ../../boot.php:752 msgid "show fewer" msgstr "mostra di meno" -#: ../../boot.php:1096 +#: ../../boot.php:1122 #, php-format msgid "Update %s failed. See error logs." msgstr "aggiornamento %s fallito. Guarda i log di errore." -#: ../../boot.php:1214 +#: ../../boot.php:1240 msgid "Create a New Account" msgstr "Crea un nuovo account" -#: ../../boot.php:1239 ../../include/nav.php:73 +#: ../../boot.php:1265 ../../include/nav.php:73 msgid "Logout" msgstr "Esci" -#: ../../boot.php:1240 ../../include/nav.php:92 -msgid "Login" -msgstr "Accedi" - -#: ../../boot.php:1242 +#: ../../boot.php:1268 msgid "Nickname or Email address: " msgstr "Nome utente o indirizzo email: " -#: ../../boot.php:1243 +#: ../../boot.php:1269 msgid "Password: " msgstr "Password: " -#: ../../boot.php:1244 +#: ../../boot.php:1270 msgid "Remember me" msgstr "Ricordati di me" -#: ../../boot.php:1247 +#: ../../boot.php:1273 msgid "Or login using OpenID: " msgstr "O entra con OpenID:" -#: ../../boot.php:1253 +#: ../../boot.php:1279 msgid "Forgot your password?" msgstr "Hai dimenticato la password?" -#: ../../boot.php:1256 +#: ../../boot.php:1282 msgid "Website Terms of Service" msgstr "Condizioni di servizio del sito web " -#: ../../boot.php:1257 +#: ../../boot.php:1283 msgid "terms of service" msgstr "condizioni del servizio" -#: ../../boot.php:1259 +#: ../../boot.php:1285 msgid "Website Privacy Policy" msgstr "Politiche di privacy del sito" -#: ../../boot.php:1260 +#: ../../boot.php:1286 msgid "privacy policy" msgstr "politiche di privacy" -#: ../../boot.php:1393 +#: ../../boot.php:1419 msgid "Requested account is not available." msgstr "L'account richiesto non è disponibile." -#: ../../boot.php:1475 ../../boot.php:1609 +#: ../../boot.php:1501 ../../boot.php:1635 #: ../../include/profile_advanced.php:84 msgid "Edit profile" msgstr "Modifica il profilo" -#: ../../boot.php:1574 +#: ../../boot.php:1600 msgid "Message" msgstr "Messaggio" -#: ../../boot.php:1580 ../../include/nav.php:173 +#: ../../boot.php:1606 ../../include/nav.php:175 msgid "Profiles" msgstr "Profili" -#: ../../boot.php:1580 +#: ../../boot.php:1606 msgid "Manage/edit profiles" msgstr "Gestisci/modifica i profili" -#: ../../boot.php:1677 +#: ../../boot.php:1706 msgid "Network:" msgstr "Rete:" -#: ../../boot.php:1707 ../../boot.php:1793 +#: ../../boot.php:1736 ../../boot.php:1822 msgid "g A l F d" msgstr "g A l d F" -#: ../../boot.php:1708 ../../boot.php:1794 +#: ../../boot.php:1737 ../../boot.php:1823 msgid "F d" msgstr "d F" -#: ../../boot.php:1753 ../../boot.php:1834 +#: ../../boot.php:1782 ../../boot.php:1863 msgid "[today]" msgstr "[oggi]" -#: ../../boot.php:1765 +#: ../../boot.php:1794 msgid "Birthday Reminders" msgstr "Promemoria compleanni" -#: ../../boot.php:1766 +#: ../../boot.php:1795 msgid "Birthdays this week:" msgstr "Compleanni questa settimana:" -#: ../../boot.php:1827 +#: ../../boot.php:1856 msgid "[No description]" msgstr "[Nessuna descrizione]" -#: ../../boot.php:1845 +#: ../../boot.php:1874 msgid "Event Reminders" msgstr "Promemoria" -#: ../../boot.php:1846 +#: ../../boot.php:1875 msgid "Events this week:" msgstr "Eventi di questa settimana:" -#: ../../boot.php:2083 ../../include/nav.php:76 +#: ../../boot.php:2112 ../../include/nav.php:76 msgid "Status" msgstr "Stato" -#: ../../boot.php:2086 +#: ../../boot.php:2115 msgid "Status Messages and Posts" msgstr "Messaggi di stato e post" -#: ../../boot.php:2093 +#: ../../boot.php:2122 msgid "Profile Details" msgstr "Dettagli del profilo" -#: ../../boot.php:2104 ../../boot.php:2107 ../../include/nav.php:79 +#: ../../boot.php:2133 ../../boot.php:2136 ../../include/nav.php:79 msgid "Videos" msgstr "Video" -#: ../../boot.php:2117 +#: ../../boot.php:2146 msgid "Events and Calendar" msgstr "Eventi e calendario" -#: ../../boot.php:2124 +#: ../../boot.php:2153 msgid "Only You Can See This" msgstr "Solo tu puoi vedere questo" +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "Questa voce è stata modificata" + +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "ignora la discussione" + +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "non ignorare la discussione" + +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "inverti stato \"Ignora\"" + +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "ignorato" + +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "Categorie:" + +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "Archiviato in:" + +#: ../../object/Item.php:329 +msgid "via" +msgstr "via" + +#: ../../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 "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido." + +#: ../../include/dbstructure.php:31 +#, php-format +msgid "" +"The error message is\n" +"[pre]%s[/pre]" +msgstr "Il messaggio di errore è\n[pre]%s[/pre]" + +#: ../../include/dbstructure.php:162 +msgid "Errors encountered creating database tables." +msgstr "La creazione delle tabelle del database ha generato errori." + +#: ../../include/dbstructure.php:220 +msgid "Errors encountered performing database changes." +msgstr "Riscontrati errori applicando le modifiche al database." + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Uscita effettuata." + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto." + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Il messaggio riportato era:" + +#: ../../include/contact_widgets.php:6 +msgid "Add New Contact" +msgstr "Aggiungi nuovo contatto" + +#: ../../include/contact_widgets.php:7 +msgid "Enter address or web location" +msgstr "Inserisci posizione o indirizzo web" + +#: ../../include/contact_widgets.php:8 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Esempio: bob@example.com, http://example.com/barbara" + +#: ../../include/contact_widgets.php:24 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d invito disponibile" +msgstr[1] "%d inviti disponibili" + +#: ../../include/contact_widgets.php:30 +msgid "Find People" +msgstr "Trova persone" + +#: ../../include/contact_widgets.php:31 +msgid "Enter name or interest" +msgstr "Inserisci un nome o un interesse" + +#: ../../include/contact_widgets.php:32 +msgid "Connect/Follow" +msgstr "Connetti/segui" + +#: ../../include/contact_widgets.php:33 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Esempi: Mario Rossi, Pesca" + +#: ../../include/contact_widgets.php:36 ../../view/theme/diabook/theme.php:526 +msgid "Similar Interests" +msgstr "Interessi simili" + +#: ../../include/contact_widgets.php:37 +msgid "Random Profile" +msgstr "Profilo causale" + +#: ../../include/contact_widgets.php:38 ../../view/theme/diabook/theme.php:528 +msgid "Invite Friends" +msgstr "Invita amici" + +#: ../../include/contact_widgets.php:71 +msgid "Networks" +msgstr "Reti" + +#: ../../include/contact_widgets.php:74 +msgid "All Networks" +msgstr "Tutte le Reti" + +#: ../../include/contact_widgets.php:104 ../../include/features.php:60 +msgid "Saved Folders" +msgstr "Cartelle Salvate" + +#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 +msgid "Everything" +msgstr "Tutto" + +#: ../../include/contact_widgets.php:136 +msgid "Categories" +msgstr "Categorie" + #: ../../include/features.php:23 msgid "General Features" msgstr "Funzionalità generali" @@ -5953,10 +5935,6 @@ msgstr "Cateorie post" msgid "Add categories to your posts" msgstr "Aggiungi categorie ai tuoi post" -#: ../../include/features.php:60 ../../include/contact_widgets.php:104 -msgid "Saved Folders" -msgstr "Cartelle Salvate" - #: ../../include/features.php:60 msgid "Ability to file posts under folders" msgstr "Permette di archiviare i post in cartelle" @@ -5985,25 +5963,769 @@ msgstr "Silenzia le notifiche di nuovi post" msgid "Ability to mute notifications for a thread" msgstr "Permette di silenziare le notifiche di nuovi post in una discussione" -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Uscita effettuata." +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "URL di connessione mancante." -#: ../../include/auth.php:128 ../../include/user.php:67 +#: ../../include/follow.php:59 msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto." +"This site is not configured to allow communications with other networks." +msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "The error message was:" -msgstr "Il messaggio riportato era:" +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." -#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Non è stato trovato un nome o un autore" + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Nessun URL puo' essere associato a questo indirizzo." + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email." + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito." + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te." + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Impossibile recuperare informazioni sul contatto." + +#: ../../include/follow.php:258 +msgid "following" +msgstr "segue" + +#: ../../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 "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso." + +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Gruppo predefinito per i nuovi contatti" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Tutti" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "modifica" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Modifica gruppo" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Crea un nuovo gruppo" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Contatti in nessun gruppo." + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Varie" + +#: ../../include/datetime.php:153 ../../include/datetime.php:290 +msgid "year" +msgstr "anno" + +#: ../../include/datetime.php:158 ../../include/datetime.php:291 +msgid "month" +msgstr "mese" + +#: ../../include/datetime.php:163 ../../include/datetime.php:293 +msgid "day" +msgstr "giorno" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "mai" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "meno di un secondo fa" + +#: ../../include/datetime.php:290 +msgid "years" +msgstr "anni" + +#: ../../include/datetime.php:291 +msgid "months" +msgstr "mesi" + +#: ../../include/datetime.php:292 +msgid "week" +msgstr "settimana" + +#: ../../include/datetime.php:292 +msgid "weeks" +msgstr "settimane" + +#: ../../include/datetime.php:293 +msgid "days" +msgstr "giorni" + +#: ../../include/datetime.php:294 +msgid "hour" +msgstr "ora" + +#: ../../include/datetime.php:294 +msgid "hours" +msgstr "ore" + +#: ../../include/datetime.php:295 +msgid "minute" +msgstr "minuto" + +#: ../../include/datetime.php:295 +msgid "minutes" +msgstr "minuti" + +#: ../../include/datetime.php:296 +msgid "second" +msgstr "secondo" + +#: ../../include/datetime.php:296 +msgid "seconds" +msgstr "secondi" + +#: ../../include/datetime.php:305 +#, php-format +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s fa" + +#: ../../include/datetime.php:477 ../../include/items.php:2211 +#, php-format +msgid "%s's birthday" +msgstr "Compleanno di %s" + +#: ../../include/datetime.php:478 ../../include/items.php:2212 +#, php-format +msgid "Happy Birthday %s" +msgstr "Buon compleanno %s" + +#: ../../include/acl_selectors.php:333 +msgid "Visible to everybody" +msgstr "Visibile a tutti" + +#: ../../include/acl_selectors.php:334 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "show" +msgstr "mostra" + +#: ../../include/acl_selectors.php:335 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "don't show" +msgstr "non mostrare" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[nessun oggetto]" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "tolto dai seguiti" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "Stuzzica" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "Visualizza stato" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "Visualizza profilo" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "Visualizza foto" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "Post della Rete" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "Modifica contatti" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Rimuovi contatto" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "Invia messaggio privato" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Ciao" + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Carica una foto per il profilo." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Ciao " + +#: ../../include/security.php:366 +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 "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla." + +#: ../../include/conversation.php:118 ../../include/conversation.php:246 +#: ../../include/text.php:1966 ../../view/theme/diabook/theme.php:463 +msgid "event" +msgstr "l'evento" + +#: ../../include/conversation.php:207 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s ha stuzzicato %2$s" + +#: ../../include/conversation.php:211 ../../include/text.php:1005 +msgid "poked" +msgstr "ha stuzzicato" + +#: ../../include/conversation.php:291 +msgid "post/item" +msgstr "post/elemento" + +#: ../../include/conversation.php:292 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s ha segnato il/la %3$s di %2$s come preferito" + +#: ../../include/conversation.php:772 +msgid "remove" +msgstr "rimuovi" + +#: ../../include/conversation.php:776 +msgid "Delete Selected Items" +msgstr "Cancella elementi selezionati" + +#: ../../include/conversation.php:875 +msgid "Follow Thread" +msgstr "Segui la discussione" + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s likes this." +msgstr "Piace a %s." + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s doesn't like this." +msgstr "Non piace a %s." + +#: ../../include/conversation.php:949 +#, php-format +msgid "%2$d people like this" +msgstr "Piace a %2$d persone." + +#: ../../include/conversation.php:952 +#, php-format +msgid "%2$d people don't like this" +msgstr "Non piace a %2$d persone." + +#: ../../include/conversation.php:966 +msgid "and" +msgstr "e" + +#: ../../include/conversation.php:972 +#, php-format +msgid ", and %d other people" +msgstr "e altre %d persone" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s like this." +msgstr "Piace a %s." + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s don't like this." +msgstr "Non piace a %s." + +#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 +msgid "Visible to everybody" +msgstr "Visibile a tutti" + +#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 +msgid "Please enter a video link/URL:" +msgstr "Inserisci un collegamento video / URL:" + +#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 +msgid "Please enter an audio link/URL:" +msgstr "Inserisci un collegamento audio / URL:" + +#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 +msgid "Tag term:" +msgstr "Tag:" + +#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 +msgid "Where are you right now?" +msgstr "Dove sei ora?" + +#: ../../include/conversation.php:1008 +msgid "Delete item(s)?" +msgstr "Cancellare questo elemento/i?" + +#: ../../include/conversation.php:1051 +msgid "Post to Email" +msgstr "Invia a email" + +#: ../../include/conversation.php:1056 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Connettore disabilitato, dato che \"%s\" è abilitato." + +#: ../../include/conversation.php:1111 +msgid "permissions" +msgstr "permessi" + +#: ../../include/conversation.php:1135 +msgid "Post to Groups" +msgstr "Invia ai Gruppi" + +#: ../../include/conversation.php:1136 +msgid "Post to Contacts" +msgstr "Invia ai Contatti" + +#: ../../include/conversation.php:1137 +msgid "Private post" +msgstr "Post privato" + +#: ../../include/network.php:895 +msgid "view full size" +msgstr "vedi a schermo intero" + +#: ../../include/text.php:297 +msgid "newer" +msgstr "nuovi" + +#: ../../include/text.php:299 +msgid "older" +msgstr "vecchi" + +#: ../../include/text.php:304 +msgid "prev" +msgstr "prec" + +#: ../../include/text.php:306 +msgid "first" +msgstr "primo" + +#: ../../include/text.php:338 +msgid "last" +msgstr "ultimo" + +#: ../../include/text.php:341 +msgid "next" +msgstr "succ" + +#: ../../include/text.php:855 +msgid "No contacts" +msgstr "Nessun contatto" + +#: ../../include/text.php:864 +#, php-format +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d contatto" +msgstr[1] "%d contatti" + +#: ../../include/text.php:1005 +msgid "poke" +msgstr "stuzzica" + +#: ../../include/text.php:1006 +msgid "ping" +msgstr "invia un ping" + +#: ../../include/text.php:1006 +msgid "pinged" +msgstr "ha inviato un ping" + +#: ../../include/text.php:1007 +msgid "prod" +msgstr "pungola" + +#: ../../include/text.php:1007 +msgid "prodded" +msgstr "ha pungolato" + +#: ../../include/text.php:1008 +msgid "slap" +msgstr "schiaffeggia" + +#: ../../include/text.php:1008 +msgid "slapped" +msgstr "ha schiaffeggiato" + +#: ../../include/text.php:1009 +msgid "finger" +msgstr "tocca" + +#: ../../include/text.php:1009 +msgid "fingered" +msgstr "ha toccato" + +#: ../../include/text.php:1010 +msgid "rebuff" +msgstr "respingi" + +#: ../../include/text.php:1010 +msgid "rebuffed" +msgstr "ha respinto" + +#: ../../include/text.php:1024 +msgid "happy" +msgstr "felice" + +#: ../../include/text.php:1025 +msgid "sad" +msgstr "triste" + +#: ../../include/text.php:1026 +msgid "mellow" +msgstr "rilassato" + +#: ../../include/text.php:1027 +msgid "tired" +msgstr "stanco" + +#: ../../include/text.php:1028 +msgid "perky" +msgstr "vivace" + +#: ../../include/text.php:1029 +msgid "angry" +msgstr "arrabbiato" + +#: ../../include/text.php:1030 +msgid "stupified" +msgstr "stupefatto" + +#: ../../include/text.php:1031 +msgid "puzzled" +msgstr "confuso" + +#: ../../include/text.php:1032 +msgid "interested" +msgstr "interessato" + +#: ../../include/text.php:1033 +msgid "bitter" +msgstr "risentito" + +#: ../../include/text.php:1034 +msgid "cheerful" +msgstr "giocoso" + +#: ../../include/text.php:1035 +msgid "alive" +msgstr "vivo" + +#: ../../include/text.php:1036 +msgid "annoyed" +msgstr "annoiato" + +#: ../../include/text.php:1037 +msgid "anxious" +msgstr "ansioso" + +#: ../../include/text.php:1038 +msgid "cranky" +msgstr "irritabile" + +#: ../../include/text.php:1039 +msgid "disturbed" +msgstr "disturbato" + +#: ../../include/text.php:1040 +msgid "frustrated" +msgstr "frustato" + +#: ../../include/text.php:1041 +msgid "motivated" +msgstr "motivato" + +#: ../../include/text.php:1042 +msgid "relaxed" +msgstr "rilassato" + +#: ../../include/text.php:1043 +msgid "surprised" +msgstr "sorpreso" + +#: ../../include/text.php:1213 +msgid "Monday" +msgstr "Lunedì" + +#: ../../include/text.php:1213 +msgid "Tuesday" +msgstr "Martedì" + +#: ../../include/text.php:1213 +msgid "Wednesday" +msgstr "Mercoledì" + +#: ../../include/text.php:1213 +msgid "Thursday" +msgstr "Giovedì" + +#: ../../include/text.php:1213 +msgid "Friday" +msgstr "Venerdì" + +#: ../../include/text.php:1213 +msgid "Saturday" +msgstr "Sabato" + +#: ../../include/text.php:1213 +msgid "Sunday" +msgstr "Domenica" + +#: ../../include/text.php:1217 +msgid "January" +msgstr "Gennaio" + +#: ../../include/text.php:1217 +msgid "February" +msgstr "Febbraio" + +#: ../../include/text.php:1217 +msgid "March" +msgstr "Marzo" + +#: ../../include/text.php:1217 +msgid "April" +msgstr "Aprile" + +#: ../../include/text.php:1217 +msgid "May" +msgstr "Maggio" + +#: ../../include/text.php:1217 +msgid "June" +msgstr "Giugno" + +#: ../../include/text.php:1217 +msgid "July" +msgstr "Luglio" + +#: ../../include/text.php:1217 +msgid "August" +msgstr "Agosto" + +#: ../../include/text.php:1217 +msgid "September" +msgstr "Settembre" + +#: ../../include/text.php:1217 +msgid "October" +msgstr "Ottobre" + +#: ../../include/text.php:1217 +msgid "November" +msgstr "Novembre" + +#: ../../include/text.php:1217 +msgid "December" +msgstr "Dicembre" + +#: ../../include/text.php:1437 +msgid "bytes" +msgstr "bytes" + +#: ../../include/text.php:1461 ../../include/text.php:1473 +msgid "Click to open/close" +msgstr "Clicca per aprire/chiudere" + +#: ../../include/text.php:1702 ../../include/user.php:247 +#: ../../view/theme/duepuntozero/config.php:44 +msgid "default" +msgstr "default" + +#: ../../include/text.php:1714 +msgid "Select an alternate language" +msgstr "Seleziona una diversa lingua" + +#: ../../include/text.php:1970 +msgid "activity" +msgstr "attività" + +#: ../../include/text.php:1973 +msgid "post" +msgstr "messaggio" + +#: ../../include/text.php:2141 +msgid "Item filed" +msgstr "Messaggio salvato" + +#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 +#: ../../include/bbcode.php:1048 +msgid "Image/photo" +msgstr "Immagine/foto" + +#: ../../include/bbcode.php:528 +#, php-format +msgid "%2$s %3$s" +msgstr "" + +#: ../../include/bbcode.php:562 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "%s ha scritto il seguente messaggio" + +#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 +msgid "$1 wrote:" +msgstr "$1 ha scritto:" + +#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 +msgid "Encrypted content" +msgstr "Contenuto criptato" + +#: ../../include/notifier.php:786 ../../include/delivery.php:456 +msgid "(no subject)" +msgstr "(nessun oggetto)" + +#: ../../include/notifier.php:796 ../../include/delivery.php:467 +#: ../../include/enotify.php:33 +msgid "noreply" +msgstr "nessuna risposta" + +#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Non trovo le informazioni DNS per il database server '%s'" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Sconosciuto | non categorizzato" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Blocca immediatamente" + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "Shady, spammer, self-marketer" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Lo conosco, ma non ho un'opinione particolare" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "E' ok, probabilmente innocuo" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Rispettabile, ha la mia fiducia" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Settimanalmente" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Mensilmente" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "Ostatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS / Atom" + +#: ../../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 "Connettore Diaspora" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" + +#: ../../include/Scrape.php:614 +msgid " on Last.fm" +msgstr "su Last.fm" + +#: ../../include/bb2diaspora.php:154 ../../include/event.php:20 msgid "Starts:" msgstr "Inizia:" -#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 +#: ../../include/bb2diaspora.php:162 ../../include/event.php:30 msgid "Finishes:" msgstr "Finisce:" @@ -6072,403 +6794,343 @@ msgstr "Lavoro:" msgid "School/education:" msgstr "Scuola:" -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[nessun oggetto]" - -#: ../../include/Scrape.php:584 -msgid " on Last.fm" -msgstr "su Last.fm" - -#: ../../include/text.php:296 -msgid "newer" -msgstr "nuovi" - -#: ../../include/text.php:298 -msgid "older" -msgstr "vecchi" - -#: ../../include/text.php:303 -msgid "prev" -msgstr "prec" - -#: ../../include/text.php:305 -msgid "first" -msgstr "primo" - -#: ../../include/text.php:337 -msgid "last" -msgstr "ultimo" - -#: ../../include/text.php:340 -msgid "next" -msgstr "succ" - -#: ../../include/text.php:854 -msgid "No contacts" -msgstr "Nessun contatto" - -#: ../../include/text.php:863 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d contatto" -msgstr[1] "%d contatti" +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Clicca qui per aggiornare." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Questa azione eccede i limiti del tuo piano di sottoscrizione." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Questa azione non è disponibile nel tuo piano di sottoscrizione." + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Finisci questa sessione" + +#: ../../include/nav.php:76 ../../include/nav.php:148 +#: ../../view/theme/diabook/theme.php:123 +msgid "Your posts and conversations" +msgstr "I tuoi messaggi e le tue conversazioni" -#: ../../include/text.php:1004 -msgid "poke" -msgstr "stuzzica" +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Your profile page" +msgstr "Pagina del tuo profilo" -#: ../../include/text.php:1004 ../../include/conversation.php:211 -msgid "poked" -msgstr "toccato" +#: ../../include/nav.php:78 ../../view/theme/diabook/theme.php:126 +msgid "Your photos" +msgstr "Le tue foto" -#: ../../include/text.php:1005 -msgid "ping" -msgstr "invia un ping" +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "I tuoi video" -#: ../../include/text.php:1005 -msgid "pinged" -msgstr "inviato un ping" +#: ../../include/nav.php:80 ../../view/theme/diabook/theme.php:127 +msgid "Your events" +msgstr "I tuoi eventi" -#: ../../include/text.php:1006 -msgid "prod" -msgstr "pungola" +#: ../../include/nav.php:81 ../../view/theme/diabook/theme.php:128 +msgid "Personal notes" +msgstr "Note personali" -#: ../../include/text.php:1006 -msgid "prodded" -msgstr "pungolato" +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Le tue note personali" -#: ../../include/text.php:1007 -msgid "slap" -msgstr "schiaffeggia" +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Entra" -#: ../../include/text.php:1007 -msgid "slapped" -msgstr "schiaffeggiato" +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Home Page" -#: ../../include/text.php:1008 -msgid "finger" -msgstr "tocca" +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Crea un account" -#: ../../include/text.php:1008 -msgid "fingered" -msgstr "toccato" +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Guida e documentazione" -#: ../../include/text.php:1009 -msgid "rebuff" -msgstr "respingi" +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Applicazioni" -#: ../../include/text.php:1009 -msgid "rebuffed" -msgstr "respinto" +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Applicazioni, utilità e giochi aggiuntivi" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Cerca nel contenuto del sito" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Conversazioni su questo sito" + +#: ../../include/nav.php:131 +msgid "Conversations on the network" +msgstr "" + +#: ../../include/nav.php:133 +msgid "Directory" +msgstr "Elenco" + +#: ../../include/nav.php:133 +msgid "People directory" +msgstr "Elenco delle persone" + +#: ../../include/nav.php:135 +msgid "Information" +msgstr "Informazioni" + +#: ../../include/nav.php:135 +msgid "Information about this friendica instance" +msgstr "Informazioni su questo server friendica" + +#: ../../include/nav.php:145 +msgid "Conversations from your friends" +msgstr "Conversazioni dai tuoi amici" + +#: ../../include/nav.php:146 +msgid "Network Reset" +msgstr "Reset pagina Rete" + +#: ../../include/nav.php:146 +msgid "Load Network page with no filters" +msgstr "Carica la pagina Rete senza nessun filtro" + +#: ../../include/nav.php:154 +msgid "Friend Requests" +msgstr "Richieste di amicizia" + +#: ../../include/nav.php:156 +msgid "See all notifications" +msgstr "Vedi tutte le notifiche" + +#: ../../include/nav.php:157 +msgid "Mark all system notifications seen" +msgstr "Segna tutte le notifiche come viste" -#: ../../include/text.php:1023 -msgid "happy" -msgstr "felice" +#: ../../include/nav.php:161 +msgid "Private mail" +msgstr "Posta privata" -#: ../../include/text.php:1024 -msgid "sad" -msgstr "triste" +#: ../../include/nav.php:162 +msgid "Inbox" +msgstr "In arrivo" -#: ../../include/text.php:1025 -msgid "mellow" -msgstr "rilassato" +#: ../../include/nav.php:163 +msgid "Outbox" +msgstr "Inviati" -#: ../../include/text.php:1026 -msgid "tired" -msgstr "stanco" +#: ../../include/nav.php:167 +msgid "Manage" +msgstr "Gestisci" -#: ../../include/text.php:1027 -msgid "perky" -msgstr "vivace" +#: ../../include/nav.php:167 +msgid "Manage other pages" +msgstr "Gestisci altre pagine" -#: ../../include/text.php:1028 -msgid "angry" -msgstr "arrabbiato" +#: ../../include/nav.php:172 +msgid "Account settings" +msgstr "Parametri account" -#: ../../include/text.php:1029 -msgid "stupified" -msgstr "stupefatto" +#: ../../include/nav.php:175 +msgid "Manage/Edit Profiles" +msgstr "Gestisci/Modifica i profili" -#: ../../include/text.php:1030 -msgid "puzzled" -msgstr "confuso" +#: ../../include/nav.php:177 +msgid "Manage/edit friends and contacts" +msgstr "Gestisci/modifica amici e contatti" -#: ../../include/text.php:1031 -msgid "interested" -msgstr "interessato" +#: ../../include/nav.php:184 +msgid "Site setup and configuration" +msgstr "Configurazione del sito" -#: ../../include/text.php:1032 -msgid "bitter" -msgstr "risentito" +#: ../../include/nav.php:188 +msgid "Navigation" +msgstr "Navigazione" -#: ../../include/text.php:1033 -msgid "cheerful" -msgstr "giocoso" +#: ../../include/nav.php:188 +msgid "Site map" +msgstr "Mappa del sito" -#: ../../include/text.php:1034 -msgid "alive" -msgstr "vivo" - -#: ../../include/text.php:1035 -msgid "annoyed" -msgstr "annoiato" - -#: ../../include/text.php:1036 -msgid "anxious" -msgstr "ansioso" - -#: ../../include/text.php:1037 -msgid "cranky" -msgstr "irritabile" - -#: ../../include/text.php:1038 -msgid "disturbed" -msgstr "disturbato" - -#: ../../include/text.php:1039 -msgid "frustrated" -msgstr "frustato" - -#: ../../include/text.php:1040 -msgid "motivated" -msgstr "motivato" - -#: ../../include/text.php:1041 -msgid "relaxed" -msgstr "rilassato" - -#: ../../include/text.php:1042 -msgid "surprised" -msgstr "sorpreso" - -#: ../../include/text.php:1210 -msgid "Monday" -msgstr "Lunedì" - -#: ../../include/text.php:1210 -msgid "Tuesday" -msgstr "Martedì" - -#: ../../include/text.php:1210 -msgid "Wednesday" -msgstr "Mercoledì" - -#: ../../include/text.php:1210 -msgid "Thursday" -msgstr "Giovedì" - -#: ../../include/text.php:1210 -msgid "Friday" -msgstr "Venerdì" - -#: ../../include/text.php:1210 -msgid "Saturday" -msgstr "Sabato" - -#: ../../include/text.php:1210 -msgid "Sunday" -msgstr "Domenica" - -#: ../../include/text.php:1214 -msgid "January" -msgstr "Gennaio" - -#: ../../include/text.php:1214 -msgid "February" -msgstr "Febbraio" - -#: ../../include/text.php:1214 -msgid "March" -msgstr "Marzo" - -#: ../../include/text.php:1214 -msgid "April" -msgstr "Aprile" - -#: ../../include/text.php:1214 -msgid "May" -msgstr "Maggio" - -#: ../../include/text.php:1214 -msgid "June" -msgstr "Giugno" - -#: ../../include/text.php:1214 -msgid "July" -msgstr "Luglio" - -#: ../../include/text.php:1214 -msgid "August" -msgstr "Agosto" - -#: ../../include/text.php:1214 -msgid "September" -msgstr "Settembre" - -#: ../../include/text.php:1214 -msgid "October" -msgstr "Ottobre" - -#: ../../include/text.php:1214 -msgid "November" -msgstr "Novembre" - -#: ../../include/text.php:1214 -msgid "December" -msgstr "Dicembre" - -#: ../../include/text.php:1434 -msgid "bytes" -msgstr "bytes" - -#: ../../include/text.php:1458 ../../include/text.php:1470 -msgid "Click to open/close" -msgstr "Clicca per aprire/chiudere" - -#: ../../include/text.php:1711 -msgid "Select an alternate language" -msgstr "Seleziona una diversa lingua" - -#: ../../include/text.php:1967 -msgid "activity" -msgstr "attività" - -#: ../../include/text.php:1970 -msgid "post" -msgstr "messaggio" - -#: ../../include/text.php:2138 -msgid "Item filed" -msgstr "Messaggio salvato" - -#: ../../include/api.php:278 ../../include/api.php:289 -#: ../../include/api.php:390 ../../include/api.php:975 -#: ../../include/api.php:977 +#: ../../include/api.php:304 ../../include/api.php:315 +#: ../../include/api.php:416 ../../include/api.php:1063 +#: ../../include/api.php:1065 msgid "User not found." msgstr "Utente non trovato." -#: ../../include/api.php:1184 +#: ../../include/api.php:771 +#, php-format +msgid "Daily posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:790 +#, php-format +msgid "Weekly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:809 +#, php-format +msgid "Monthly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:1272 msgid "There is no status with this id." msgstr "Non c'è nessuno status con questo id." -#: ../../include/api.php:1254 +#: ../../include/api.php:1342 msgid "There is no conversation with this id." msgstr "Non c'è nessuna conversazione con questo id" -#: ../../include/dba.php:56 ../../include/dba_pdo.php:72 +#: ../../include/api.php:1614 +msgid "Invalid request." +msgstr "" + +#: ../../include/api.php:1625 +msgid "Invalid item." +msgstr "" + +#: ../../include/api.php:1635 +msgid "Invalid action. " +msgstr "" + +#: ../../include/api.php:1643 +msgid "DB error" +msgstr "" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "E' richiesto un invito." + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "L'invito non puo' essere verificato." + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "Url OpenID non valido" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "Inserisci le informazioni richieste." + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "Usa un nome più corto." + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "Il nome è troppo corto." + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Questo non sembra essere il tuo nome completo (Nome Cognome)." + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "Il dominio della tua email non è tra quelli autorizzati su questo sito." + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "L'indirizzo email non è valido." + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "Non puoi usare quell'email." + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera." + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "Nome utente già registrato. Scegline un altro." + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo." + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita." + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "C'è stato un errore durante la registrazione. Prova ancora." + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "C'è stato un errore nella creazione del tuo profilo. Prova ancora." + +#: ../../include/user.php:289 ../../include/user.php:293 +#: ../../include/profile_selectors.php:42 +msgid "Friends" +msgstr "Amici" + +#: ../../include/user.php:377 #, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Non trovo le informazioni DNS per il database server '%s'" +msgid "" +"\n" +"\t\tDear %1$s,\n" +"\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t" +msgstr "\nGentile %1$s,\nGrazie per esserti registrato su %2$s. Il tuo account è stato creato." -#: ../../include/items.php:2112 ../../include/datetime.php:472 +#: ../../include/user.php:381 #, php-format -msgid "%s's birthday" -msgstr "Compleanno di %s" - -#: ../../include/items.php:2113 ../../include/datetime.php:473 -#, php-format -msgid "Happy Birthday %s" -msgstr "Buon compleanno %s" - -#: ../../include/items.php:4418 -msgid "Do you really want to delete this item?" -msgstr "Vuoi veramente cancellare questo elemento?" - -#: ../../include/items.php:4641 -msgid "Archives" -msgstr "Archivi" - -#: ../../include/delivery.php:456 ../../include/notifier.php:774 -msgid "(no subject)" -msgstr "(nessun oggetto)" - -#: ../../include/delivery.php:467 ../../include/notifier.php:784 -#: ../../include/enotify.php:30 -msgid "noreply" -msgstr "nessuna risposta" +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/diaspora.php:703 msgid "Sharing notification from Diaspora network" msgstr "Notifica di condivisione dal network Diaspora*" -#: ../../include/diaspora.php:2312 +#: ../../include/diaspora.php:2520 msgid "Attachments:" msgstr "Allegati:" -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "URL di connessione mancante." +#: ../../include/items.php:4555 +msgid "Do you really want to delete this item?" +msgstr "Vuoi veramente cancellare questo elemento?" -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Non è stato trovato un nome o un autore" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Nessun URL puo' essere associato a questo indirizzo." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email." - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "Impossibile recuperare informazioni sul contatto." - -#: ../../include/follow.php:259 -msgid "following" -msgstr "segue" - -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Ciao" - -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Carica una foto per il profilo." - -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Ciao " - -#: ../../include/security.php:366 -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 "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla." +#: ../../include/items.php:4778 +msgid "Archives" +msgstr "Archivi" #: ../../include/profile_selectors.php:6 msgid "Male" @@ -6614,11 +7276,6 @@ msgstr "Infedele" msgid "Sex Addict" msgstr "Sesso-dipendente" -#: ../../include/profile_selectors.php:42 ../../include/user.php:289 -#: ../../include/user.php:293 -msgid "Friends" -msgstr "Amici" - #: ../../include/profile_selectors.php:42 msgid "Friends/Benefits" msgstr "Amici con benefici" @@ -6703,6 +7360,298 @@ msgstr "Non interessa" msgid "Ask me" msgstr "Chiedimelo" +#: ../../include/enotify.php:18 +msgid "Friendica Notification" +msgstr "Notifica Friendica" + +#: ../../include/enotify.php:21 +msgid "Thank You," +msgstr "Grazie," + +#: ../../include/enotify.php:23 +#, php-format +msgid "%s Administrator" +msgstr "Amministratore %s" + +#: ../../include/enotify.php:64 +#, php-format +msgid "%s " +msgstr "%s " + +#: ../../include/enotify.php:68 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s" + +#: ../../include/enotify.php:70 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "%1$s ti ha inviato un nuovo messaggio privato su %2$s." + +#: ../../include/enotify.php:71 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s ti ha inviato %2$s" + +#: ../../include/enotify.php:71 +msgid "a private message" +msgstr "un messaggio privato" + +#: ../../include/enotify.php:72 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "Visita %s per vedere e/o rispodere ai tuoi messaggi privati." + +#: ../../include/enotify.php:124 +#, php-format +msgid "%1$s commented on [url=%2$s]a %3$s[/url]" +msgstr "%1$s ha commentato [url=%2$s]%3$s[/url]" + +#: ../../include/enotify.php:131 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "%1$s ha commentato [url=%2$s]%4$s di %3$s[/url]" + +#: ../../include/enotify.php:139 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "%1$s ha commentato un [url=%2$s]tuo %3$s[/url]" + +#: ../../include/enotify.php:149 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "[Friendica:Notifica] Commento di %2$s alla conversazione #%1$d" + +#: ../../include/enotify.php:150 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s ha commentato un elemento che stavi seguendo." + +#: ../../include/enotify.php:153 ../../include/enotify.php:168 +#: ../../include/enotify.php:181 ../../include/enotify.php:194 +#: ../../include/enotify.php:212 ../../include/enotify.php:225 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "Visita %s per vedere e/o commentare la conversazione" + +#: ../../include/enotify.php:160 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "[Friendica:Notifica] %s ha scritto sulla tua bacheca" + +#: ../../include/enotify.php:162 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s ha scritto sulla tua bacheca su %2$s" + +#: ../../include/enotify.php:164 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "%1$s ha inviato un messaggio sulla [url=%2$s]tua bacheca[/url]" + +#: ../../include/enotify.php:175 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "[Friendica:Notifica] %s ti ha taggato" + +#: ../../include/enotify.php:176 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s ti ha taggato su %2$s" + +#: ../../include/enotify.php:177 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "%1$s [url=%2$s]ti ha taggato[/url]." + +#: ../../include/enotify.php:188 +#, php-format +msgid "[Friendica:Notify] %s shared a new post" +msgstr "[Friendica:Notifica] %s ha condiviso un nuovo messaggio" + +#: ../../include/enotify.php:189 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "%1$s ha condiviso un nuovo messaggio su %2$s" + +#: ../../include/enotify.php:190 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "%1$s [url=%2$s]ha condiviso un messaggio[/url]." + +#: ../../include/enotify.php:202 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "[Friendica:Notifica] %1$s ti ha stuzzicato" + +#: ../../include/enotify.php:203 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "%1$s ti ha stuzzicato su %2$s" + +#: ../../include/enotify.php:204 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." + +#: ../../include/enotify.php:219 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "[Friendica:Notifica] %s ha taggato un tuo messaggio" + +#: ../../include/enotify.php:220 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "%1$s ha taggato il tuo post su %2$s" + +#: ../../include/enotify.php:221 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "%1$s ha taggato [url=%2$s]il tuo post[/url]" + +#: ../../include/enotify.php:232 +msgid "[Friendica:Notify] Introduction received" +msgstr "[Friendica:Notifica] Hai ricevuto una presentazione" + +#: ../../include/enotify.php:233 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "Hai ricevuto un'introduzione da '%1$s' su %2$s" + +#: ../../include/enotify.php:234 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "Hai ricevuto [url=%1$s]un'introduzione[/url] da %2$s." + +#: ../../include/enotify.php:237 ../../include/enotify.php:279 +#, php-format +msgid "You may visit their profile at %s" +msgstr "Puoi visitare il suo profilo presso %s" + +#: ../../include/enotify.php:239 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "Visita %s per approvare o rifiutare la presentazione." + +#: ../../include/enotify.php:247 +msgid "[Friendica:Notify] A new person is sharing with you" +msgstr "[Friendica:Notifica] Una nuova persona sta condividendo con te" + +#: ../../include/enotify.php:248 ../../include/enotify.php:249 +#, php-format +msgid "%1$s is sharing with you at %2$s" +msgstr "%1$s sta condividendo con te su %2$s" + +#: ../../include/enotify.php:255 +msgid "[Friendica:Notify] You have a new follower" +msgstr "[Friendica:Notifica] Una nuova persona ti segue" + +#: ../../include/enotify.php:256 ../../include/enotify.php:257 +#, php-format +msgid "You have a new follower at %2$s : %1$s" +msgstr "Un nuovo utente ha iniziato a seguirti su %2$s : %1$s" + +#: ../../include/enotify.php:270 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia" + +#: ../../include/enotify.php:271 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "Hai ricevuto un suggerimento di amicizia da '%1$s' su %2$s" + +#: ../../include/enotify.php:272 +#, php-format +msgid "" +"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." +msgstr "Hai ricevuto [url=%1$s]un suggerimento di amicizia[/url] per %2$s su %3$s" + +#: ../../include/enotify.php:277 +msgid "Name:" +msgstr "Nome:" + +#: ../../include/enotify.php:278 +msgid "Photo:" +msgstr "Foto:" + +#: ../../include/enotify.php:281 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "Visita %s per approvare o rifiutare il suggerimento." + +#: ../../include/enotify.php:289 ../../include/enotify.php:302 +msgid "[Friendica:Notify] Connection accepted" +msgstr "[Friendica:Notifica] Connessione accettata" + +#: ../../include/enotify.php:290 ../../include/enotify.php:303 +#, php-format +msgid "'%1$s' has acepted your connection request at %2$s" +msgstr "'%1$s' ha accettato la tua richiesta di connessione su %2$s" + +#: ../../include/enotify.php:291 ../../include/enotify.php:304 +#, php-format +msgid "%2$s has accepted your [url=%1$s]connection request[/url]." +msgstr "%2$s ha accettato la tua [url=%1$s]richiesta di connessione[/url]" + +#: ../../include/enotify.php:294 +msgid "" +"You are now mutual friends and may exchange status updates, photos, and email\n" +"\twithout restriction." +msgstr "Ora siete connessi reciprocamente e potete scambiarvi aggiornamenti di stato, foto e email\nsenza restrizioni" + +#: ../../include/enotify.php:297 ../../include/enotify.php:311 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "Visita %s se desideri modificare questo collegamento." + +#: ../../include/enotify.php:307 +#, 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 "'%1$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibiltà di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente." + +#: ../../include/enotify.php:309 +#, php-format +msgid "" +"'%1$s' may choose to extend this into a two-way or more permissive " +"relationship in the future. " +msgstr "'%1$s' può decidere in futuro di estendere la connessione in una reciproca o più permissiva." + +#: ../../include/enotify.php:322 +msgid "[Friendica System:Notify] registration request" +msgstr "[Friendica System:Notifica] richiesta di registrazione" + +#: ../../include/enotify.php:323 +#, php-format +msgid "You've received a registration request from '%1$s' at %2$s" +msgstr "Hai ricevuto una richiesta di registrazione da '%1$s' su %2$s" + +#: ../../include/enotify.php:324 +#, php-format +msgid "You've received a [url=%1$s]registration request[/url] from %2$s." +msgstr "Hai ricevuto una [url=%1$s]richiesta di registrazione[/url] da %2$s." + +#: ../../include/enotify.php:327 +#, php-format +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "Nome completo: %1$s\nIndirizzo del sito: %2$s\nNome utente: %3$s (%4$s)" + +#: ../../include/enotify.php:330 +#, php-format +msgid "Please visit %s to approve or reject the request." +msgstr "Visita %s per approvare o rifiutare la richiesta." + +#: ../../include/oembed.php:212 +msgid "Embedded content" +msgstr "Contenuto incorporato" + +#: ../../include/oembed.php:221 +msgid "Embedding disabled" +msgstr "Embed disabilitato" + #: ../../include/uimport.php:94 msgid "Error decoding account file" msgstr "Errore decodificando il file account" @@ -6739,991 +7688,190 @@ msgstr[1] "%d contatti non importati" msgid "Done. You can now login with your username and password" msgstr "Fatto. Ora puoi entrare con il tuo nome utente e la tua password" -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Clicca qui per aggiornare." - -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Questa azione eccede i limiti del tuo piano di sottoscrizione." - -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Questa azione non è disponibile nel tuo piano di sottoscrizione." - -#: ../../include/conversation.php:207 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s ha stuzzicato %2$s" - -#: ../../include/conversation.php:291 -msgid "post/item" -msgstr "post/elemento" - -#: ../../include/conversation.php:292 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s ha segnato il/la %3$s di %2$s come preferito" - -#: ../../include/conversation.php:772 -msgid "remove" -msgstr "rimuovi" - -#: ../../include/conversation.php:776 -msgid "Delete Selected Items" -msgstr "Cancella elementi selezionati" - -#: ../../include/conversation.php:875 -msgid "Follow Thread" -msgstr "Segui la discussione" - -#: ../../include/conversation.php:876 ../../include/Contact.php:229 -msgid "View Status" -msgstr "Visualizza stato" - -#: ../../include/conversation.php:877 ../../include/Contact.php:230 -msgid "View Profile" -msgstr "Visualizza profilo" - -#: ../../include/conversation.php:878 ../../include/Contact.php:231 -msgid "View Photos" -msgstr "Visualizza foto" - -#: ../../include/conversation.php:879 ../../include/Contact.php:232 -#: ../../include/Contact.php:255 -msgid "Network Posts" -msgstr "Post della Rete" - -#: ../../include/conversation.php:880 ../../include/Contact.php:233 -#: ../../include/Contact.php:255 -msgid "Edit Contact" -msgstr "Modifica contatti" - -#: ../../include/conversation.php:881 ../../include/Contact.php:235 -#: ../../include/Contact.php:255 -msgid "Send PM" -msgstr "Invia messaggio privato" - -#: ../../include/conversation.php:882 ../../include/Contact.php:228 -msgid "Poke" -msgstr "Stuzzica" - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s likes this." -msgstr "Piace a %s." - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s doesn't like this." -msgstr "Non piace a %s." - -#: ../../include/conversation.php:949 -#, php-format -msgid "%2$d people like this" -msgstr "Piace a %2$d persone." - -#: ../../include/conversation.php:952 -#, php-format -msgid "%2$d people don't like this" -msgstr "Non piace a %2$d persone." - -#: ../../include/conversation.php:966 -msgid "and" -msgstr "e" - -#: ../../include/conversation.php:972 -#, php-format -msgid ", and %d other people" -msgstr "e altre %d persone" - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s like this." -msgstr "Piace a %s." - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s don't like this." -msgstr "Non piace a %s." - -#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 -msgid "Visible to everybody" -msgstr "Visibile a tutti" - -#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 -msgid "Please enter a video link/URL:" -msgstr "Inserisci un collegamento video / URL:" - -#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 -msgid "Please enter an audio link/URL:" -msgstr "Inserisci un collegamento audio / URL:" - -#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 -msgid "Tag term:" -msgstr "Tag:" - -#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 -msgid "Where are you right now?" -msgstr "Dove sei ora?" - -#: ../../include/conversation.php:1008 -msgid "Delete item(s)?" -msgstr "Cancellare questo elemento/i?" - -#: ../../include/conversation.php:1051 -msgid "Post to Email" -msgstr "Invia a email" - -#: ../../include/conversation.php:1056 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Connettore disabilitato, dato che \"%s\" è abilitato." - -#: ../../include/conversation.php:1111 -msgid "permissions" -msgstr "permessi" - -#: ../../include/conversation.php:1135 -msgid "Post to Groups" -msgstr "Invia ai Gruppi" - -#: ../../include/conversation.php:1136 -msgid "Post to Contacts" -msgstr "Invia ai Contatti" - -#: ../../include/conversation.php:1137 -msgid "Private post" -msgstr "Post privato" - -#: ../../include/contact_widgets.php:6 -msgid "Add New Contact" -msgstr "Aggiungi nuovo contatto" - -#: ../../include/contact_widgets.php:7 -msgid "Enter address or web location" -msgstr "Inserisci posizione o indirizzo web" - -#: ../../include/contact_widgets.php:8 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Esempio: bob@example.com, http://example.com/barbara" - -#: ../../include/contact_widgets.php:24 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d invito disponibile" -msgstr[1] "%d inviti disponibili" - -#: ../../include/contact_widgets.php:30 -msgid "Find People" -msgstr "Trova persone" - -#: ../../include/contact_widgets.php:31 -msgid "Enter name or interest" -msgstr "Inserisci un nome o un interesse" - -#: ../../include/contact_widgets.php:32 -msgid "Connect/Follow" -msgstr "Connetti/segui" - -#: ../../include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Esempi: Mario Rossi, Pesca" - -#: ../../include/contact_widgets.php:37 -msgid "Random Profile" -msgstr "Profilo causale" - -#: ../../include/contact_widgets.php:71 -msgid "Networks" -msgstr "Reti" - -#: ../../include/contact_widgets.php:74 -msgid "All Networks" -msgstr "Tutte le Reti" - -#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 -msgid "Everything" -msgstr "Tutto" - -#: ../../include/contact_widgets.php:136 -msgid "Categories" -msgstr "Categorie" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Finisci questa sessione" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "I tuoi video" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "Le tue note personali" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Entra" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Home Page" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Crea un account" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Guida e documentazione" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Applicazioni" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Applicazioni, utilità e giochi aggiuntivi" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Cerca nel contenuto del sito" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Conversazioni su questo sito" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Elenco" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Elenco delle persone" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "Informazioni" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "Informazioni su questo server friendica" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Conversazioni dai tuoi amici" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Reset pagina Rete" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "Carica la pagina Rete senza nessun filtro" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Richieste di amicizia" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Vedi tutte le notifiche" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Segna tutte le notifiche come viste" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Posta privata" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "In arrivo" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Inviati" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Gestisci" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Gestisci altre pagine" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Parametri account" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Gestisci/Modifica i profili" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Gestisci/modifica amici e contatti" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Configurazione del sito" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navigazione" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Mappa del sito" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Sconosciuto | non categorizzato" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Blocca immediatamente" - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Shady, spammer, self-marketer" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Lo conosco, ma non ho un'opinione particolare" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "E' ok, probabilmente innocuo" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Rispettabile, ha la mia fiducia" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Settimanalmente" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Mensilmente" - -#: ../../include/contact_selectors.php:77 -msgid "OStatus" -msgstr "Ostatus" - -#: ../../include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS / Atom" - -#: ../../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 "Connettore Diaspora" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "Statusnet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "App.net" - -#: ../../include/enotify.php:18 -msgid "Friendica Notification" -msgstr "Notifica Friendica" - -#: ../../include/enotify.php:21 -msgid "Thank You," -msgstr "Grazie," - -#: ../../include/enotify.php:23 -#, php-format -msgid "%s Administrator" -msgstr "Amministratore %s" - -#: ../../include/enotify.php:55 -#, php-format -msgid "%s " -msgstr "%s " - -#: ../../include/enotify.php:59 -#, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s" - -#: ../../include/enotify.php:61 -#, php-format -msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s ti ha inviato un nuovo messaggio privato su %2$s." - -#: ../../include/enotify.php:62 -#, php-format -msgid "%1$s sent you %2$s." -msgstr "%1$s ti ha inviato %2$s" - -#: ../../include/enotify.php:62 -msgid "a private message" -msgstr "un messaggio privato" - -#: ../../include/enotify.php:63 -#, php-format -msgid "Please visit %s to view and/or reply to your private messages." -msgstr "Visita %s per vedere e/o rispodere ai tuoi messaggi privati." - -#: ../../include/enotify.php:115 -#, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s ha commentato [url=%2$s]%3$s[/url]" - -#: ../../include/enotify.php:122 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s ha commentato [url=%2$s]%4$s di %3$s[/url]" - -#: ../../include/enotify.php:130 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s ha commentato un [url=%2$s]tuo %3$s[/url]" - -#: ../../include/enotify.php:140 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notifica] Commento di %2$s alla conversazione #%1$d" - -#: ../../include/enotify.php:141 -#, php-format -msgid "%s commented on an item/conversation you have been following." -msgstr "%s ha commentato un elemento che stavi seguendo." - -#: ../../include/enotify.php:144 ../../include/enotify.php:159 -#: ../../include/enotify.php:172 ../../include/enotify.php:185 -#: ../../include/enotify.php:203 ../../include/enotify.php:216 -#, php-format -msgid "Please visit %s to view and/or reply to the conversation." -msgstr "Visita %s per vedere e/o commentare la conversazione" - -#: ../../include/enotify.php:151 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Notifica] %s ha scritto sulla tua bacheca" - -#: ../../include/enotify.php:153 -#, php-format -msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s ha scritto sulla tua bacheca su %2$s" - -#: ../../include/enotify.php:155 -#, php-format -msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "%1$s ha inviato un messaggio sulla [url=%2$s]tua bacheca[/url]" - -#: ../../include/enotify.php:166 -#, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notifica] %s ti ha taggato" - -#: ../../include/enotify.php:167 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s ti ha taggato su %2$s" - -#: ../../include/enotify.php:168 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [url=%2$s]ti ha taggato[/url]." - -#: ../../include/enotify.php:179 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" -msgstr "[Friendica:Notifica] %s ha condiviso un nuovo messaggio" - -#: ../../include/enotify.php:180 -#, php-format -msgid "%1$s shared a new post at %2$s" -msgstr "%1$s ha condiviso un nuovo messaggio su %2$s" - -#: ../../include/enotify.php:181 -#, php-format -msgid "%1$s [url=%2$s]shared a post[/url]." -msgstr "%1$s [url=%2$s]ha condiviso un messaggio[/url]." - -#: ../../include/enotify.php:193 -#, php-format -msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notifica] %1$s ti ha stuzzicato" - -#: ../../include/enotify.php:194 -#, php-format -msgid "%1$s poked you at %2$s" -msgstr "%1$s ti ha stuzzicato su %2$s" - -#: ../../include/enotify.php:195 -#, php-format -msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." - -#: ../../include/enotify.php:210 -#, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notifica] %s ha taggato un tuo messaggio" - -#: ../../include/enotify.php:211 -#, php-format -msgid "%1$s tagged your post at %2$s" -msgstr "%1$s ha taggato il tuo post su %2$s" - -#: ../../include/enotify.php:212 -#, php-format -msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s ha taggato [url=%2$s]il tuo post[/url]" - -#: ../../include/enotify.php:223 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Notifica] Hai ricevuto una presentazione" - -#: ../../include/enotify.php:224 -#, php-format -msgid "You've received an introduction from '%1$s' at %2$s" -msgstr "Hai ricevuto un'introduzione da '%1$s' su %2$s" - -#: ../../include/enotify.php:225 -#, php-format -msgid "You've received [url=%1$s]an introduction[/url] from %2$s." -msgstr "Hai ricevuto [url=%1$s]un'introduzione[/url] da %2$s." - -#: ../../include/enotify.php:228 ../../include/enotify.php:270 -#, php-format -msgid "You may visit their profile at %s" -msgstr "Puoi visitare il suo profilo presso %s" - -#: ../../include/enotify.php:230 -#, php-format -msgid "Please visit %s to approve or reject the introduction." -msgstr "Visita %s per approvare o rifiutare la presentazione." - -#: ../../include/enotify.php:238 -msgid "[Friendica:Notify] A new person is sharing with you" -msgstr "[Friendica:Notifica] Una nuova persona sta condividendo con te" - -#: ../../include/enotify.php:239 ../../include/enotify.php:240 -#, php-format -msgid "%1$s is sharing with you at %2$s" -msgstr "%1$s sta condividendo con te su %2$s" - -#: ../../include/enotify.php:246 -msgid "[Friendica:Notify] You have a new follower" -msgstr "[Friendica:Notifica] Una nuova persona ti segue" - -#: ../../include/enotify.php:247 ../../include/enotify.php:248 -#, php-format -msgid "You have a new follower at %2$s : %1$s" -msgstr "Un nuovo utente ha iniziato a seguirti su %2$s : %1$s" - -#: ../../include/enotify.php:261 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia" - -#: ../../include/enotify.php:262 -#, php-format -msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "Hai ricevuto un suggerimento di amicizia da '%1$s' su %2$s" - -#: ../../include/enotify.php:263 -#, php-format -msgid "" -"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -msgstr "Hai ricevuto [url=%1$s]un suggerimento di amicizia[/url] per %2$s su %3$s" - -#: ../../include/enotify.php:268 -msgid "Name:" -msgstr "Nome:" - -#: ../../include/enotify.php:269 -msgid "Photo:" -msgstr "Foto:" - -#: ../../include/enotify.php:272 -#, php-format -msgid "Please visit %s to approve or reject the suggestion." -msgstr "Visita %s per approvare o rifiutare il suggerimento." - -#: ../../include/enotify.php:280 ../../include/enotify.php:293 -msgid "[Friendica:Notify] Connection accepted" -msgstr "[Friendica:Notifica] Connessione accettata" - -#: ../../include/enotify.php:281 ../../include/enotify.php:294 -#, php-format -msgid "'%1$s' has acepted your connection request at %2$s" -msgstr "'%1$s' ha accettato la tua richiesta di connessione su %2$s" - -#: ../../include/enotify.php:282 ../../include/enotify.php:295 -#, php-format -msgid "%2$s has accepted your [url=%1$s]connection request[/url]." -msgstr "%2$s ha accettato la tua [url=%1$s]richiesta di connessione[/url]" - -#: ../../include/enotify.php:285 -msgid "" -"You are now mutual friends and may exchange status updates, photos, and email\n" -"\twithout restriction." -msgstr "Ora siete connessi reciprocamente e potete scambiarvi aggiornamenti di stato, foto e email\nsenza restrizioni" - -#: ../../include/enotify.php:288 ../../include/enotify.php:302 -#, php-format -msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "Visita %s se desideri modificare questo collegamento." - -#: ../../include/enotify.php:298 -#, 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 "'%1$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibiltà di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente." - -#: ../../include/enotify.php:300 -#, php-format -msgid "" -"'%1$s' may choose to extend this into a two-way or more permissive " -"relationship in the future. " -msgstr "'%1$s' può decidere in futuro di estendere la connessione in una reciproca o più permissiva." - -#: ../../include/enotify.php:313 -msgid "[Friendica System:Notify] registration request" -msgstr "[Friendica System:Notifica] richiesta di registrazione" - -#: ../../include/enotify.php:314 -#, php-format -msgid "You've received a registration request from '%1$s' at %2$s" -msgstr "Hai ricevuto una richiesta di registrazione da '%1$s' su %2$s" - -#: ../../include/enotify.php:315 -#, php-format -msgid "You've received a [url=%1$s]registration request[/url] from %2$s." -msgstr "Hai ricevuto una [url=%1$s]richiesta di registrazione[/url] da %2$s." - -#: ../../include/enotify.php:318 -#, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -msgstr "Nome completo: %1$s\nIndirizzo del sito: %2$s\nNome utente: %3$s (%4$s)" - -#: ../../include/enotify.php:321 -#, php-format -msgid "Please visit %s to approve or reject the request." -msgstr "Visita %s per approvare o rifiutare la richiesta." - -#: ../../include/user.php:40 -msgid "An invitation is required." -msgstr "E' richiesto un invito." - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "L'invito non puo' essere verificato." - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "Url OpenID non valido" - -#: ../../include/user.php:74 -msgid "Please enter the required information." -msgstr "Inserisci le informazioni richieste." - -#: ../../include/user.php:88 -msgid "Please use a shorter name." -msgstr "Usa un nome più corto." - -#: ../../include/user.php:90 -msgid "Name too short." -msgstr "Il nome è troppo corto." - -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Questo non sembra essere il tuo nome completo (Nome Cognome)." - -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." -msgstr "Il dominio della tua email non è tra quelli autorizzati su questo sito." - -#: ../../include/user.php:113 -msgid "Not a valid email address." -msgstr "L'indirizzo email non è valido." - -#: ../../include/user.php:126 -msgid "Cannot use that email." -msgstr "Non puoi usare quell'email." - -#: ../../include/user.php:132 -msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera." - -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." -msgstr "Nome utente già registrato. Scegline un altro." - -#: ../../include/user.php:148 -msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo." - -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita." - -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." -msgstr "C'è stato un errore durante la registrazione. Prova ancora." - -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." -msgstr "C'è stato un errore nella creazione del tuo profilo. Prova ancora." - -#: ../../include/user.php:377 -#, 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 "\nGentile %1$s,\nGrazie per esserti registrato su %2$s. Il tuo account è stato creato." - -#: ../../include/user.php:381 -#, 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." +#: ../../index.php:428 +msgid "toggle mobile" +msgstr "commuta tema mobile" + +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/dispy/config.php:72 ../../view/theme/quattro/config.php:66 +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:55 +#: ../../view/theme/duepuntozero/config.php:61 +msgid "Theme settings" +msgstr "Impostazioni tema" + +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Dimensione immagini in messaggi e commenti (larghezza e altezza)" + +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/diabook/config.php:151 +msgid "Set font-size for posts and comments" +msgstr "Dimensione del carattere di messaggi e commenti" + +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Imposta la larghezza del tema" + +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr "Schema colori" + +#: ../../view/theme/dispy/config.php:74 +#: ../../view/theme/diabook/config.php:152 +msgid "Set line-height for posts and comments" +msgstr "Altezza della linea di testo di messaggi e commenti" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Imposta schema colori" + +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "Allineamento" + +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Sinistra" + +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Centrato" + +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "Dimensione caratteri post" + +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "Dimensione caratteri nelle aree di testo" + +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Imposta la dimensione della colonna centrale" + +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Imposta lo schema dei colori" + +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Livello di zoom per Earth Layer" + +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" +msgstr "Longitudine (X) per Earth Layers" + +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Latitudine (Y) per Earth Layers" + +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" +msgstr "Pagine Comunitarie" + +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" +msgstr "Earth Layers" + +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" +msgstr "Profili Comunità" + +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" +msgstr "Serve aiuto? Sei nuovo?" + +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" +msgstr "Servizi di conessione" + +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" +msgstr "Trova Amici" + +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" +msgstr "Ultimi utenti" + +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" +msgstr "Ultime foto" + +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" +msgstr "Ultimi \"mi piace\"" + +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "I tuoi contatti" + +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Le tue foto personali" + +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "Elenco Locale" + +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "Livello di zoom per Earth Layers" + +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "Mostra/Nascondi riquadri nella colonna destra" + +#: ../../view/theme/vier/config.php:56 +msgid "Set style" +msgstr "Imposta stile" + +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" msgstr "" -#: ../../include/acl_selectors.php:326 -msgid "Visible to everybody" -msgstr "Visibile a tutti" - -#: ../../include/bbcode.php:449 ../../include/bbcode.php:1054 -#: ../../include/bbcode.php:1055 -msgid "Image/photo" -msgstr "Immagine/foto" - -#: ../../include/bbcode.php:549 -#, php-format -msgid "%2$s %3$s" +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" msgstr "" -#: ../../include/bbcode.php:583 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "%s ha scritto il seguente messaggio" +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" +msgstr "" -#: ../../include/bbcode.php:1018 ../../include/bbcode.php:1038 -msgid "$1 wrote:" -msgstr "$1 ha scritto:" +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" +msgstr "" -#: ../../include/bbcode.php:1063 ../../include/bbcode.php:1064 -msgid "Encrypted content" -msgstr "Contenuto criptato" +#: ../../view/theme/duepuntozero/config.php:49 +msgid "comix" +msgstr "" -#: ../../include/oembed.php:205 -msgid "Embedded content" -msgstr "Contenuto incorporato" +#: ../../view/theme/duepuntozero/config.php:50 +msgid "slackr" +msgstr "" -#: ../../include/oembed.php:214 -msgid "Embedding disabled" -msgstr "Embed disabilitato" - -#: ../../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 "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso." - -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Gruppo predefinito per i nuovi contatti" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Tutti" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "modifica" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Modifica gruppo" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Crea un nuovo gruppo" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Contatti in nessun gruppo." - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "tolto dai seguiti" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "Rimuovi contatto" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Varie" - -#: ../../include/datetime.php:153 ../../include/datetime.php:285 -msgid "year" -msgstr "anno" - -#: ../../include/datetime.php:158 ../../include/datetime.php:286 -msgid "month" -msgstr "mese" - -#: ../../include/datetime.php:163 ../../include/datetime.php:288 -msgid "day" -msgstr "giorno" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "mai" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "meno di un secondo fa" - -#: ../../include/datetime.php:285 -msgid "years" -msgstr "anni" - -#: ../../include/datetime.php:286 -msgid "months" -msgstr "mesi" - -#: ../../include/datetime.php:287 -msgid "week" -msgstr "settimana" - -#: ../../include/datetime.php:287 -msgid "weeks" -msgstr "settimane" - -#: ../../include/datetime.php:288 -msgid "days" -msgstr "giorni" - -#: ../../include/datetime.php:289 -msgid "hour" -msgstr "ora" - -#: ../../include/datetime.php:289 -msgid "hours" -msgstr "ore" - -#: ../../include/datetime.php:290 -msgid "minute" -msgstr "minuto" - -#: ../../include/datetime.php:290 -msgid "minutes" -msgstr "minuti" - -#: ../../include/datetime.php:291 -msgid "second" -msgstr "secondo" - -#: ../../include/datetime.php:291 -msgid "seconds" -msgstr "secondi" - -#: ../../include/datetime.php:300 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s fa" - -#: ../../include/network.php:895 -msgid "view full size" -msgstr "vedi a schermo intero" - -#: ../../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 "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido." - -#: ../../include/dbstructure.php:31 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "Il messaggio di errore è\n[pre]%s[/pre]" - -#: ../../include/dbstructure.php:163 -msgid "Errors encountered creating database tables." -msgstr "La creazione delle tabelle del database ha generato errori." - -#: ../../include/dbstructure.php:221 -msgid "Errors encountered performing database changes." -msgstr "Riscontrati errori applicando le modifiche al database." +#: ../../view/theme/duepuntozero/config.php:62 +msgid "Variations" +msgstr "" diff --git a/view/it/strings.php b/view/it/strings.php index aa53824a75..f602406d5b 100644 --- a/view/it/strings.php +++ b/view/it/strings.php @@ -5,123 +5,277 @@ function string_plural_select_it($n){ return ($n != 1);; }} ; -$a->strings["This entry was edited"] = "Questa voce è stata modificata"; -$a->strings["Private Message"] = "Messaggio privato"; -$a->strings["Edit"] = "Modifica"; -$a->strings["Select"] = "Seleziona"; -$a->strings["Delete"] = "Rimuovi"; -$a->strings["save to folder"] = "salva nella cartella"; -$a->strings["add star"] = "aggiungi a speciali"; -$a->strings["remove star"] = "rimuovi da speciali"; -$a->strings["toggle star status"] = "Inverti stato preferito"; -$a->strings["starred"] = "preferito"; -$a->strings["ignore thread"] = "ignora la discussione"; -$a->strings["unignore thread"] = "non ignorare la discussione"; -$a->strings["toggle ignore status"] = "inverti stato \"Ignora\""; -$a->strings["ignored"] = "ignorato"; -$a->strings["add tag"] = "aggiungi tag"; -$a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; -$a->strings["like"] = "mi piace"; -$a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; -$a->strings["dislike"] = "non mi piace"; -$a->strings["Share this"] = "Condividi questo"; -$a->strings["share"] = "condividi"; -$a->strings["Categories:"] = "Categorie:"; -$a->strings["Filed under:"] = "Archiviato in:"; -$a->strings["View %s's profile @ %s"] = "Vedi il profilo di %s @ %s"; -$a->strings["to"] = "a"; -$a->strings["via"] = "via"; -$a->strings["Wall-to-Wall"] = "Da bacheca a bacheca"; -$a->strings["via Wall-To-Wall:"] = "da bacheca a bacheca"; -$a->strings["%s from %s"] = "%s da %s"; -$a->strings["Comment"] = "Commento"; -$a->strings["Please wait"] = "Attendi"; -$a->strings["%d comment"] = array( - 0 => "%d commento", - 1 => "%d commenti", +$a->strings["%d contact edited."] = array( + 0 => "%d contatto modificato", + 1 => "%d contatti modificati", ); -$a->strings["comment"] = array( - 0 => "", - 1 => "commento", -); -$a->strings["show more"] = "mostra di più"; -$a->strings["This is you"] = "Questo sei tu"; -$a->strings["Submit"] = "Invia"; -$a->strings["Bold"] = "Grassetto"; -$a->strings["Italic"] = "Corsivo"; -$a->strings["Underline"] = "Sottolineato"; -$a->strings["Quote"] = "Citazione"; -$a->strings["Code"] = "Codice"; -$a->strings["Image"] = "Immagine"; -$a->strings["Link"] = "Link"; -$a->strings["Video"] = "Video"; -$a->strings["Preview"] = "Anteprima"; -$a->strings["You must be logged in to use addons. "] = "Devi aver effettuato il login per usare gli addons."; -$a->strings["Not Found"] = "Non trovato"; -$a->strings["Page not found."] = "Pagina non trovata."; -$a->strings["Permission denied"] = "Permesso negato"; +$a->strings["Could not access contact record."] = "Non è possibile accedere al contatto."; +$a->strings["Could not locate selected profile."] = "Non riesco a trovare il profilo selezionato."; +$a->strings["Contact updated."] = "Contatto aggiornato."; +$a->strings["Failed to update contact record."] = "Errore nell'aggiornamento del contatto."; $a->strings["Permission denied."] = "Permesso negato."; -$a->strings["toggle mobile"] = "commuta tema mobile"; -$a->strings["[Embedded content - reload page to view]"] = "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]"; +$a->strings["Contact has been blocked"] = "Il contatto è stato bloccato"; +$a->strings["Contact has been unblocked"] = "Il contatto è stato sbloccato"; +$a->strings["Contact has been ignored"] = "Il contatto è ignorato"; +$a->strings["Contact has been unignored"] = "Il contatto non è più ignorato"; +$a->strings["Contact has been archived"] = "Il contatto è stato archiviato"; +$a->strings["Contact has been unarchived"] = "Il contatto è stato dearchiviato"; +$a->strings["Do you really want to delete this contact?"] = "Vuoi veramente cancellare questo contatto?"; +$a->strings["Yes"] = "Si"; +$a->strings["Cancel"] = "Annulla"; +$a->strings["Contact has been removed."] = "Il contatto è stato rimosso."; +$a->strings["You are mutual friends with %s"] = "Sei amico reciproco con %s"; +$a->strings["You are sharing with %s"] = "Stai condividendo con %s"; +$a->strings["%s is sharing with you"] = "%s sta condividendo con te"; +$a->strings["Private communications are not available for this contact."] = "Le comunicazioni private non sono disponibili per questo contatto."; +$a->strings["Never"] = "Mai"; +$a->strings["(Update was successful)"] = "(L'aggiornamento è stato completato)"; +$a->strings["(Update was not successful)"] = "(L'aggiornamento non è stato completato)"; +$a->strings["Suggest friends"] = "Suggerisci amici"; +$a->strings["Network type: %s"] = "Tipo di rete: %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d contatto in comune", + 1 => "%d contatti in comune", +); +$a->strings["View all contacts"] = "Vedi tutti i contatti"; +$a->strings["Unblock"] = "Sblocca"; +$a->strings["Block"] = "Blocca"; +$a->strings["Toggle Blocked status"] = "Inverti stato \"Blocca\""; +$a->strings["Unignore"] = "Non ignorare"; +$a->strings["Ignore"] = "Ignora"; +$a->strings["Toggle Ignored status"] = "Inverti stato \"Ignora\""; +$a->strings["Unarchive"] = "Dearchivia"; +$a->strings["Archive"] = "Archivia"; +$a->strings["Toggle Archive status"] = "Inverti stato \"Archiviato\""; +$a->strings["Repair"] = "Ripara"; +$a->strings["Advanced Contact Settings"] = "Impostazioni avanzate Contatto"; +$a->strings["Communications lost with this contact!"] = "Comunicazione con questo contatto persa!"; +$a->strings["Contact Editor"] = "Editor dei Contatti"; +$a->strings["Submit"] = "Invia"; +$a->strings["Profile Visibility"] = "Visibilità del profilo"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro."; +$a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; +$a->strings["Edit contact notes"] = "Modifica note contatto"; +$a->strings["Visit %s's profile [%s]"] = "Visita il profilo di %s [%s]"; +$a->strings["Block/Unblock contact"] = "Blocca/Sblocca contatto"; +$a->strings["Ignore contact"] = "Ignora il contatto"; +$a->strings["Repair URL settings"] = "Impostazioni riparazione URL"; +$a->strings["View conversations"] = "Vedi conversazioni"; +$a->strings["Delete contact"] = "Rimuovi contatto"; +$a->strings["Last update:"] = "Ultimo aggiornamento:"; +$a->strings["Update public posts"] = "Aggiorna messaggi pubblici"; +$a->strings["Update now"] = "Aggiorna adesso"; +$a->strings["Currently blocked"] = "Bloccato"; +$a->strings["Currently ignored"] = "Ignorato"; +$a->strings["Currently archived"] = "Al momento archiviato"; +$a->strings["Hide this contact from others"] = "Nascondi questo contatto agli altri"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Risposte ai tuoi post pubblici possono essere comunque visibili"; +$a->strings["Notification for new posts"] = "Notifica per i nuovi messaggi"; +$a->strings["Send a notification of every new post of this contact"] = "Invia una notifica per ogni nuovo messaggio di questo contatto"; +$a->strings["Fetch further information for feeds"] = "Recupera maggiori infomazioni per i feed"; +$a->strings["Disabled"] = ""; +$a->strings["Fetch information"] = ""; +$a->strings["Fetch information and keywords"] = ""; +$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["Suggestions"] = "Suggerimenti"; +$a->strings["Suggest potential friends"] = "Suggerisci potenziali amici"; +$a->strings["All Contacts"] = "Tutti i contatti"; +$a->strings["Show all contacts"] = "Mostra tutti i contatti"; +$a->strings["Unblocked"] = "Sbloccato"; +$a->strings["Only show unblocked contacts"] = "Mostra solo contatti non bloccati"; +$a->strings["Blocked"] = "Bloccato"; +$a->strings["Only show blocked contacts"] = "Mostra solo contatti bloccati"; +$a->strings["Ignored"] = "Ignorato"; +$a->strings["Only show ignored contacts"] = "Mostra solo contatti ignorati"; +$a->strings["Archived"] = "Achiviato"; +$a->strings["Only show archived contacts"] = "Mostra solo contatti archiviati"; +$a->strings["Hidden"] = "Nascosto"; +$a->strings["Only show hidden contacts"] = "Mostra solo contatti nascosti"; +$a->strings["Mutual Friendship"] = "Amicizia reciproca"; +$a->strings["is a fan of yours"] = "è un tuo fan"; +$a->strings["you are a fan of"] = "sei un fan di"; +$a->strings["Edit contact"] = "Modifca contatto"; +$a->strings["Contacts"] = "Contatti"; +$a->strings["Search your contacts"] = "Cerca nei tuoi contatti"; +$a->strings["Finding: "] = "Ricerca: "; +$a->strings["Find"] = "Trova"; +$a->strings["Update"] = "Aggiorna"; +$a->strings["Delete"] = "Rimuovi"; +$a->strings["No profile"] = "Nessun profilo"; +$a->strings["Manage Identities and/or Pages"] = "Gestisci indentità e/o pagine"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione"; +$a->strings["Select an identity to manage: "] = "Seleziona un'identità da gestire:"; +$a->strings["Post successful."] = "Inviato!"; +$a->strings["Permission denied"] = "Permesso negato"; +$a->strings["Invalid profile identifier."] = "Indentificativo del profilo non valido."; +$a->strings["Profile Visibility Editor"] = "Modifica visibilità del profilo"; +$a->strings["Profile"] = "Profilo"; +$a->strings["Click on a contact to add or remove."] = "Clicca su un contatto per aggiungerlo o rimuoverlo."; +$a->strings["Visible To"] = "Visibile a"; +$a->strings["All Contacts (with secure profile access)"] = "Tutti i contatti (con profilo ad accesso sicuro)"; +$a->strings["Item not found."] = "Elemento non trovato."; +$a->strings["Public access denied."] = "Accesso negato."; +$a->strings["Access to this profile has been restricted."] = "L'accesso a questo profilo è stato limitato."; +$a->strings["Item has been removed."] = "L'oggetto è stato rimosso."; +$a->strings["Welcome to Friendica"] = "Benvenuto su Friendica"; +$a->strings["New Member Checklist"] = "Cose da fare per i Nuovi Utenti"; +$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."] = "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione."; +$a->strings["Getting Started"] = "Come Iniziare"; +$a->strings["Friendica Walk-Through"] = "Friendica Passo-Passo"; +$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."] = "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti."; +$a->strings["Settings"] = "Impostazioni"; +$a->strings["Go to Your Settings"] = "Vai alle tue Impostazioni"; +$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."] = "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero."; +$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."] = "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti."; +$a->strings["Upload Profile Photo"] = "Carica la foto del profilo"; +$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."] = "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno."; +$a->strings["Edit Your Profile"] = "Modifica il tuo Profilo"; +$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."] = "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti."; +$a->strings["Profile Keywords"] = "Parole chiave del profilo"; +$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."] = "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie."; +$a->strings["Connecting"] = "Collegarsi"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook."; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Sestrings["Importing Emails"] = "Importare le 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"] = "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo"; +$a->strings["Go to Your Contacts Page"] = "Vai alla tua pagina Contatti"; +$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."] = "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto"; +$a->strings["Go to Your Site's Directory"] = "Vai all'Elenco del tuo sito"; +$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."] = "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto."; +$a->strings["Finding New People"] = "Trova nuove persone"; +$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."] = "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore."; +$a->strings["Groups"] = "Gruppi"; +$a->strings["Group Your Contacts"] = "Raggruppa i tuoi contatti"; +$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."] = "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete"; +$a->strings["Why Aren't My Posts Public?"] = "Perchè i miei post non sono pubblici?"; +$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 rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra."; +$a->strings["Getting Help"] = "Ottenere Aiuto"; +$a->strings["Go to the Help Section"] = "Vai alla sezione Guida"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse."; +$a->strings["OpenID protocol error. No ID returned."] = "Errore protocollo OpenID. Nessun ID ricevuto."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito."; +$a->strings["Login failed."] = "Accesso fallito."; +$a->strings["Image uploaded but image cropping failed."] = "L'immagine è stata caricata, ma il non è stato possibile ritagliarla."; +$a->strings["Profile Photos"] = "Foto del profilo"; +$a->strings["Image size reduction [%s] failed."] = "Il ridimensionamento del'immagine [%s] è fallito."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente."; +$a->strings["Unable to process image"] = "Impossibile elaborare l'immagine"; +$a->strings["Image exceeds size limit of %d"] = "La dimensione dell'immagine supera il limite di %d"; +$a->strings["Unable to process image."] = "Impossibile caricare l'immagine."; +$a->strings["Upload File:"] = "Carica un file:"; +$a->strings["Select a profile:"] = "Seleziona un profilo:"; +$a->strings["Upload"] = "Carica"; +$a->strings["or"] = "o"; +$a->strings["skip this step"] = "salta questo passaggio"; +$a->strings["select a photo from your photo albums"] = "seleziona una foto dai tuoi album"; +$a->strings["Crop Image"] = "Ritaglia immagine"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Ritaglia l'imagine per una visualizzazione migliore."; +$a->strings["Done Editing"] = "Finito"; +$a->strings["Image uploaded successfully."] = "Immagine caricata con successo."; +$a->strings["Image upload failed."] = "Caricamento immagine fallito."; +$a->strings["photo"] = "foto"; +$a->strings["status"] = "stato"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s sta seguendo %3\$s di %2\$s"; +$a->strings["Tag removed"] = "Tag rimosso"; +$a->strings["Remove Item Tag"] = "Rimuovi il tag"; +$a->strings["Select a tag to remove: "] = "Seleziona un tag da rimuovere: "; +$a->strings["Remove"] = "Rimuovi"; +$a->strings["Save to Folder:"] = "Salva nella Cartella:"; +$a->strings["- select -"] = "- seleziona -"; +$a->strings["Save"] = "Salva"; +$a->strings["Contact added"] = "Contatto aggiunto"; +$a->strings["Unable to locate original post."] = "Impossibile trovare il messaggio originale."; +$a->strings["Empty post discarded."] = "Messaggio vuoto scartato."; +$a->strings["Wall Photos"] = "Foto della bacheca"; +$a->strings["System error. Post not saved."] = "Errore di sistema. Messaggio non salvato."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica."; +$a->strings["You may visit them online at %s"] = "Puoi visitarli online su %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi."; +$a->strings["%s posted an update."] = "%s ha inviato un aggiornamento."; +$a->strings["Group created."] = "Gruppo creato."; +$a->strings["Could not create group."] = "Impossibile creare il gruppo."; +$a->strings["Group not found."] = "Gruppo non trovato."; +$a->strings["Group name changed."] = "Il nome del gruppo è cambiato."; +$a->strings["Save Group"] = "Salva gruppo"; +$a->strings["Create a group of contacts/friends."] = "Crea un gruppo di amici/contatti."; +$a->strings["Group Name: "] = "Nome del gruppo:"; +$a->strings["Group removed."] = "Gruppo rimosso."; +$a->strings["Unable to remove group."] = "Impossibile rimuovere il gruppo."; +$a->strings["Group Editor"] = "Modifica gruppo"; +$a->strings["Members"] = "Membri"; +$a->strings["You must be logged in to use addons. "] = "Devi aver effettuato il login per usare gli addons."; +$a->strings["Applications"] = "Applicazioni"; +$a->strings["No installed applications."] = "Nessuna applicazione installata."; +$a->strings["Profile not found."] = "Profilo non trovato."; $a->strings["Contact not found."] = "Contatto non trovato."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata."; +$a->strings["Response from remote site was not understood."] = "Errore di comunicazione con l'altro sito."; +$a->strings["Unexpected response from remote site: "] = "La risposta dell'altro sito non può essere gestita: "; +$a->strings["Confirmation completed successfully."] = "Conferma completata con successo."; +$a->strings["Remote site reported: "] = "Il sito remoto riporta: "; +$a->strings["Temporary failure. Please wait and try again."] = "Problema temporaneo. Attendi e riprova."; +$a->strings["Introduction failed or was revoked."] = "La presentazione ha generato un errore o è stata revocata."; +$a->strings["Unable to set contact photo."] = "Impossibile impostare la foto del contatto."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s e %2\$s adesso sono amici"; +$a->strings["No user record found for '%s' "] = "Nessun utente trovato '%s'"; +$a->strings["Our site encryption key is apparently messed up."] = "La nostra chiave di criptazione del sito sembra essere corrotta."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo."; +$a->strings["Contact record was not found for you on our site."] = "Il contatto non è stato trovato sul nostro sito."; +$a->strings["Site public key not available in contact record for URL %s."] = "La chiave pubblica del sito non è disponibile per l'URL %s"; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare."; +$a->strings["Unable to set your contact credentials on our system."] = "Impossibile impostare le credenziali del tuo contatto sul nostro sistema."; +$a->strings["Unable to update your contact profile details on our system"] = "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema"; +$a->strings["[Name Withheld]"] = "[Nome Nascosto]"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s si è unito a %2\$s"; +$a->strings["Requested profile is not available."] = "Profilo richiesto non disponibile."; +$a->strings["Tips for New Members"] = "Consigli per i Nuovi Utenti"; +$a->strings["No videos selected"] = "Nessun video selezionato"; +$a->strings["Access to this item is restricted."] = "Questo oggetto non è visibile a tutti."; +$a->strings["View Video"] = "Guarda Video"; +$a->strings["View Album"] = "Sfoglia l'album"; +$a->strings["Recent Videos"] = "Video Recenti"; +$a->strings["Upload New Videos"] = "Carica Nuovo Video"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha taggato %3\$s di %2\$s con %4\$s"; $a->strings["Friend suggestion sent."] = "Suggerimento di amicizia inviato."; $a->strings["Suggest Friends"] = "Suggerisci amici"; $a->strings["Suggest a friend for %s"] = "Suggerisci un amico a %s"; -$a->strings["This introduction has already been accepted."] = "Questa presentazione è già stata accettata."; -$a->strings["Profile location is not valid or does not contain profile information."] = "L'indirizzo del profilo non è valido o non contiene un profilo."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario."; -$a->strings["Warning: profile location has no profile photo."] = "Attenzione: l'indirizzo del profilo non ha una foto."; -$a->strings["%d required parameter was not found at the given location"] = array( - 0 => "%d parametro richiesto non è stato trovato all'indirizzo dato", - 1 => "%d parametri richiesti non sono stati trovati all'indirizzo dato", -); -$a->strings["Introduction complete."] = "Presentazione completa."; -$a->strings["Unrecoverable protocol error."] = "Errore di comunicazione."; -$a->strings["Profile unavailable."] = "Profilo non disponibile."; -$a->strings["%s has received too many connection requests today."] = "%s ha ricevuto troppe richieste di connessione per oggi."; -$a->strings["Spam protection measures have been invoked."] = "Sono state attivate le misure di protezione contro lo spam."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Gli amici sono pregati di riprovare tra 24 ore."; -$a->strings["Invalid locator"] = "Invalid locator"; -$a->strings["Invalid email address."] = "Indirizzo email non valido."; -$a->strings["This account has not been configured for email. Request failed."] = "Questo account non è stato configurato per l'email. Richiesta fallita."; -$a->strings["Unable to resolve your name at the provided location."] = "Impossibile risolvere il tuo nome nella posizione indicata."; -$a->strings["You have already introduced yourself here."] = "Ti sei già presentato qui."; -$a->strings["Apparently you are already friends with %s."] = "Pare che tu e %s siate già amici."; -$a->strings["Invalid profile URL."] = "Indirizzo profilo non valido."; -$a->strings["Disallowed profile URL."] = "Indirizzo profilo non permesso."; -$a->strings["Failed to update contact record."] = "Errore nell'aggiornamento del contatto."; -$a->strings["Your introduction has been sent."] = "La tua presentazione è stata inviata."; -$a->strings["Please login to confirm introduction."] = "Accedi per confermare la presentazione."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo."; -$a->strings["Hide this contact"] = "Nascondi questo contatto"; -$a->strings["Welcome home %s."] = "Bentornato a casa %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Conferma la tua richiesta di connessione con %s."; -$a->strings["Confirm"] = "Conferma"; -$a->strings["[Name Withheld]"] = "[Nome Nascosto]"; -$a->strings["Public access denied."] = "Accesso negato."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:"; -$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."] = "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi"; -$a->strings["Friend/Connection Request"] = "Richieste di amicizia/connessione"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; -$a->strings["Please answer the following:"] = "Rispondi:"; -$a->strings["Does %s know you?"] = "%s ti conosce?"; -$a->strings["No"] = "No"; -$a->strings["Yes"] = "Si"; -$a->strings["Add a personal note:"] = "Aggiungi una nota personale:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora."; -$a->strings["Your Identity Address:"] = "L'indirizzo della tua identità:"; -$a->strings["Submit Request"] = "Invia richiesta"; -$a->strings["Cancel"] = "Annulla"; -$a->strings["View Video"] = "Guarda Video"; -$a->strings["Requested profile is not available."] = "Profilo richiesto non disponibile."; -$a->strings["Access to this profile has been restricted."] = "L'accesso a questo profilo è stato limitato."; -$a->strings["Tips for New Members"] = "Consigli per i Nuovi Utenti"; +$a->strings["No valid account found."] = "Nessun account valido trovato."; +$a->strings["Password reset request issued. Check your email."] = "La richiesta per reimpostare la password è stata inviata. Controlla la tua 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."] = "\nGentile %1\$s,\n abbiamo ricevuto su \"%2\$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica."; +$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"] = "\nSegui questo link per verificare la tua identità:\n\n%1\$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2\$s\n Nome utente: %3\$s"; +$a->strings["Password reset requested at %s"] = "Richiesta reimpostazione password su %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita."; +$a->strings["Password Reset"] = "Reimpostazione password"; +$a->strings["Your password has been reset as requested."] = "La tua password è stata reimpostata come richiesto."; +$a->strings["Your new password is"] = "La tua nuova password è"; +$a->strings["Save or copy your new password - and then"] = "Salva o copia la tua nuova password, quindi"; +$a->strings["click here to login"] = "clicca qui per entrare"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso."; +$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"] = "\nGentile %1\$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare."; +$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"] = "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1\$s\n Nome utente: %2\$s\n Password: %3\$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato."; +$a->strings["Your password has been changed at %s"] = "La tua password presso %s è stata cambiata"; +$a->strings["Forgot your Password?"] = "Hai dimenticato la password?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Inserisci il tuo indirizzo email per reimpostare la password."; +$a->strings["Nickname or Email: "] = "Nome utente o email: "; +$a->strings["Reset"] = "Reimposta"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s piace %3\$s di %2\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s non piace %3\$s di %2\$s"; +$a->strings["{0} wants to be your friend"] = "{0} vuole essere tuo amico"; +$a->strings["{0} sent you a message"] = "{0} ti ha inviato un messaggio"; +$a->strings["{0} requested registration"] = "{0} chiede la registrazione"; +$a->strings["{0} commented %s's post"] = "{0} ha commentato il post di %s"; +$a->strings["{0} liked %s's post"] = "a {0} piace il post di %s"; +$a->strings["{0} disliked %s's post"] = "a {0} non piace il post di %s"; +$a->strings["{0} is now friends with %s"] = "{0} ora è amico di %s"; +$a->strings["{0} posted"] = "{0} ha inviato un nuovo messaggio"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} ha taggato il post di %s con #%s"; +$a->strings["{0} mentioned you in a post"] = "{0} ti ha citato in un post"; +$a->strings["No contacts."] = "Nessun contatto."; +$a->strings["View Contacts"] = "Visualizza i contatti"; $a->strings["Invalid request identifier."] = "L'identificativo della richiesta non è valido."; $a->strings["Discard"] = "Scarta"; -$a->strings["Ignore"] = "Ignora"; $a->strings["System"] = "Sistema"; $a->strings["Network"] = "Rete"; $a->strings["Personal"] = "Personale"; @@ -132,7 +286,6 @@ $a->strings["Hide Ignored Requests"] = "Nascondi richieste ignorate"; $a->strings["Notification type: "] = "Tipo di notifica: "; $a->strings["Friend Suggestion"] = "Amico suggerito"; $a->strings["suggested by %s"] = "sugerito da %s"; -$a->strings["Hide this contact from others"] = "Nascondi questo contatto agli altri"; $a->strings["Post a new friend activity"] = "Invia una attività \"è ora amico con\""; $a->strings["if applicable"] = "se applicabile"; $a->strings["Approve"] = "Approva"; @@ -160,13 +313,6 @@ $a->strings["No more personal notifications."] = "Nessuna nuova."; $a->strings["Personal Notifications"] = "Notifiche personali"; $a->strings["No more home notifications."] = "Nessuna nuova."; $a->strings["Home Notifications"] = "Notifiche bacheca"; -$a->strings["photo"] = "foto"; -$a->strings["status"] = "stato"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s piace %3\$s di %2\$s"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s non piace %3\$s di %2\$s"; -$a->strings["OpenID protocol error. No ID returned."] = "Errore protocollo OpenID. Nessun ID ricevuto."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito."; -$a->strings["Login failed."] = "Accesso fallito."; $a->strings["Source (bbcode) text:"] = "Testo sorgente (bbcode):"; $a->strings["Source (Diaspora) text to convert to BBcode:"] = "Testo sorgente (da Diaspora) da convertire in BBcode:"; $a->strings["Source input: "] = "Sorgente:"; @@ -179,6 +325,70 @@ $a->strings["bb2dia2bb: "] = "bb2dia2bb: "; $a->strings["bb2md2html2bb: "] = "bb2md2html2bb: "; $a->strings["Source input (Diaspora format): "] = "Sorgente (formato Diaspora):"; $a->strings["diaspora2bb: "] = "diaspora2bb: "; +$a->strings["Nothing new here"] = "Niente di nuovo qui"; +$a->strings["Clear notifications"] = "Pulisci le notifiche"; +$a->strings["New Message"] = "Nuovo messaggio"; +$a->strings["No recipient selected."] = "Nessun destinatario selezionato."; +$a->strings["Unable to locate contact information."] = "Impossibile trovare le informazioni del contatto."; +$a->strings["Message could not be sent."] = "Il messaggio non puo' essere inviato."; +$a->strings["Message collection failure."] = "Errore recuperando il messaggio."; +$a->strings["Message sent."] = "Messaggio inviato."; +$a->strings["Messages"] = "Messaggi"; +$a->strings["Do you really want to delete this message?"] = "Vuoi veramente cancellare questo messaggio?"; +$a->strings["Message deleted."] = "Messaggio eliminato."; +$a->strings["Conversation removed."] = "Conversazione rimossa."; +$a->strings["Please enter a link URL:"] = "Inserisci l'indirizzo del link:"; +$a->strings["Send Private Message"] = "Invia un messaggio privato"; +$a->strings["To:"] = "A:"; +$a->strings["Subject:"] = "Oggetto:"; +$a->strings["Your message:"] = "Il tuo messaggio:"; +$a->strings["Upload photo"] = "Carica foto"; +$a->strings["Insert web link"] = "Inserisci link"; +$a->strings["Please wait"] = "Attendi"; +$a->strings["No messages."] = "Nessun messaggio."; +$a->strings["Unknown sender - %s"] = "Mittente sconosciuto - %s"; +$a->strings["You and %s"] = "Tu e %s"; +$a->strings["%s and You"] = "%s e Tu"; +$a->strings["Delete conversation"] = "Elimina la conversazione"; +$a->strings["D, d M Y - g:i A"] = "D d M Y - G:i"; +$a->strings["%d message"] = array( + 0 => "%d messaggio", + 1 => "%d messaggi", +); +$a->strings["Message not available."] = "Messaggio non disponibile."; +$a->strings["Delete message"] = "Elimina il messaggio"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente."; +$a->strings["Send Reply"] = "Invia la risposta"; +$a->strings["[Embedded content - reload page to view]"] = "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]"; +$a->strings["Contact settings applied."] = "Contatto modificato."; +$a->strings["Contact update failed."] = "Le modifiche al contatto non sono state salvate."; +$a->strings["Repair Contact Settings"] = "Ripara il contatto"; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più"; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina."; +$a->strings["Return to contact editor"] = "Ritorna alla modifica contatto"; +$a->strings["No mirroring"] = "Non duplicare"; +$a->strings["Mirror as forwarded posting"] = "Duplica come messaggi ricondivisi"; +$a->strings["Mirror as my own posting"] = "Duplica come miei messaggi"; +$a->strings["Name"] = "Nome"; +$a->strings["Account Nickname"] = "Nome utente"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@TagName - al posto del nome utente"; +$a->strings["Account URL"] = "URL dell'utente"; +$a->strings["Friend Request URL"] = "URL Richiesta Amicizia"; +$a->strings["Friend Confirm URL"] = "URL Conferma Amicizia"; +$a->strings["Notification Endpoint URL"] = "URL Notifiche"; +$a->strings["Poll/Feed URL"] = "URL Feed"; +$a->strings["New photo from this URL"] = "Nuova foto da questo URL"; +$a->strings["Remote Self"] = "Io remoto"; +$a->strings["Mirror postings from this contact"] = "Ripeti i messaggi di questo contatto"; +$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto."; +$a->strings["Login"] = "Accedi"; +$a->strings["The post was created"] = ""; +$a->strings["Access denied."] = "Accesso negato."; +$a->strings["People Search"] = "Cerca persone"; +$a->strings["No matches"] = "Nessun risultato"; +$a->strings["Photos"] = "Foto"; +$a->strings["Files"] = "File"; +$a->strings["Contacts who are not members of a group"] = "Contatti che non sono membri di un gruppo"; $a->strings["Theme settings updated."] = "Impostazioni del tema aggiornate."; $a->strings["Site"] = "Sito"; $a->strings["Users"] = "Utenti"; @@ -186,10 +396,12 @@ $a->strings["Plugins"] = "Plugin"; $a->strings["Themes"] = "Temi"; $a->strings["DB updates"] = "Aggiornamenti Database"; $a->strings["Logs"] = "Log"; +$a->strings["probe address"] = ""; +$a->strings["check webfinger"] = ""; $a->strings["Admin"] = "Amministrazione"; $a->strings["Plugin Features"] = "Impostazioni Plugins"; +$a->strings["diagnostics"] = ""; $a->strings["User registrations waiting for confirmation"] = "Utenti registrati in attesa di conferma"; -$a->strings["Item not found."] = "Elemento non trovato."; $a->strings["Normal Account"] = "Account normale"; $a->strings["Soapbox Account"] = "Account per comunicati e annunci"; $a->strings["Community/Celebrity Account"] = "Account per celebrità o per comunità"; @@ -206,7 +418,9 @@ $a->strings["Active plugins"] = "Plugin attivi"; $a->strings["Can not parse base url. Must have at least ://"] = "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]"; $a->strings["Site settings updated."] = "Impostazioni del sito aggiornate."; $a->strings["No special theme for mobile devices"] = "Nessun tema speciale per i dispositivi mobili"; -$a->strings["Never"] = "Mai"; +$a->strings["No community page"] = ""; +$a->strings["Public postings from users of this site"] = ""; +$a->strings["Global community page"] = ""; $a->strings["At post arrival"] = "All'arrivo di un messaggio"; $a->strings["Frequently"] = "Frequentemente"; $a->strings["Hourly"] = "Ogni ora"; @@ -227,7 +441,11 @@ $a->strings["Advanced"] = "Avanzate"; $a->strings["Performance"] = "Performance"; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile."; $a->strings["Site name"] = "Nome del sito"; +$a->strings["Host name"] = ""; +$a->strings["Sender Email"] = ""; $a->strings["Banner/Logo"] = "Banner/Logo"; +$a->strings["Shortcut icon"] = ""; +$a->strings["Touch icon"] = ""; $a->strings["Additional Info"] = "Informazioni aggiuntive"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo."; $a->strings["System language"] = "Lingua di sistema"; @@ -237,6 +455,8 @@ $a->strings["Mobile system theme"] = "Tema mobile di sistema"; $a->strings["Theme for mobile devices"] = "Tema per dispositivi mobili"; $a->strings["SSL link policy"] = "Gestione link SSL"; $a->strings["Determines whether generated links should be forced to use SSL"] = "Determina se i link generati devono essere forzati a usare SSL"; +$a->strings["Force 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'"] = "Ricondivisione vecchio stile"; $a->strings["Deactivates the bbcode element 'share' for repeating items."] = "Disattiva l'elemento bbcode 'share' con elementi ripetuti"; $a->strings["Hide help entry from navigation menu"] = "Nascondi la voce 'Guida' dal menu di navigazione"; @@ -286,8 +506,10 @@ $a->strings["Fullname check"] = "Controllo nome completo"; $a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam"; $a->strings["UTF-8 Regular expressions"] = "Espressioni regolari UTF-8"; $a->strings["Use PHP UTF8 regular expressions"] = "Usa le espressioni regolari PHP in UTF8"; -$a->strings["Show Community Page"] = "Mostra pagina Comunità"; -$a->strings["Display a Community page showing all recent public postings on this site."] = "Mostra una pagina Comunità con tutti i recenti messaggi pubblici su questo sito."; +$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"] = "Abilita supporto 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."] = "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente."; $a->strings["OStatus conversation completion interval"] = "Intervallo completamento conversazioni OStatus"; @@ -312,6 +534,8 @@ $a->strings["Use MySQL full text engine"] = "Usa il motore MySQL full text"; $a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri."; $a->strings["Suppress Language"] = "Disattiva lingua"; $a->strings["Suppress language information in meta information about a posting."] = "Disattiva le informazioni sulla lingua nei meta di un post."; +$a->strings["Suppress Tags"] = ""; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; $a->strings["Path to item cache"] = "Percorso cache elementi"; $a->strings["Cache duration in seconds"] = "Durata della cache in secondi"; $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."] = "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1."; @@ -322,9 +546,11 @@ $a->strings["Temp path"] = "Percorso file temporanei"; $a->strings["Base path to installation"] = "Percorso base all'installazione"; $a->strings["Disable picture proxy"] = "Disabilita il proxy immagini"; $a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile."; +$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"] = "Nuovo url base"; -$a->strings["Disable noscrape"] = ""; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping. Disabling it will cause higher load on your server and the directory server."] = ""; $a->strings["Update has been marked successful"] = "L'aggiornamento è stato segnato come di successo"; $a->strings["Database structure update %s was successfully applied."] = "Aggiornamento struttura database %s applicata con successo."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Aggiornamento struttura database %s fallita con errore: %s"; @@ -357,12 +583,9 @@ $a->strings["select all"] = "seleziona tutti"; $a->strings["User registrations waiting for confirm"] = "Richieste di registrazione in attesa di conferma"; $a->strings["User waiting for permanent deletion"] = "Utente in attesa di cancellazione definitiva"; $a->strings["Request date"] = "Data richiesta"; -$a->strings["Name"] = "Nome"; $a->strings["Email"] = "Email"; $a->strings["No registrations."] = "Nessuna registrazione."; $a->strings["Deny"] = "Nega"; -$a->strings["Block"] = "Blocca"; -$a->strings["Unblock"] = "Sblocca"; $a->strings["Site admin"] = "Amministrazione sito"; $a->strings["Account expired"] = "Account scaduto"; $a->strings["New User"] = "Nuovo Utente"; @@ -382,7 +605,6 @@ $a->strings["Plugin %s enabled."] = "Plugin %s abilitato."; $a->strings["Disable"] = "Disabilita"; $a->strings["Enable"] = "Abilita"; $a->strings["Toggle"] = "Inverti"; -$a->strings["Settings"] = "Impostazioni"; $a->strings["Author: "] = "Autore: "; $a->strings["Maintainer: "] = "Manutentore: "; $a->strings["No themes found."] = "Nessun tema trovato."; @@ -395,83 +617,39 @@ $a->strings["Enable Debugging"] = "Abilita Debugging"; $a->strings["Log file"] = "File di Log"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica."; $a->strings["Log level"] = "Livello di Log"; -$a->strings["Update now"] = "Aggiorna adesso"; $a->strings["Close"] = "Chiudi"; $a->strings["FTP Host"] = "Indirizzo FTP"; $a->strings["FTP Path"] = "Percorso FTP"; $a->strings["FTP User"] = "Utente FTP"; $a->strings["FTP Password"] = "Pasword FTP"; -$a->strings["New Message"] = "Nuovo messaggio"; -$a->strings["No recipient selected."] = "Nessun destinatario selezionato."; -$a->strings["Unable to locate contact information."] = "Impossibile trovare le informazioni del contatto."; -$a->strings["Message could not be sent."] = "Il messaggio non puo' essere inviato."; -$a->strings["Message collection failure."] = "Errore recuperando il messaggio."; -$a->strings["Message sent."] = "Messaggio inviato."; -$a->strings["Messages"] = "Messaggi"; -$a->strings["Do you really want to delete this message?"] = "Vuoi veramente cancellare questo messaggio?"; -$a->strings["Message deleted."] = "Messaggio eliminato."; -$a->strings["Conversation removed."] = "Conversazione rimossa."; -$a->strings["Please enter a link URL:"] = "Inserisci l'indirizzo del link:"; -$a->strings["Send Private Message"] = "Invia un messaggio privato"; -$a->strings["To:"] = "A:"; -$a->strings["Subject:"] = "Oggetto:"; -$a->strings["Your message:"] = "Il tuo messaggio:"; -$a->strings["Upload photo"] = "Carica foto"; -$a->strings["Insert web link"] = "Inserisci link"; -$a->strings["No messages."] = "Nessun messaggio."; -$a->strings["Unknown sender - %s"] = "Mittente sconosciuto - %s"; -$a->strings["You and %s"] = "Tu e %s"; -$a->strings["%s and You"] = "%s e Tu"; -$a->strings["Delete conversation"] = "Elimina la conversazione"; -$a->strings["D, d M Y - g:i A"] = "D d M Y - G:i"; -$a->strings["%d message"] = array( - 0 => "%d messaggio", - 1 => "%d messaggi", +$a->strings["Search Results For:"] = "Cerca risultati per:"; +$a->strings["Remove term"] = "Rimuovi termine"; +$a->strings["Saved Searches"] = "Ricerche salvate"; +$a->strings["add"] = "aggiungi"; +$a->strings["Commented Order"] = "Ordina per commento"; +$a->strings["Sort by Comment Date"] = "Ordina per data commento"; +$a->strings["Posted Order"] = "Ordina per invio"; +$a->strings["Sort by Post Date"] = "Ordina per data messaggio"; +$a->strings["Posts that mention or involve you"] = "Messaggi che ti citano o coinvolgono"; +$a->strings["New"] = "Nuovo"; +$a->strings["Activity Stream - by date"] = "Activity Stream - per data"; +$a->strings["Shared Links"] = "Links condivisi"; +$a->strings["Interesting Links"] = "Link Interessanti"; +$a->strings["Starred"] = "Preferiti"; +$a->strings["Favourite Posts"] = "Messaggi preferiti"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Attenzione: questo gruppo contiene %s membro da un network insicuro.", + 1 => "Attenzione: questo gruppo contiene %s membri da un network insicuro.", ); -$a->strings["Message not available."] = "Messaggio non disponibile."; -$a->strings["Delete message"] = "Elimina il messaggio"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente."; -$a->strings["Send Reply"] = "Invia la risposta"; -$a->strings["Item not found"] = "Oggetto non trovato"; -$a->strings["Edit post"] = "Modifica messaggio"; -$a->strings["Save"] = "Salva"; -$a->strings["upload photo"] = "carica foto"; -$a->strings["Attach file"] = "Allega file"; -$a->strings["attach file"] = "allega file"; -$a->strings["web link"] = "link web"; -$a->strings["Insert video link"] = "Inserire collegamento video"; -$a->strings["video link"] = "link video"; -$a->strings["Insert audio link"] = "Inserisci collegamento audio"; -$a->strings["audio link"] = "link audio"; -$a->strings["Set your location"] = "La tua posizione"; -$a->strings["set location"] = "posizione"; -$a->strings["Clear browser location"] = "Rimuovi la localizzazione data dal browser"; -$a->strings["clear location"] = "canc. pos."; -$a->strings["Permission settings"] = "Impostazioni permessi"; -$a->strings["CC: email addresses"] = "CC: indirizzi email"; -$a->strings["Public post"] = "Messaggio pubblico"; -$a->strings["Set title"] = "Scegli un titolo"; -$a->strings["Categories (comma-separated list)"] = "Categorie (lista separata da virgola)"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Esempio: bob@example.com, mary@example.com"; -$a->strings["Profile not found."] = "Profilo non trovato."; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata."; -$a->strings["Response from remote site was not understood."] = "Errore di comunicazione con l'altro sito."; -$a->strings["Unexpected response from remote site: "] = "La risposta dell'altro sito non può essere gestita: "; -$a->strings["Confirmation completed successfully."] = "Conferma completata con successo."; -$a->strings["Remote site reported: "] = "Il sito remoto riporta: "; -$a->strings["Temporary failure. Please wait and try again."] = "Problema temporaneo. Attendi e riprova."; -$a->strings["Introduction failed or was revoked."] = "La presentazione ha generato un errore o è stata revocata."; -$a->strings["Unable to set contact photo."] = "Impossibile impostare la foto del contatto."; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s e %2\$s adesso sono amici"; -$a->strings["No user record found for '%s' "] = "Nessun utente trovato '%s'"; -$a->strings["Our site encryption key is apparently messed up."] = "La nostra chiave di criptazione del sito sembra essere corrotta."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo."; -$a->strings["Contact record was not found for you on our site."] = "Il contatto non è stato trovato sul nostro sito."; -$a->strings["Site public key not available in contact record for URL %s."] = "La chiave pubblica del sito non è disponibile per l'URL %s"; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare."; -$a->strings["Unable to set your contact credentials on our system."] = "Impossibile impostare le credenziali del tuo contatto sul nostro sistema."; -$a->strings["Unable to update your contact profile details on our system"] = "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s si è unito a %2\$s"; +$a->strings["Private messages to this group are at risk of public disclosure."] = "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente."; +$a->strings["No such group"] = "Nessun gruppo"; +$a->strings["Group is empty"] = "Il gruppo è vuoto"; +$a->strings["Group: "] = "Gruppo: "; +$a->strings["Contact: "] = "Contatto:"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente."; +$a->strings["Invalid contact."] = "Contatto non valido."; +$a->strings["Friends of %s"] = "Amici di %s"; +$a->strings["No friends to display."] = "Nessun amico da visualizzare."; $a->strings["Event title and start time are required."] = "Titolo e ora di inizio dell'evento sono richiesti."; $a->strings["l, F j"] = "l j F"; $a->strings["Edit event"] = "Modifca l'evento"; @@ -492,289 +670,134 @@ $a->strings["Description:"] = "Descrizione:"; $a->strings["Location:"] = "Posizione:"; $a->strings["Title:"] = "Titolo:"; $a->strings["Share this event"] = "Condividi questo evento"; -$a->strings["Photos"] = "Foto"; -$a->strings["Files"] = "File"; -$a->strings["Welcome to %s"] = "Benvenuto su %s"; -$a->strings["Remote privacy information not available."] = "Informazioni remote sulla privacy non disponibili."; -$a->strings["Visible to:"] = "Visibile a:"; +$a->strings["Select"] = "Seleziona"; +$a->strings["View %s's profile @ %s"] = "Vedi il profilo di %s @ %s"; +$a->strings["%s from %s"] = "%s da %s"; +$a->strings["View in context"] = "Vedi nel contesto"; +$a->strings["%d comment"] = array( + 0 => "%d commento", + 1 => "%d commenti", +); +$a->strings["comment"] = array( + 0 => "", + 1 => "commento", +); +$a->strings["show more"] = "mostra di più"; +$a->strings["Private Message"] = "Messaggio privato"; +$a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; +$a->strings["like"] = "mi piace"; +$a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; +$a->strings["dislike"] = "non mi piace"; +$a->strings["Share this"] = "Condividi questo"; +$a->strings["share"] = "condividi"; +$a->strings["This is you"] = "Questo sei tu"; +$a->strings["Comment"] = "Commento"; +$a->strings["Bold"] = "Grassetto"; +$a->strings["Italic"] = "Corsivo"; +$a->strings["Underline"] = "Sottolineato"; +$a->strings["Quote"] = "Citazione"; +$a->strings["Code"] = "Codice"; +$a->strings["Image"] = "Immagine"; +$a->strings["Link"] = "Link"; +$a->strings["Video"] = "Video"; +$a->strings["Preview"] = "Anteprima"; +$a->strings["Edit"] = "Modifica"; +$a->strings["add star"] = "aggiungi a speciali"; +$a->strings["remove star"] = "rimuovi da speciali"; +$a->strings["toggle star status"] = "Inverti stato preferito"; +$a->strings["starred"] = "preferito"; +$a->strings["add tag"] = "aggiungi tag"; +$a->strings["save to folder"] = "salva nella cartella"; +$a->strings["to"] = "a"; +$a->strings["Wall-to-Wall"] = "Da bacheca a bacheca"; +$a->strings["via Wall-To-Wall:"] = "da bacheca a bacheca"; +$a->strings["Remove My Account"] = "Rimuovi il mio account"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo."; +$a->strings["Please enter your password for verification:"] = "Inserisci la tua password per verifica:"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Impostazioni"; +$a->strings["Could not connect to database."] = " Impossibile collegarsi con il database."; +$a->strings["Could not create table."] = "Impossibile creare le tabelle."; +$a->strings["Your Friendica site database has been installed."] = "Il tuo Friendica è stato installato."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Potresti dover importare il file \"database.sql\" manualmente con phpmyadmin o mysql"; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Leggi il file \"INSTALL.txt\"."; +$a->strings["System check"] = "Controllo sistema"; +$a->strings["Check again"] = "Controlla ancora"; +$a->strings["Database connection"] = "Connessione al database"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Per installare Friendica dobbiamo sapere come collegarci al tuo database."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Contatta il tuo fornitore di hosting o l'amministratore del sito se hai domande su queste impostazioni."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Il database dovrà già esistere. Se non esiste, crealo prima di continuare."; +$a->strings["Database Server Name"] = "Nome del database server"; +$a->strings["Database Login Name"] = "Nome utente database"; +$a->strings["Database Login Password"] = "Password utente database"; +$a->strings["Database Name"] = "Nome database"; +$a->strings["Site administrator email address"] = "Indirizzo email dell'amministratore del sito"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Il tuo indirizzo email deve corrispondere a questo per poter usare il pannello di amministrazione web."; +$a->strings["Please select a default timezone for your website"] = "Seleziona il fuso orario predefinito per il tuo sito web"; +$a->strings["Site settings"] = "Impostazioni sito"; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Non riesco a trovare la versione di PHP da riga di comando nel PATH del server web"; +$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 'Activating scheduled tasks'"] = "Se non hai una versione a linea di comando di PHP installata sul tuo server, non sarai in grado di avviare il processo di poll in background via cron. Vedi 'Activating scheduled tasks'"; +$a->strings["PHP executable path"] = "Percorso eseguibile PHP"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Inserisci il percorso completo all'eseguibile di php. Puoi lasciare bianco questo campo per continuare l'installazione."; +$a->strings["Command line PHP"] = "PHP da riga di comando"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "L'eseguibile PHP non è il binario php cli (potrebbe essere la versione cgi-fcgi)"; +$a->strings["Found PHP version: "] = "Versione PHP:"; +$a->strings["PHP cli binary"] = "Binario PHP cli"; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La versione da riga di comando di PHP nel sistema non ha abilitato \"register_argc_argv\"."; +$a->strings["This is required for message delivery to work."] = "E' obbligatorio per far funzionare la consegna dei messaggi."; +$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"] = "Errore: la funzione \"openssl_pkey_new\" in questo sistema non è in grado di generare le chiavi di criptazione"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Se stai eseguendo friendika su windows, guarda \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Genera chiavi di criptazione"; +$a->strings["libCurl PHP module"] = "modulo PHP libCurl"; +$a->strings["GD graphics PHP module"] = "modulo PHP GD graphics"; +$a->strings["OpenSSL PHP module"] = "modulo PHP OpenSSL"; +$a->strings["mysqli PHP module"] = "modulo PHP mysqli"; +$a->strings["mb_string PHP module"] = "modulo PHP mb_string"; +$a->strings["Apache mod_rewrite module"] = "Modulo mod_rewrite di Apache"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Errore: E' il modulo mod-rewrite di Apache è richiesto, ma non risulta installato"; +$a->strings["Error: libCURL PHP module required but not installed."] = "Errore: il modulo libCURL di PHP è richiesto, ma non risulta installato."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Errore: Il modulo GD graphics di PHP con supporto a JPEG è richiesto, ma non risulta installato."; +$a->strings["Error: openssl PHP module required but not installed."] = "Errore: il modulo openssl di PHP è richiesto, ma non risulta installato."; +$a->strings["Error: mysqli PHP module required but not installed."] = "Errore: il modulo mysqli di PHP è richiesto, ma non risulta installato"; +$a->strings["Error: mb_string PHP module required but not installed."] = "Errore: il modulo PHP mb_string è richiesto, ma non risulta installato."; +$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."] = "L'installazione web deve poter creare un file chiamato \".htconfig.php\" nella cartella principale del tuo web server ma non è in grado di farlo."; +$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."] = "Ciò è dovuto spesso a impostazioni di permessi, dato che il web server può non essere in grado di scrivere il file nella tua cartella, anche se tu puoi."; +$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."] = "Alla fine di questa procedura, di daremo un testo da salvare in un file chiamato .htconfig.php nella tua cartella principale di Friendica"; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php è scrivibile"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il 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."] = "Per salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella."; +$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."] = "Nota: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 è scrivibile"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "La riscrittura degli url in .htaccess non funziona. Controlla la configurazione del tuo server."; +$a->strings["Url rewrite is working"] = "La riscrittura degli url funziona"; +$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."] = "Il file di configurazione del database \".htconfig.php\" non può essere scritto. Usa il testo qui di seguito per creare un file di configurazione nella cartella principale del tuo sito."; +$a->strings["

    What next

    "] = "

    Cosa fare ora

    "; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller."; $a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Numero giornaliero di messaggi per %s superato. Invio fallito."; $a->strings["Unable to check your home location."] = "Impossibile controllare la tua posizione di origine."; $a->strings["No recipient."] = "Nessun destinatario."; $a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti."; -$a->strings["Visit %s's profile [%s]"] = "Visita il profilo di %s [%s]"; -$a->strings["Edit contact"] = "Modifca contatto"; -$a->strings["Contacts who are not members of a group"] = "Contatti che non sono membri di un gruppo"; -$a->strings["This is Friendica, version"] = "Questo è Friendica, versione"; -$a->strings["running at web location"] = "in esecuzione all'indirizzo web"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Visita Friendica.com per saperne di più sul progetto Friendica."; -$a->strings["Bug reports and issues: please visit"] = "Segnalazioni di bug e problemi: visita"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com"; -$a->strings["Installed plugins/addons/apps:"] = "Plugin/addon/applicazioni instalate"; -$a->strings["No installed plugins/addons/apps"] = "Nessun plugin/addons/applicazione installata"; -$a->strings["Remove My Account"] = "Rimuovi il mio account"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo."; -$a->strings["Please enter your password for verification:"] = "Inserisci la tua password per verifica:"; -$a->strings["Image exceeds size limit of %d"] = "La dimensione dell'immagine supera il limite di %d"; -$a->strings["Unable to process image."] = "Impossibile caricare l'immagine."; -$a->strings["Wall Photos"] = "Foto della bacheca"; -$a->strings["Image upload failed."] = "Caricamento immagine fallito."; -$a->strings["Authorize application connection"] = "Autorizza la connessione dell'applicazione"; -$a->strings["Return to your app and insert this Securty Code:"] = "Torna alla tua applicazione e inserisci questo codice di sicurezza:"; -$a->strings["Please login to continue."] = "Effettua il login per continuare."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha taggato %3\$s di %2\$s con %4\$s"; -$a->strings["Photo Albums"] = "Album foto"; -$a->strings["Contact Photos"] = "Foto dei contatti"; -$a->strings["Upload New Photos"] = "Carica nuove foto"; -$a->strings["everybody"] = "tutti"; -$a->strings["Contact information unavailable"] = "I dati di questo contatto non sono disponibili"; -$a->strings["Profile Photos"] = "Foto del profilo"; -$a->strings["Album not found."] = "Album non trovato."; -$a->strings["Delete Album"] = "Rimuovi album"; -$a->strings["Do you really want to delete this photo album and all its photos?"] = "Vuoi davvero cancellare questo album e tutte le sue foto?"; -$a->strings["Delete Photo"] = "Rimuovi foto"; -$a->strings["Do you really want to delete this photo?"] = "Vuoi veramente cancellare questa foto?"; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s è stato taggato in %2\$s da %3\$s"; -$a->strings["a photo"] = "una foto"; -$a->strings["Image exceeds size limit of "] = "L'immagine supera il limite di"; -$a->strings["Image file is empty."] = "Il file dell'immagine è vuoto."; -$a->strings["No photos selected"] = "Nessuna foto selezionata"; -$a->strings["Access to this item is restricted."] = "Questo oggetto non è visibile a tutti."; -$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Hai usato %1$.2f MBytes su %2$.2f disponibili."; -$a->strings["Upload Photos"] = "Carica foto"; -$a->strings["New album name: "] = "Nome nuovo album: "; -$a->strings["or existing album name: "] = "o nome di un album esistente: "; -$a->strings["Do not show a status post for this upload"] = "Non creare un post per questo upload"; -$a->strings["Permissions"] = "Permessi"; -$a->strings["Show to Groups"] = "Mostra ai gruppi"; -$a->strings["Show to Contacts"] = "Mostra ai contatti"; -$a->strings["Private Photo"] = "Foto privata"; -$a->strings["Public Photo"] = "Foto pubblica"; -$a->strings["Edit Album"] = "Modifica album"; -$a->strings["Show Newest First"] = "Mostra nuove foto per prime"; -$a->strings["Show Oldest First"] = "Mostra vecchie foto per prime"; -$a->strings["View Photo"] = "Vedi foto"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Permesso negato. L'accesso a questo elemento può essere limitato."; -$a->strings["Photo not available"] = "Foto non disponibile"; -$a->strings["View photo"] = "Vedi foto"; -$a->strings["Edit photo"] = "Modifica foto"; -$a->strings["Use as profile photo"] = "Usa come foto del profilo"; -$a->strings["View Full Size"] = "Vedi dimensione intera"; -$a->strings["Tags: "] = "Tag: "; -$a->strings["[Remove any tag]"] = "[Rimuovi tutti i tag]"; -$a->strings["Rotate CW (right)"] = "Ruota a destra"; -$a->strings["Rotate CCW (left)"] = "Ruota a sinistra"; -$a->strings["New album name"] = "Nuovo nome dell'album"; -$a->strings["Caption"] = "Titolo"; -$a->strings["Add a Tag"] = "Aggiungi tag"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; -$a->strings["Private photo"] = "Foto privata"; -$a->strings["Public photo"] = "Foto pubblica"; -$a->strings["Share"] = "Condividi"; -$a->strings["View Album"] = "Sfoglia l'album"; -$a->strings["Recent Photos"] = "Foto recenti"; -$a->strings["No profile"] = "Nessun profilo"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Registrazione completata. Controlla la tua mail per ulteriori informazioni."; -$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = ""; -$a->strings["Your registration can not be processed."] = "La tua registrazione non puo' essere elaborata."; -$a->strings["Your registration is pending approval by the site owner."] = "La tua richiesta è in attesa di approvazione da parte del prorietario del sito."; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera."; -$a->strings["Your OpenID (optional): "] = "Il tuo OpenID (opzionale): "; -$a->strings["Include your profile in member directory?"] = "Includi il tuo profilo nell'elenco pubblico?"; -$a->strings["Membership on this site is by invitation only."] = "La registrazione su questo sito è solo su invito."; -$a->strings["Your invitation ID: "] = "L'ID del tuo invito:"; -$a->strings["Your Full Name (e.g. Joe Smith): "] = "Il tuo nome completo (es. Mario Rossi): "; -$a->strings["Your Email Address: "] = "Il tuo indirizzo email: "; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@\$sitename'."; -$a->strings["Choose a nickname: "] = "Scegli un nome utente: "; -$a->strings["Register"] = "Registrati"; -$a->strings["Import"] = "Importa"; -$a->strings["Import your profile to this friendica instance"] = "Importa il tuo profilo in questo server friendica"; -$a->strings["No valid account found."] = "Nessun account valido trovato."; -$a->strings["Password reset request issued. Check your email."] = "La richiesta per reimpostare la password è stata inviata. Controlla la tua 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."] = "\nGentile %1\$s,\n abbiamo ricevuto su \"%2\$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica."; -$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"] = "\nSegui questo link per verificare la tua identità:\n\n%1\$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2\$s\n Nome utente: %3\$s"; -$a->strings["Password reset requested at %s"] = "Richiesta reimpostazione password su %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita."; -$a->strings["Password Reset"] = "Reimpostazione password"; -$a->strings["Your password has been reset as requested."] = "La tua password è stata reimpostata come richiesto."; -$a->strings["Your new password is"] = "La tua nuova password è"; -$a->strings["Save or copy your new password - and then"] = "Salva o copia la tua nuova password, quindi"; -$a->strings["click here to login"] = "clicca qui per entrare"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso."; -$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"] = "\nGentile %1\$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare."; -$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"] = "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1\$s\n Nome utente: %2\$s\n Password: %3\$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato."; -$a->strings["Your password has been changed at %s"] = "La tua password presso %s è stata cambiata"; -$a->strings["Forgot your Password?"] = "Hai dimenticato la password?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Inserisci il tuo indirizzo email per reimpostare la password."; -$a->strings["Nickname or Email: "] = "Nome utente o email: "; -$a->strings["Reset"] = "Reimposta"; -$a->strings["System down for maintenance"] = "Sistema in manutenzione"; -$a->strings["Item not available."] = "Oggetto non disponibile."; -$a->strings["Item was not found."] = "Oggetto non trovato."; -$a->strings["Applications"] = "Applicazioni"; -$a->strings["No installed applications."] = "Nessuna applicazione installata."; $a->strings["Help:"] = "Guida:"; $a->strings["Help"] = "Guida"; -$a->strings["%d contact edited."] = array( - 0 => "%d contatto modificato", - 1 => "%d contatti modificati", -); -$a->strings["Could not access contact record."] = "Non è possibile accedere al contatto."; -$a->strings["Could not locate selected profile."] = "Non riesco a trovare il profilo selezionato."; -$a->strings["Contact updated."] = "Contatto aggiornato."; -$a->strings["Contact has been blocked"] = "Il contatto è stato bloccato"; -$a->strings["Contact has been unblocked"] = "Il contatto è stato sbloccato"; -$a->strings["Contact has been ignored"] = "Il contatto è ignorato"; -$a->strings["Contact has been unignored"] = "Il contatto non è più ignorato"; -$a->strings["Contact has been archived"] = "Il contatto è stato archiviato"; -$a->strings["Contact has been unarchived"] = "Il contatto è stato dearchiviato"; -$a->strings["Do you really want to delete this contact?"] = "Vuoi veramente cancellare questo contatto?"; -$a->strings["Contact has been removed."] = "Il contatto è stato rimosso."; -$a->strings["You are mutual friends with %s"] = "Sei amico reciproco con %s"; -$a->strings["You are sharing with %s"] = "Stai condividendo con %s"; -$a->strings["%s is sharing with you"] = "%s sta condividendo con te"; -$a->strings["Private communications are not available for this contact."] = "Le comunicazioni private non sono disponibili per questo contatto."; -$a->strings["(Update was successful)"] = "(L'aggiornamento è stato completato)"; -$a->strings["(Update was not successful)"] = "(L'aggiornamento non è stato completato)"; -$a->strings["Suggest friends"] = "Suggerisci amici"; -$a->strings["Network type: %s"] = "Tipo di rete: %s"; -$a->strings["%d contact in common"] = array( - 0 => "%d contatto in comune", - 1 => "%d contatti in comune", -); -$a->strings["View all contacts"] = "Vedi tutti i contatti"; -$a->strings["Toggle Blocked status"] = "Inverti stato \"Blocca\""; -$a->strings["Unignore"] = "Non ignorare"; -$a->strings["Toggle Ignored status"] = "Inverti stato \"Ignora\""; -$a->strings["Unarchive"] = "Dearchivia"; -$a->strings["Archive"] = "Archivia"; -$a->strings["Toggle Archive status"] = "Inverti stato \"Archiviato\""; -$a->strings["Repair"] = "Ripara"; -$a->strings["Advanced Contact Settings"] = "Impostazioni avanzate Contatto"; -$a->strings["Communications lost with this contact!"] = "Comunicazione con questo contatto persa!"; -$a->strings["Contact Editor"] = "Editor dei Contatti"; -$a->strings["Profile Visibility"] = "Visibilità del profilo"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro."; -$a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; -$a->strings["Edit contact notes"] = "Modifica note contatto"; -$a->strings["Block/Unblock contact"] = "Blocca/Sblocca contatto"; -$a->strings["Ignore contact"] = "Ignora il contatto"; -$a->strings["Repair URL settings"] = "Impostazioni riparazione URL"; -$a->strings["View conversations"] = "Vedi conversazioni"; -$a->strings["Delete contact"] = "Rimuovi contatto"; -$a->strings["Last update:"] = "Ultimo aggiornamento:"; -$a->strings["Update public posts"] = "Aggiorna messaggi pubblici"; -$a->strings["Currently blocked"] = "Bloccato"; -$a->strings["Currently ignored"] = "Ignorato"; -$a->strings["Currently archived"] = "Al momento archiviato"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Risposte ai tuoi post pubblici possono essere comunque visibili"; -$a->strings["Notification for new posts"] = "Notifica per i nuovi messaggi"; -$a->strings["Send a notification of every new post of this contact"] = "Invia una notifica per ogni nuovo messaggio di questo contatto"; -$a->strings["Fetch further information for feeds"] = "Recupera maggiori infomazioni per i feed"; -$a->strings["Suggestions"] = "Suggerimenti"; -$a->strings["Suggest potential friends"] = "Suggerisci potenziali amici"; -$a->strings["All Contacts"] = "Tutti i contatti"; -$a->strings["Show all contacts"] = "Mostra tutti i contatti"; -$a->strings["Unblocked"] = "Sbloccato"; -$a->strings["Only show unblocked contacts"] = "Mostra solo contatti non bloccati"; -$a->strings["Blocked"] = "Bloccato"; -$a->strings["Only show blocked contacts"] = "Mostra solo contatti bloccati"; -$a->strings["Ignored"] = "Ignorato"; -$a->strings["Only show ignored contacts"] = "Mostra solo contatti ignorati"; -$a->strings["Archived"] = "Achiviato"; -$a->strings["Only show archived contacts"] = "Mostra solo contatti archiviati"; -$a->strings["Hidden"] = "Nascosto"; -$a->strings["Only show hidden contacts"] = "Mostra solo contatti nascosti"; -$a->strings["Mutual Friendship"] = "Amicizia reciproca"; -$a->strings["is a fan of yours"] = "è un tuo fan"; -$a->strings["you are a fan of"] = "sei un fan di"; -$a->strings["Contacts"] = "Contatti"; -$a->strings["Search your contacts"] = "Cerca nei tuoi contatti"; -$a->strings["Finding: "] = "Ricerca: "; -$a->strings["Find"] = "Trova"; -$a->strings["Update"] = "Aggiorna"; -$a->strings["No videos selected"] = "Nessun video selezionato"; -$a->strings["Recent Videos"] = "Video Recenti"; -$a->strings["Upload New Videos"] = "Carica Nuovo Video"; -$a->strings["Common Friends"] = "Amici in comune"; -$a->strings["No contacts in common."] = "Nessun contatto in comune."; -$a->strings["Contact added"] = "Contatto aggiunto"; -$a->strings["Move account"] = "Muovi account"; -$a->strings["You can import an account from another Friendica server."] = "Puoi importare un account da un altro 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."] = "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui."; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora"; -$a->strings["Account file"] = "File account"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\""; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s sta seguendo %3\$s di %2\$s"; -$a->strings["Friends of %s"] = "Amici di %s"; -$a->strings["No friends to display."] = "Nessun amico da visualizzare."; -$a->strings["Tag removed"] = "Tag rimosso"; -$a->strings["Remove Item Tag"] = "Rimuovi il tag"; -$a->strings["Select a tag to remove: "] = "Seleziona un tag da rimuovere: "; -$a->strings["Remove"] = "Rimuovi"; -$a->strings["Welcome to Friendica"] = "Benvenuto su Friendica"; -$a->strings["New Member Checklist"] = "Cose da fare per i Nuovi Utenti"; -$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."] = "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione."; -$a->strings["Getting Started"] = "Come Iniziare"; -$a->strings["Friendica Walk-Through"] = "Friendica Passo-Passo"; -$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."] = "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti."; -$a->strings["Go to Your Settings"] = "Vai alle tue Impostazioni"; -$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."] = "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero."; -$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."] = "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti."; -$a->strings["Profile"] = "Profilo"; -$a->strings["Upload Profile Photo"] = "Carica la foto del profilo"; -$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."] = "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno."; -$a->strings["Edit Your Profile"] = "Modifica il tuo Profilo"; -$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."] = "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti."; -$a->strings["Profile Keywords"] = "Parole chiave del profilo"; -$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."] = "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie."; -$a->strings["Connecting"] = "Collegarsi"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook."; -$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Sestrings["Importing Emails"] = "Importare le 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"] = "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo"; -$a->strings["Go to Your Contacts Page"] = "Vai alla tua pagina Contatti"; -$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."] = "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto"; -$a->strings["Go to Your Site's Directory"] = "Vai all'Elenco del tuo sito"; -$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."] = "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto."; -$a->strings["Finding New People"] = "Trova nuove persone"; -$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."] = "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore."; -$a->strings["Groups"] = "Gruppi"; -$a->strings["Group Your Contacts"] = "Raggruppa i tuoi contatti"; -$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."] = "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete"; -$a->strings["Why Aren't My Posts Public?"] = "Perchè i miei post non sono pubblici?"; -$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 rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra."; -$a->strings["Getting Help"] = "Ottenere Aiuto"; -$a->strings["Go to the Help Section"] = "Vai alla sezione Guida"; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse."; -$a->strings["Remove term"] = "Rimuovi termine"; -$a->strings["Saved Searches"] = "Ricerche salvate"; -$a->strings["Search"] = "Cerca"; +$a->strings["Not Found"] = "Non trovato"; +$a->strings["Page not found."] = "Pagina non trovata."; +$a->strings["%1\$s welcomes %2\$s"] = "%s dà il benvenuto a %s"; +$a->strings["Welcome to %s"] = "Benvenuto su %s"; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta"; +$a->strings["Or - did you try to upload an empty file?"] = "O.. non avrai provato a caricare un file vuoto?"; +$a->strings["File exceeds size limit of %d"] = "Il file supera la dimensione massima di %d"; +$a->strings["File upload failed."] = "Caricamento del file non riuscito."; +$a->strings["Profile Match"] = "Profili corrispondenti"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito."; +$a->strings["is interested in:"] = "è interessato a:"; +$a->strings["Connect"] = "Connetti"; +$a->strings["link"] = "collegamento"; +$a->strings["Not available."] = "Non disponibile."; +$a->strings["Community"] = "Comunità"; $a->strings["No results."] = "Nessun risultato."; -$a->strings["Total invitation limit exceeded."] = "Limite totale degli inviti superato."; -$a->strings["%s : Not a valid email address."] = "%s: non è un indirizzo email valido."; -$a->strings["Please join us on Friendica"] = "Unisiciti a noi su Friendica"; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limite degli inviti superato. Contatta l'amministratore del tuo sito."; -$a->strings["%s : Message delivery failed."] = "%s: la consegna del messaggio fallita."; -$a->strings["%d message sent."] = array( - 0 => "%d messaggio inviato.", - 1 => "%d messaggi inviati.", -); -$a->strings["You have no more invitations available"] = "Non hai altri inviti disponibili"; -$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."] = "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network."; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico."; -$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."] = "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti."; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri."; -$a->strings["Send invitations"] = "Invia inviti"; -$a->strings["Enter email addresses, one per line:"] = "Inserisci gli indirizzi email, uno per riga:"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore."; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Sarà necessario fornire questo codice invito: \$invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Una volta registrato, connettiti con me dal mio profilo:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com"; +$a->strings["everybody"] = "tutti"; $a->strings["Additional features"] = "Funzionalità aggiuntive"; $a->strings["Display"] = "Visualizzazione"; $a->strings["Social Networks"] = "Social Networks"; @@ -816,6 +839,7 @@ $a->strings["Off"] = "Spento"; $a->strings["On"] = "Acceso"; $a->strings["Additional Features"] = "Funzionalità aggiuntive"; $a->strings["Built-in support for %s connectivity is %s"] = "Il supporto integrato per la connettività con %s è %s"; +$a->strings["Diaspora"] = "Diaspora"; $a->strings["enabled"] = "abilitato"; $a->strings["disabled"] = "disabilitato"; $a->strings["StatusNet"] = "StatusNet"; @@ -862,15 +886,16 @@ $a->strings["Private forum - approved members only"] = "Forum privato - solo mem $a->strings["OpenID:"] = "OpenID:"; $a->strings["(Optional) Allow this OpenID to login to this account."] = "(Opzionale) Consente di loggarti in questo account con questo OpenID"; $a->strings["Publish your default profile in your local site directory?"] = "Pubblica il tuo profilo predefinito nell'elenco locale del sito"; +$a->strings["No"] = "No"; $a->strings["Publish your default profile in the global social directory?"] = "Pubblica il tuo profilo predefinito nell'elenco sociale globale"; $a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito"; $a->strings["Hide your profile details from unknown viewers?"] = "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?"; +$a->strings["If enabled, posting public messages to Diaspora and other networks isn't possible."] = ""; $a->strings["Allow friends to post to your profile page?"] = "Permetti agli amici di scrivere sulla tua pagina profilo?"; $a->strings["Allow friends to tag your posts?"] = "Permetti agli amici di taggare i tuoi messaggi?"; $a->strings["Allow us to suggest you as a potential friend to new members?"] = "Ci permetti di suggerirti come potenziale amico ai nuovi membri?"; $a->strings["Permit unknown people to send you private mail?"] = "Permetti a utenti sconosciuti di inviarti messaggi privati?"; $a->strings["Profile is not published."] = "Il profilo non è pubblicato."; -$a->strings["or"] = "o"; $a->strings["Your Identity Address is"] = "L'indirizzo della tua identità è"; $a->strings["Automatically expire posts after this many days:"] = "Fai scadere i post automaticamente dopo x giorni:"; $a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Se lasciato vuoto, i messaggi non verranno cancellati."; @@ -900,6 +925,8 @@ $a->strings["Maximum Friend Requests/Day:"] = "Numero massimo di richieste di am $a->strings["(to prevent spam abuse)"] = "(per prevenire lo spam)"; $a->strings["Default Post Permissions"] = "Permessi predefiniti per i messaggi"; $a->strings["(click to open/close)"] = "(clicca per aprire/chiudere)"; +$a->strings["Show to Groups"] = "Mostra ai gruppi"; +$a->strings["Show to Contacts"] = "Mostra ai contatti"; $a->strings["Default Private Post"] = "Default Post Privato"; $a->strings["Default Public Post"] = "Default Post Pubblico"; $a->strings["Default Permissions for New Posts"] = "Permessi predefiniti per i nuovi post"; @@ -918,14 +945,105 @@ $a->strings["You receive a private message"] = "Ricevi un messaggio privato"; $a->strings["You receive a friend suggestion"] = "Hai ricevuto un suggerimento di amicizia"; $a->strings["You are tagged in a post"] = "Sei stato taggato in un post"; $a->strings["You are poked/prodded/etc. in a post"] = "Sei 'toccato'/'spronato'/ecc. in un post"; +$a->strings["Text-only notification emails"] = ""; +$a->strings["Send text only notification emails, without the html part"] = ""; $a->strings["Advanced Account/Page Type Settings"] = "Impostazioni avanzate Account/Tipo di pagina"; $a->strings["Change the behaviour of this account for special situations"] = "Modifica il comportamento di questo account in situazioni speciali"; $a->strings["Relocate"] = "Trasloca"; $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."] = "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone."; $a->strings["Resend relocate message to contacts"] = "Reinvia il messaggio di trasloco"; -$a->strings["Item has been removed."] = "L'oggetto è stato rimosso."; -$a->strings["People Search"] = "Cerca persone"; -$a->strings["No matches"] = "Nessun risultato"; +$a->strings["This introduction has already been accepted."] = "Questa presentazione è già stata accettata."; +$a->strings["Profile location is not valid or does not contain profile information."] = "L'indirizzo del profilo non è valido o non contiene un profilo."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario."; +$a->strings["Warning: profile location has no profile photo."] = "Attenzione: l'indirizzo del profilo non ha una foto."; +$a->strings["%d required parameter was not found at the given location"] = array( + 0 => "%d parametro richiesto non è stato trovato all'indirizzo dato", + 1 => "%d parametri richiesti non sono stati trovati all'indirizzo dato", +); +$a->strings["Introduction complete."] = "Presentazione completa."; +$a->strings["Unrecoverable protocol error."] = "Errore di comunicazione."; +$a->strings["Profile unavailable."] = "Profilo non disponibile."; +$a->strings["%s has received too many connection requests today."] = "%s ha ricevuto troppe richieste di connessione per oggi."; +$a->strings["Spam protection measures have been invoked."] = "Sono state attivate le misure di protezione contro lo spam."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Gli amici sono pregati di riprovare tra 24 ore."; +$a->strings["Invalid locator"] = "Invalid locator"; +$a->strings["Invalid email address."] = "Indirizzo email non valido."; +$a->strings["This account has not been configured for email. Request failed."] = "Questo account non è stato configurato per l'email. Richiesta fallita."; +$a->strings["Unable to resolve your name at the provided location."] = "Impossibile risolvere il tuo nome nella posizione indicata."; +$a->strings["You have already introduced yourself here."] = "Ti sei già presentato qui."; +$a->strings["Apparently you are already friends with %s."] = "Pare che tu e %s siate già amici."; +$a->strings["Invalid profile URL."] = "Indirizzo profilo non valido."; +$a->strings["Disallowed profile URL."] = "Indirizzo profilo non permesso."; +$a->strings["Your introduction has been sent."] = "La tua presentazione è stata inviata."; +$a->strings["Please login to confirm introduction."] = "Accedi per confermare la presentazione."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo."; +$a->strings["Hide this contact"] = "Nascondi questo contatto"; +$a->strings["Welcome home %s."] = "Bentornato a casa %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Conferma la tua richiesta di connessione con %s."; +$a->strings["Confirm"] = "Conferma"; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:"; +$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."] = "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi"; +$a->strings["Friend/Connection Request"] = "Richieste di amicizia/connessione"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; +$a->strings["Please answer the following:"] = "Rispondi:"; +$a->strings["Does %s know you?"] = "%s ti conosce?"; +$a->strings["Add a personal note:"] = "Aggiungi una nota personale:"; +$a->strings["Friendica"] = "Friendica"; +$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."] = " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora."; +$a->strings["Your Identity Address:"] = "L'indirizzo della tua identità:"; +$a->strings["Submit Request"] = "Invia richiesta"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Registrazione completata. Controlla la tua mail per ulteriori informazioni."; +$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = ""; +$a->strings["Your registration can not be processed."] = "La tua registrazione non puo' essere elaborata."; +$a->strings["Your registration is pending approval by the site owner."] = "La tua richiesta è in attesa di approvazione da parte del prorietario del sito."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera."; +$a->strings["Your OpenID (optional): "] = "Il tuo OpenID (opzionale): "; +$a->strings["Include your profile in member directory?"] = "Includi il tuo profilo nell'elenco pubblico?"; +$a->strings["Membership on this site is by invitation only."] = "La registrazione su questo sito è solo su invito."; +$a->strings["Your invitation ID: "] = "L'ID del tuo invito:"; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Il tuo nome completo (es. Mario Rossi): "; +$a->strings["Your Email Address: "] = "Il tuo indirizzo email: "; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@\$sitename'."; +$a->strings["Choose a nickname: "] = "Scegli un nome utente: "; +$a->strings["Register"] = "Registrati"; +$a->strings["Import"] = "Importa"; +$a->strings["Import your profile to this friendica instance"] = "Importa il tuo profilo in questo server friendica"; +$a->strings["System down for maintenance"] = "Sistema in manutenzione"; +$a->strings["Search"] = "Cerca"; +$a->strings["Global Directory"] = "Elenco globale"; +$a->strings["Find on this site"] = "Cerca nel sito"; +$a->strings["Site Directory"] = "Elenco del sito"; +$a->strings["Age: "] = "Età : "; +$a->strings["Gender: "] = "Genere:"; +$a->strings["Gender:"] = "Genere:"; +$a->strings["Status:"] = "Stato:"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["About:"] = "Informazioni:"; +$a->strings["No entries (some entries may be hidden)."] = "Nessuna voce (qualche voce potrebbe essere nascosta)."; +$a->strings["No potential page delegates located."] = "Nessun potenziale delegato per la pagina è stato trovato."; +$a->strings["Delegate Page Management"] = "Gestione delegati per la pagina"; +$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."] = "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente."; +$a->strings["Existing Page Managers"] = "Gestori Pagina Esistenti"; +$a->strings["Existing Page Delegates"] = "Delegati Pagina Esistenti"; +$a->strings["Potential Delegates"] = "Delegati Potenziali"; +$a->strings["Add"] = "Aggiungi"; +$a->strings["No entries."] = "Nessun articolo."; +$a->strings["Common Friends"] = "Amici in comune"; +$a->strings["No contacts in common."] = "Nessun contatto in comune."; +$a->strings["Export account"] = "Esporta 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."] = "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server."; +$a->strings["Export all"] = "Esporta tutto"; +$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)"] = "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)"; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s al momento è %2\$s"; +$a->strings["Mood"] = "Umore"; +$a->strings["Set your current mood and tell your friends"] = "Condividi il tuo umore con i tuoi amici"; +$a->strings["Do you really want to delete this suggestion?"] = "Vuoi veramente cancellare questo suggerimento?"; +$a->strings["Friend Suggestions"] = "Contatti suggeriti"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore."; +$a->strings["Ignore/Hide"] = "Ignora / Nascondi"; $a->strings["Profile deleted."] = "Profilo elminato."; $a->strings["Profile-"] = "Profilo-"; $a->strings["New profile created."] = "Il nuovo profilo è stato creato."; @@ -1000,78 +1118,46 @@ $a->strings["Love/romance"] = "Amore"; $a->strings["Work/employment"] = "Lavoro/impiego"; $a->strings["School/education"] = "Scuola/educazione"; $a->strings["This is your public profile.
    It may be visible to anybody using the internet."] = "Questo è il tuo profilo publico.
    Potrebbe essere visto da chiunque attraverso internet."; -$a->strings["Age: "] = "Età : "; $a->strings["Edit/Manage Profiles"] = "Modifica / Gestisci profili"; $a->strings["Change profile photo"] = "Cambia la foto del profilo"; $a->strings["Create New Profile"] = "Crea un nuovo profilo"; $a->strings["Profile Image"] = "Immagine del Profilo"; $a->strings["visible to everybody"] = "visibile a tutti"; $a->strings["Edit visibility"] = "Modifica visibilità"; -$a->strings["link"] = "collegamento"; -$a->strings["Export account"] = "Esporta 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."] = "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server."; -$a->strings["Export all"] = "Esporta tutto"; -$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)"] = "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)"; -$a->strings["{0} wants to be your friend"] = "{0} vuole essere tuo amico"; -$a->strings["{0} sent you a message"] = "{0} ti ha inviato un messaggio"; -$a->strings["{0} requested registration"] = "{0} chiede la registrazione"; -$a->strings["{0} commented %s's post"] = "{0} ha commentato il post di %s"; -$a->strings["{0} liked %s's post"] = "a {0} piace il post di %s"; -$a->strings["{0} disliked %s's post"] = "a {0} non piace il post di %s"; -$a->strings["{0} is now friends with %s"] = "{0} ora è amico di %s"; -$a->strings["{0} posted"] = "{0} ha inviato un nuovo messaggio"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} ha taggato il post di %s con #%s"; -$a->strings["{0} mentioned you in a post"] = "{0} ti ha citato in un post"; -$a->strings["Nothing new here"] = "Niente di nuovo qui"; -$a->strings["Clear notifications"] = "Pulisci le notifiche"; -$a->strings["Not available."] = "Non disponibile."; -$a->strings["Community"] = "Comunità"; -$a->strings["Save to Folder:"] = "Salva nella Cartella:"; -$a->strings["- select -"] = "- seleziona -"; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta"; -$a->strings["Or - did you try to upload an empty file?"] = "O.. non avrai provato a caricare un file vuoto?"; -$a->strings["File exceeds size limit of %d"] = "Il file supera la dimensione massima di %d"; -$a->strings["File upload failed."] = "Caricamento del file non riuscito."; -$a->strings["Invalid profile identifier."] = "Indentificativo del profilo non valido."; -$a->strings["Profile Visibility Editor"] = "Modifica visibilità del profilo"; -$a->strings["Click on a contact to add or remove."] = "Clicca su un contatto per aggiungerlo o rimuoverlo."; -$a->strings["Visible To"] = "Visibile a"; -$a->strings["All Contacts (with secure profile access)"] = "Tutti i contatti (con profilo ad accesso sicuro)"; -$a->strings["Do you really want to delete this suggestion?"] = "Vuoi veramente cancellare questo suggerimento?"; -$a->strings["Friend Suggestions"] = "Contatti suggeriti"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore."; -$a->strings["Connect"] = "Connetti"; -$a->strings["Ignore/Hide"] = "Ignora / Nascondi"; -$a->strings["Access denied."] = "Accesso negato."; -$a->strings["%1\$s welcomes %2\$s"] = "%s dà il benvenuto a %s"; -$a->strings["Manage Identities and/or Pages"] = "Gestisci indentità e/o pagine"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione"; -$a->strings["Select an identity to manage: "] = "Seleziona un'identità da gestire:"; -$a->strings["No potential page delegates located."] = "Nessun potenziale delegato per la pagina è stato trovato."; -$a->strings["Delegate Page Management"] = "Gestione delegati per la pagina"; -$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."] = "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente."; -$a->strings["Existing Page Managers"] = "Gestori Pagina Esistenti"; -$a->strings["Existing Page Delegates"] = "Delegati Pagina Esistenti"; -$a->strings["Potential Delegates"] = "Delegati Potenziali"; -$a->strings["Add"] = "Aggiungi"; -$a->strings["No entries."] = "Nessun articolo."; -$a->strings["No contacts."] = "Nessun contatto."; -$a->strings["View Contacts"] = "Visualizza i contatti"; +$a->strings["Item not found"] = "Oggetto non trovato"; +$a->strings["Edit post"] = "Modifica messaggio"; +$a->strings["upload photo"] = "carica foto"; +$a->strings["Attach file"] = "Allega file"; +$a->strings["attach file"] = "allega file"; +$a->strings["web link"] = "link web"; +$a->strings["Insert video link"] = "Inserire collegamento video"; +$a->strings["video link"] = "link video"; +$a->strings["Insert audio link"] = "Inserisci collegamento audio"; +$a->strings["audio link"] = "link audio"; +$a->strings["Set your location"] = "La tua posizione"; +$a->strings["set location"] = "posizione"; +$a->strings["Clear browser location"] = "Rimuovi la localizzazione data dal browser"; +$a->strings["clear location"] = "canc. pos."; +$a->strings["Permission settings"] = "Impostazioni permessi"; +$a->strings["CC: email addresses"] = "CC: indirizzi email"; +$a->strings["Public post"] = "Messaggio pubblico"; +$a->strings["Set title"] = "Scegli un titolo"; +$a->strings["Categories (comma-separated list)"] = "Categorie (lista separata da virgola)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Esempio: bob@example.com, mary@example.com"; +$a->strings["This is Friendica, version"] = "Questo è Friendica, versione"; +$a->strings["running at web location"] = "in esecuzione all'indirizzo web"; +$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Visita Friendica.com per saperne di più sul progetto Friendica."; +$a->strings["Bug reports and issues: please visit"] = "Segnalazioni di bug e problemi: visita"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com"; +$a->strings["Installed plugins/addons/apps:"] = "Plugin/addon/applicazioni instalate"; +$a->strings["No installed plugins/addons/apps"] = "Nessun plugin/addons/applicazione installata"; +$a->strings["Authorize application connection"] = "Autorizza la connessione dell'applicazione"; +$a->strings["Return to your app and insert this Securty Code:"] = "Torna alla tua applicazione e inserisci questo codice di sicurezza:"; +$a->strings["Please login to continue."] = "Effettua il login per continuare."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?"; +$a->strings["Remote privacy information not available."] = "Informazioni remote sulla privacy non disponibili."; +$a->strings["Visible to:"] = "Visibile a:"; $a->strings["Personal Notes"] = "Note personali"; -$a->strings["Poke/Prod"] = "Tocca/Pungola"; -$a->strings["poke, prod or do other things to somebody"] = "tocca, pungola o fai altre cose a qualcuno"; -$a->strings["Recipient"] = "Destinatario"; -$a->strings["Choose what you wish to do to recipient"] = "Scegli cosa vuoi fare al destinatario"; -$a->strings["Make this post private"] = "Rendi questo post privato"; -$a->strings["Global Directory"] = "Elenco globale"; -$a->strings["Find on this site"] = "Cerca nel sito"; -$a->strings["Site Directory"] = "Elenco del sito"; -$a->strings["Gender: "] = "Genere:"; -$a->strings["Gender:"] = "Genere:"; -$a->strings["Status:"] = "Stato:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["About:"] = "Informazioni:"; -$a->strings["No entries (some entries may be hidden)."] = "Nessuna voce (qualche voce potrebbe essere nascosta)."; $a->strings["l F d, Y \\@ g:i A"] = "l d F Y \\@ G:i"; $a->strings["Time Conversion"] = "Conversione Ora"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti."; @@ -1079,209 +1165,91 @@ $a->strings["UTC time: %s"] = "Ora UTC: %s"; $a->strings["Current timezone: %s"] = "Fuso orario corrente: %s"; $a->strings["Converted localtime: %s"] = "Ora locale convertita: %s"; $a->strings["Please select your timezone:"] = "Selezionare il tuo fuso orario:"; -$a->strings["Post successful."] = "Inviato!"; -$a->strings["Image uploaded but image cropping failed."] = "L'immagine è stata caricata, ma il non è stato possibile ritagliarla."; -$a->strings["Image size reduction [%s] failed."] = "Il ridimensionamento del'immagine [%s] è fallito."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente."; -$a->strings["Unable to process image"] = "Impossibile elaborare l'immagine"; -$a->strings["Upload File:"] = "Carica un file:"; -$a->strings["Select a profile:"] = "Seleziona un profilo:"; -$a->strings["Upload"] = "Carica"; -$a->strings["skip this step"] = "salta questo passaggio"; -$a->strings["select a photo from your photo albums"] = "seleziona una foto dai tuoi album"; -$a->strings["Crop Image"] = "Ritaglia immagine"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Ritaglia l'imagine per una visualizzazione migliore."; -$a->strings["Done Editing"] = "Finito"; -$a->strings["Image uploaded successfully."] = "Immagine caricata con successo."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Impostazioni"; -$a->strings["Could not connect to database."] = " Impossibile collegarsi con il database."; -$a->strings["Could not create table."] = "Impossibile creare le tabelle."; -$a->strings["Your Friendica site database has been installed."] = "Il tuo Friendica è stato installato."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Potresti dover importare il file \"database.sql\" manualmente con phpmyadmin o mysql"; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Leggi il file \"INSTALL.txt\"."; -$a->strings["System check"] = "Controllo sistema"; -$a->strings["Check again"] = "Controlla ancora"; -$a->strings["Database connection"] = "Connessione al database"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Per installare Friendica dobbiamo sapere come collegarci al tuo database."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Contatta il tuo fornitore di hosting o l'amministratore del sito se hai domande su queste impostazioni."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Il database dovrà già esistere. Se non esiste, crealo prima di continuare."; -$a->strings["Database Server Name"] = "Nome del database server"; -$a->strings["Database Login Name"] = "Nome utente database"; -$a->strings["Database Login Password"] = "Password utente database"; -$a->strings["Database Name"] = "Nome database"; -$a->strings["Site administrator email address"] = "Indirizzo email dell'amministratore del sito"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Il tuo indirizzo email deve corrispondere a questo per poter usare il pannello di amministrazione web."; -$a->strings["Please select a default timezone for your website"] = "Seleziona il fuso orario predefinito per il tuo sito web"; -$a->strings["Site settings"] = "Impostazioni sito"; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Non riesco a trovare la versione di PHP da riga di comando nel PATH del server web"; -$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 'Activating scheduled tasks'"] = "Se non hai una versione a linea di comando di PHP installata sul tuo server, non sarai in grado di avviare il processo di poll in background via cron. Vedi 'Activating scheduled tasks'"; -$a->strings["PHP executable path"] = "Percorso eseguibile PHP"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Inserisci il percorso completo all'eseguibile di php. Puoi lasciare bianco questo campo per continuare l'installazione."; -$a->strings["Command line PHP"] = "PHP da riga di comando"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "L'eseguibile PHP non è il binario php cli (potrebbe essere la versione cgi-fcgi)"; -$a->strings["Found PHP version: "] = "Versione PHP:"; -$a->strings["PHP cli binary"] = "Binario PHP cli"; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La versione da riga di comando di PHP nel sistema non ha abilitato \"register_argc_argv\"."; -$a->strings["This is required for message delivery to work."] = "E' obbligatorio per far funzionare la consegna dei messaggi."; -$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"] = "Errore: la funzione \"openssl_pkey_new\" in questo sistema non è in grado di generare le chiavi di criptazione"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Se stai eseguendo friendika su windows, guarda \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Genera chiavi di criptazione"; -$a->strings["libCurl PHP module"] = "modulo PHP libCurl"; -$a->strings["GD graphics PHP module"] = "modulo PHP GD graphics"; -$a->strings["OpenSSL PHP module"] = "modulo PHP OpenSSL"; -$a->strings["mysqli PHP module"] = "modulo PHP mysqli"; -$a->strings["mb_string PHP module"] = "modulo PHP mb_string"; -$a->strings["Apache mod_rewrite module"] = "Modulo mod_rewrite di Apache"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Errore: E' il modulo mod-rewrite di Apache è richiesto, ma non risulta installato"; -$a->strings["Error: libCURL PHP module required but not installed."] = "Errore: il modulo libCURL di PHP è richiesto, ma non risulta installato."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Errore: Il modulo GD graphics di PHP con supporto a JPEG è richiesto, ma non risulta installato."; -$a->strings["Error: openssl PHP module required but not installed."] = "Errore: il modulo openssl di PHP è richiesto, ma non risulta installato."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Errore: il modulo mysqli di PHP è richiesto, ma non risulta installato"; -$a->strings["Error: mb_string PHP module required but not installed."] = "Errore: il modulo PHP mb_string è richiesto, ma non risulta installato."; -$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."] = "L'installazione web deve poter creare un file chiamato \".htconfig.php\" nella cartella principale del tuo web server ma non è in grado di farlo."; -$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."] = "Ciò è dovuto spesso a impostazioni di permessi, dato che il web server può non essere in grado di scrivere il file nella tua cartella, anche se tu puoi."; -$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."] = "Alla fine di questa procedura, di daremo un testo da salvare in un file chiamato .htconfig.php nella tua cartella principale di Friendica"; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php è scrivibile"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il 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."] = "Per salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella."; -$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."] = "Nota: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 è scrivibile"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "La riscrittura degli url in .htaccess non funziona. Controlla la configurazione del tuo server."; -$a->strings["Url rewrite is working"] = "La riscrittura degli url funziona"; -$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."] = "Il file di configurazione del database \".htconfig.php\" non può essere scritto. Usa il testo qui di seguito per creare un file di configurazione nella cartella principale del tuo sito."; -$a->strings["

    What next

    "] = "

    Cosa fare ora

    "; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller."; -$a->strings["Group created."] = "Gruppo creato."; -$a->strings["Could not create group."] = "Impossibile creare il gruppo."; -$a->strings["Group not found."] = "Gruppo non trovato."; -$a->strings["Group name changed."] = "Il nome del gruppo è cambiato."; -$a->strings["Save Group"] = "Salva gruppo"; -$a->strings["Create a group of contacts/friends."] = "Crea un gruppo di amici/contatti."; -$a->strings["Group Name: "] = "Nome del gruppo:"; -$a->strings["Group removed."] = "Gruppo rimosso."; -$a->strings["Unable to remove group."] = "Impossibile rimuovere il gruppo."; -$a->strings["Group Editor"] = "Modifica gruppo"; -$a->strings["Members"] = "Membri"; -$a->strings["No such group"] = "Nessun gruppo"; -$a->strings["Group is empty"] = "Il gruppo è vuoto"; -$a->strings["Group: "] = "Gruppo: "; -$a->strings["View in context"] = "Vedi nel contesto"; +$a->strings["Poke/Prod"] = "Tocca/Pungola"; +$a->strings["poke, prod or do other things to somebody"] = "tocca, pungola o fai altre cose a qualcuno"; +$a->strings["Recipient"] = "Destinatario"; +$a->strings["Choose what you wish to do to recipient"] = "Scegli cosa vuoi fare al destinatario"; +$a->strings["Make this post private"] = "Rendi questo post privato"; +$a->strings["Total invitation limit exceeded."] = "Limite totale degli inviti superato."; +$a->strings["%s : Not a valid email address."] = "%s: non è un indirizzo email valido."; +$a->strings["Please join us on Friendica"] = "Unisiciti a noi su Friendica"; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limite degli inviti superato. Contatta l'amministratore del tuo sito."; +$a->strings["%s : Message delivery failed."] = "%s: la consegna del messaggio fallita."; +$a->strings["%d message sent."] = array( + 0 => "%d messaggio inviato.", + 1 => "%d messaggi inviati.", +); +$a->strings["You have no more invitations available"] = "Non hai altri inviti disponibili"; +$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."] = "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network."; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico."; +$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."] = "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti."; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri."; +$a->strings["Send invitations"] = "Invia inviti"; +$a->strings["Enter email addresses, one per line:"] = "Inserisci gli indirizzi email, uno per riga:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore."; +$a->strings["You will need to supply this invitation code: \$invite_code"] = "Sarà necessario fornire questo codice invito: \$invite_code"; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Una volta registrato, connettiti con me dal mio profilo:"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com"; +$a->strings["Photo Albums"] = "Album foto"; +$a->strings["Contact Photos"] = "Foto dei contatti"; +$a->strings["Upload New Photos"] = "Carica nuove foto"; +$a->strings["Contact information unavailable"] = "I dati di questo contatto non sono disponibili"; +$a->strings["Album not found."] = "Album non trovato."; +$a->strings["Delete Album"] = "Rimuovi album"; +$a->strings["Do you really want to delete this photo album and all its photos?"] = "Vuoi davvero cancellare questo album e tutte le sue foto?"; +$a->strings["Delete Photo"] = "Rimuovi foto"; +$a->strings["Do you really want to delete this photo?"] = "Vuoi veramente cancellare questa foto?"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s è stato taggato in %2\$s da %3\$s"; +$a->strings["a photo"] = "una foto"; +$a->strings["Image exceeds size limit of "] = "L'immagine supera il limite di"; +$a->strings["Image file is empty."] = "Il file dell'immagine è vuoto."; +$a->strings["No photos selected"] = "Nessuna foto selezionata"; +$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Hai usato %1$.2f MBytes su %2$.2f disponibili."; +$a->strings["Upload Photos"] = "Carica foto"; +$a->strings["New album name: "] = "Nome nuovo album: "; +$a->strings["or existing album name: "] = "o nome di un album esistente: "; +$a->strings["Do not show a status post for this upload"] = "Non creare un post per questo upload"; +$a->strings["Permissions"] = "Permessi"; +$a->strings["Private Photo"] = "Foto privata"; +$a->strings["Public Photo"] = "Foto pubblica"; +$a->strings["Edit Album"] = "Modifica album"; +$a->strings["Show Newest First"] = "Mostra nuove foto per prime"; +$a->strings["Show Oldest First"] = "Mostra vecchie foto per prime"; +$a->strings["View Photo"] = "Vedi foto"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Permesso negato. L'accesso a questo elemento può essere limitato."; +$a->strings["Photo not available"] = "Foto non disponibile"; +$a->strings["View photo"] = "Vedi foto"; +$a->strings["Edit photo"] = "Modifica foto"; +$a->strings["Use as profile photo"] = "Usa come foto del profilo"; +$a->strings["View Full Size"] = "Vedi dimensione intera"; +$a->strings["Tags: "] = "Tag: "; +$a->strings["[Remove any tag]"] = "[Rimuovi tutti i tag]"; +$a->strings["Rotate CW (right)"] = "Ruota a destra"; +$a->strings["Rotate CCW (left)"] = "Ruota a sinistra"; +$a->strings["New album name"] = "Nuovo nome dell'album"; +$a->strings["Caption"] = "Titolo"; +$a->strings["Add a Tag"] = "Aggiungi tag"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; +$a->strings["Private photo"] = "Foto privata"; +$a->strings["Public photo"] = "Foto pubblica"; +$a->strings["Share"] = "Condividi"; +$a->strings["Recent Photos"] = "Foto recenti"; $a->strings["Account approved."] = "Account approvato."; $a->strings["Registration revoked for %s"] = "Registrazione revocata per %s"; $a->strings["Please login."] = "Accedi."; -$a->strings["Profile Match"] = "Profili corrispondenti"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito."; -$a->strings["is interested in:"] = "è interessato a:"; -$a->strings["Unable to locate original post."] = "Impossibile trovare il messaggio originale."; -$a->strings["Empty post discarded."] = "Messaggio vuoto scartato."; -$a->strings["System error. Post not saved."] = "Errore di sistema. Messaggio non salvato."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica."; -$a->strings["You may visit them online at %s"] = "Puoi visitarli online su %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi."; -$a->strings["%s posted an update."] = "%s ha inviato un aggiornamento."; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s al momento è %2\$s"; -$a->strings["Mood"] = "Umore"; -$a->strings["Set your current mood and tell your friends"] = "Condividi il tuo umore con i tuoi amici"; -$a->strings["Search Results For:"] = "Cerca risultati per:"; -$a->strings["add"] = "aggiungi"; -$a->strings["Commented Order"] = "Ordina per commento"; -$a->strings["Sort by Comment Date"] = "Ordina per data commento"; -$a->strings["Posted Order"] = "Ordina per invio"; -$a->strings["Sort by Post Date"] = "Ordina per data messaggio"; -$a->strings["Posts that mention or involve you"] = "Messaggi che ti citano o coinvolgono"; -$a->strings["New"] = "Nuovo"; -$a->strings["Activity Stream - by date"] = "Activity Stream - per data"; -$a->strings["Shared Links"] = "Links condivisi"; -$a->strings["Interesting Links"] = "Link Interessanti"; -$a->strings["Starred"] = "Preferiti"; -$a->strings["Favourite Posts"] = "Messaggi preferiti"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Attenzione: questo gruppo contiene %s membro da un network insicuro.", - 1 => "Attenzione: questo gruppo contiene %s membri da un network insicuro.", -); -$a->strings["Private messages to this group are at risk of public disclosure."] = "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente."; -$a->strings["Contact: "] = "Contatto:"; -$a->strings["Private messages to this person are at risk of public disclosure."] = "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente."; -$a->strings["Invalid contact."] = "Contatto non valido."; -$a->strings["Contact settings applied."] = "Contatto modificato."; -$a->strings["Contact update failed."] = "Le modifiche al contatto non sono state salvate."; -$a->strings["Repair Contact Settings"] = "Ripara il contatto"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più"; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina."; -$a->strings["Return to contact editor"] = "Ritorna alla modifica contatto"; -$a->strings["Account Nickname"] = "Nome utente"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@TagName - al posto del nome utente"; -$a->strings["Account URL"] = "URL dell'utente"; -$a->strings["Friend Request URL"] = "URL Richiesta Amicizia"; -$a->strings["Friend Confirm URL"] = "URL Conferma Amicizia"; -$a->strings["Notification Endpoint URL"] = "URL Notifiche"; -$a->strings["Poll/Feed URL"] = "URL Feed"; -$a->strings["New photo from this URL"] = "Nuova foto da questo URL"; -$a->strings["Remote Self"] = "Io remoto"; -$a->strings["Mirror postings from this contact"] = "Ripeti i messaggi di questo contatto"; -$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto."; -$a->strings["No mirroring"] = "Non duplicare"; -$a->strings["Mirror as forwarded posting"] = "Duplica come messaggi ricondivisi"; -$a->strings["Mirror as my own posting"] = "Duplica come miei messaggi"; -$a->strings["Your posts and conversations"] = "I tuoi messaggi e le tue conversazioni"; -$a->strings["Your profile page"] = "Pagina del tuo profilo"; -$a->strings["Your contacts"] = "I tuoi contatti"; -$a->strings["Your photos"] = "Le tue foto"; -$a->strings["Your events"] = "I tuoi eventi"; -$a->strings["Personal notes"] = "Note personali"; -$a->strings["Your personal photos"] = "Le tue foto personali"; -$a->strings["Community Pages"] = "Pagine Comunitarie"; -$a->strings["Community Profiles"] = "Profili Comunità"; -$a->strings["Last users"] = "Ultimi utenti"; -$a->strings["Last likes"] = "Ultimi \"mi piace\""; -$a->strings["event"] = "l'evento"; -$a->strings["Last photos"] = "Ultime foto"; -$a->strings["Find Friends"] = "Trova Amici"; -$a->strings["Local Directory"] = "Elenco Locale"; -$a->strings["Similar Interests"] = "Interessi simili"; -$a->strings["Invite Friends"] = "Invita amici"; -$a->strings["Earth Layers"] = "Earth Layers"; -$a->strings["Set zoomfactor for Earth Layers"] = "Livello di zoom per Earth Layers"; -$a->strings["Set longitude (X) for Earth Layers"] = "Longitudine (X) per Earth Layers"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Latitudine (Y) per Earth Layers"; -$a->strings["Help or @NewHere ?"] = "Serve aiuto? Sei nuovo?"; -$a->strings["Connect Services"] = "Servizi di conessione"; -$a->strings["don't show"] = "non mostrare"; -$a->strings["show"] = "mostra"; -$a->strings["Show/hide boxes at right-hand column:"] = "Mostra/Nascondi riquadri nella colonna destra"; -$a->strings["Theme settings"] = "Impostazioni tema"; -$a->strings["Set font-size for posts and comments"] = "Dimensione del carattere di messaggi e commenti"; -$a->strings["Set line-height for posts and comments"] = "Altezza della linea di testo di messaggi e commenti"; -$a->strings["Set resolution for middle column"] = "Imposta la dimensione della colonna centrale"; -$a->strings["Set color scheme"] = "Imposta lo schema dei colori"; -$a->strings["Set zoomfactor for Earth Layer"] = "Livello di zoom per Earth Layer"; -$a->strings["Set style"] = "Imposta stile"; -$a->strings["Set colour scheme"] = "Imposta schema colori"; -$a->strings["default"] = "default"; -$a->strings["greenzero"] = ""; -$a->strings["purplezero"] = ""; -$a->strings["easterbunny"] = ""; -$a->strings["darkzero"] = ""; -$a->strings["comix"] = ""; -$a->strings["slackr"] = ""; -$a->strings["Variations"] = ""; -$a->strings["Alignment"] = "Allineamento"; -$a->strings["Left"] = "Sinistra"; -$a->strings["Center"] = "Centrato"; -$a->strings["Color scheme"] = "Schema colori"; -$a->strings["Posts font size"] = "Dimensione caratteri post"; -$a->strings["Textareas font size"] = "Dimensione caratteri nelle aree di testo"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Dimensione immagini in messaggi e commenti (larghezza e altezza)"; -$a->strings["Set theme width"] = "Imposta la larghezza del tema"; +$a->strings["Move account"] = "Muovi account"; +$a->strings["You can import an account from another Friendica server."] = "Puoi importare un account da un altro 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."] = "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui."; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora"; +$a->strings["Account file"] = "File account"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\""; +$a->strings["Item not available."] = "Oggetto non disponibile."; +$a->strings["Item was not found."] = "Oggetto non trovato."; $a->strings["Delete this item?"] = "Cancellare questo elemento?"; $a->strings["show fewer"] = "mostra di meno"; $a->strings["Update %s failed. See error logs."] = "aggiornamento %s fallito. Guarda i log di errore."; $a->strings["Create a New Account"] = "Crea un nuovo account"; $a->strings["Logout"] = "Esci"; -$a->strings["Login"] = "Accedi"; $a->strings["Nickname or Email address: "] = "Nome utente o indirizzo email: "; $a->strings["Password: "] = "Password: "; $a->strings["Remember me"] = "Ricordati di me"; @@ -1311,6 +1279,40 @@ $a->strings["Profile Details"] = "Dettagli del profilo"; $a->strings["Videos"] = "Video"; $a->strings["Events and Calendar"] = "Eventi e calendario"; $a->strings["Only You Can See This"] = "Solo tu puoi vedere questo"; +$a->strings["This entry was edited"] = "Questa voce è stata modificata"; +$a->strings["ignore thread"] = "ignora la discussione"; +$a->strings["unignore thread"] = "non ignorare la discussione"; +$a->strings["toggle ignore status"] = "inverti stato \"Ignora\""; +$a->strings["ignored"] = "ignorato"; +$a->strings["Categories:"] = "Categorie:"; +$a->strings["Filed under:"] = "Archiviato in:"; +$a->strings["via"] = "via"; +$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."] = "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido."; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Il messaggio di errore è\n[pre]%s[/pre]"; +$a->strings["Errors encountered creating database tables."] = "La creazione delle tabelle del database ha generato errori."; +$a->strings["Errors encountered performing database changes."] = "Riscontrati errori applicando le modifiche al database."; +$a->strings["Logged out."] = "Uscita effettuata."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto."; +$a->strings["The error message was:"] = "Il messaggio riportato era:"; +$a->strings["Add New Contact"] = "Aggiungi nuovo contatto"; +$a->strings["Enter address or web location"] = "Inserisci posizione o indirizzo web"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esempio: bob@example.com, http://example.com/barbara"; +$a->strings["%d invitation available"] = array( + 0 => "%d invito disponibile", + 1 => "%d inviti disponibili", +); +$a->strings["Find People"] = "Trova persone"; +$a->strings["Enter name or interest"] = "Inserisci un nome o un interesse"; +$a->strings["Connect/Follow"] = "Connetti/segui"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esempi: Mario Rossi, Pesca"; +$a->strings["Similar Interests"] = "Interessi simili"; +$a->strings["Random Profile"] = "Profilo causale"; +$a->strings["Invite Friends"] = "Invita amici"; +$a->strings["Networks"] = "Reti"; +$a->strings["All Networks"] = "Tutte le Reti"; +$a->strings["Saved Folders"] = "Cartelle Salvate"; +$a->strings["Everything"] = "Tutto"; +$a->strings["Categories"] = "Categorie"; $a->strings["General Features"] = "Funzionalità generali"; $a->strings["Multiple Profiles"] = "Profili multipli"; $a->strings["Ability to create multiple profiles"] = "Possibilità di creare profili multipli"; @@ -1345,7 +1347,6 @@ $a->strings["Tagging"] = "Aggiunta tag"; $a->strings["Ability to tag existing posts"] = "Permette di aggiungere tag ai post già esistenti"; $a->strings["Post Categories"] = "Cateorie post"; $a->strings["Add categories to your posts"] = "Aggiungi categorie ai tuoi post"; -$a->strings["Saved Folders"] = "Cartelle Salvate"; $a->strings["Ability to file posts under folders"] = "Permette di archiviare i post in cartelle"; $a->strings["Dislike Posts"] = "Non mi piace"; $a->strings["Ability to dislike posts/comments"] = "Permetti di inviare \"non mi piace\" ai messaggi"; @@ -1353,29 +1354,91 @@ $a->strings["Star Posts"] = "Post preferiti"; $a->strings["Ability to mark special posts with a star indicator"] = "Permette di segnare i post preferiti con una stella"; $a->strings["Mute Post Notifications"] = "Silenzia le notifiche di nuovi post"; $a->strings["Ability to mute notifications for a thread"] = "Permette di silenziare le notifiche di nuovi post in una discussione"; -$a->strings["Logged out."] = "Uscita effettuata."; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto."; -$a->strings["The error message was:"] = "Il messaggio riportato era:"; -$a->strings["Starts:"] = "Inizia:"; -$a->strings["Finishes:"] = "Finisce:"; -$a->strings["j F, Y"] = "j F Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Compleanno:"; -$a->strings["Age:"] = "Età:"; -$a->strings["for %1\$d %2\$s"] = "per %1\$d %2\$s"; -$a->strings["Tags:"] = "Tag:"; -$a->strings["Religion:"] = "Religione:"; -$a->strings["Hobbies/Interests:"] = "Hobby/Interessi:"; -$a->strings["Contact information and Social Networks:"] = "Informazioni su contatti e social network:"; -$a->strings["Musical interests:"] = "Interessi musicali:"; -$a->strings["Books, literature:"] = "Libri, letteratura:"; -$a->strings["Television:"] = "Televisione:"; -$a->strings["Film/dance/culture/entertainment:"] = "Film/danza/cultura/intrattenimento:"; -$a->strings["Love/Romance:"] = "Amore:"; -$a->strings["Work/employment:"] = "Lavoro:"; -$a->strings["School/education:"] = "Scuola:"; +$a->strings["Connect URL missing."] = "URL di connessione mancante."; +$a->strings["This site is not configured to allow communications with other networks."] = "Questo sito non è configurato per permettere la comunicazione con altri network."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Non sono stati trovati protocolli di comunicazione o feed compatibili."; +$a->strings["The profile address specified does not provide adequate information."] = "L'indirizzo del profilo specificato non fornisce adeguate informazioni."; +$a->strings["An author or name was not found."] = "Non è stato trovato un nome o un autore"; +$a->strings["No browser URL could be matched to this address."] = "Nessun URL puo' essere associato a questo indirizzo."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email."; +$a->strings["Use mailto: in front of address to force email check."] = "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te."; +$a->strings["Unable to retrieve contact information."] = "Impossibile recuperare informazioni sul contatto."; +$a->strings["following"] = "segue"; +$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."] = "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso."; +$a->strings["Default privacy group for new contacts"] = "Gruppo predefinito per i nuovi contatti"; +$a->strings["Everybody"] = "Tutti"; +$a->strings["edit"] = "modifica"; +$a->strings["Edit group"] = "Modifica gruppo"; +$a->strings["Create a new group"] = "Crea un nuovo gruppo"; +$a->strings["Contacts not in any group"] = "Contatti in nessun gruppo."; +$a->strings["Miscellaneous"] = "Varie"; +$a->strings["year"] = "anno"; +$a->strings["month"] = "mese"; +$a->strings["day"] = "giorno"; +$a->strings["never"] = "mai"; +$a->strings["less than a second ago"] = "meno di un secondo fa"; +$a->strings["years"] = "anni"; +$a->strings["months"] = "mesi"; +$a->strings["week"] = "settimana"; +$a->strings["weeks"] = "settimane"; +$a->strings["days"] = "giorni"; +$a->strings["hour"] = "ora"; +$a->strings["hours"] = "ore"; +$a->strings["minute"] = "minuto"; +$a->strings["minutes"] = "minuti"; +$a->strings["second"] = "secondo"; +$a->strings["seconds"] = "secondi"; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; +$a->strings["%s's birthday"] = "Compleanno di %s"; +$a->strings["Happy Birthday %s"] = "Buon compleanno %s"; +$a->strings["Visible to everybody"] = "Visibile a tutti"; +$a->strings["show"] = "mostra"; +$a->strings["don't show"] = "non mostrare"; $a->strings["[no subject]"] = "[nessun oggetto]"; -$a->strings[" on Last.fm"] = "su Last.fm"; +$a->strings["stopped following"] = "tolto dai seguiti"; +$a->strings["Poke"] = "Stuzzica"; +$a->strings["View Status"] = "Visualizza stato"; +$a->strings["View Profile"] = "Visualizza profilo"; +$a->strings["View Photos"] = "Visualizza foto"; +$a->strings["Network Posts"] = "Post della Rete"; +$a->strings["Edit Contact"] = "Modifica contatti"; +$a->strings["Drop Contact"] = "Rimuovi contatto"; +$a->strings["Send PM"] = "Invia messaggio privato"; +$a->strings["Welcome "] = "Ciao"; +$a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; +$a->strings["Welcome back "] = "Ciao "; +$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."] = "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla."; +$a->strings["event"] = "l'evento"; +$a->strings["%1\$s poked %2\$s"] = "%1\$s ha stuzzicato %2\$s"; +$a->strings["poked"] = "ha stuzzicato"; +$a->strings["post/item"] = "post/elemento"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s ha segnato il/la %3\$s di %2\$s come preferito"; +$a->strings["remove"] = "rimuovi"; +$a->strings["Delete Selected Items"] = "Cancella elementi selezionati"; +$a->strings["Follow Thread"] = "Segui la discussione"; +$a->strings["%s likes this."] = "Piace a %s."; +$a->strings["%s doesn't like this."] = "Non piace a %s."; +$a->strings["%2\$d people like this"] = "Piace a %2\$d persone."; +$a->strings["%2\$d people don't like this"] = "Non piace a %2\$d persone."; +$a->strings["and"] = "e"; +$a->strings[", and %d other people"] = "e altre %d persone"; +$a->strings["%s like this."] = "Piace a %s."; +$a->strings["%s don't like this."] = "Non piace a %s."; +$a->strings["Visible to everybody"] = "Visibile a tutti"; +$a->strings["Please enter a video link/URL:"] = "Inserisci un collegamento video / URL:"; +$a->strings["Please enter an audio link/URL:"] = "Inserisci un collegamento audio / URL:"; +$a->strings["Tag term:"] = "Tag:"; +$a->strings["Where are you right now?"] = "Dove sei ora?"; +$a->strings["Delete item(s)?"] = "Cancellare questo elemento/i?"; +$a->strings["Post to Email"] = "Invia a email"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connettore disabilitato, dato che \"%s\" è abilitato."; +$a->strings["permissions"] = "permessi"; +$a->strings["Post to Groups"] = "Invia ai Gruppi"; +$a->strings["Post to Contacts"] = "Invia ai Contatti"; +$a->strings["Private post"] = "Post privato"; +$a->strings["view full size"] = "vedi a schermo intero"; $a->strings["newer"] = "nuovi"; $a->strings["older"] = "vecchi"; $a->strings["prev"] = "prec"; @@ -1388,17 +1451,16 @@ $a->strings["%d Contact"] = array( 1 => "%d contatti", ); $a->strings["poke"] = "stuzzica"; -$a->strings["poked"] = "toccato"; $a->strings["ping"] = "invia un ping"; -$a->strings["pinged"] = "inviato un ping"; +$a->strings["pinged"] = "ha inviato un ping"; $a->strings["prod"] = "pungola"; -$a->strings["prodded"] = "pungolato"; +$a->strings["prodded"] = "ha pungolato"; $a->strings["slap"] = "schiaffeggia"; -$a->strings["slapped"] = "schiaffeggiato"; +$a->strings["slapped"] = "ha schiaffeggiato"; $a->strings["finger"] = "tocca"; -$a->strings["fingered"] = "toccato"; +$a->strings["fingered"] = "ha toccato"; $a->strings["rebuff"] = "respingi"; -$a->strings["rebuffed"] = "respinto"; +$a->strings["rebuffed"] = "ha respinto"; $a->strings["happy"] = "felice"; $a->strings["sad"] = "triste"; $a->strings["mellow"] = "rilassato"; @@ -1440,38 +1502,132 @@ $a->strings["November"] = "Novembre"; $a->strings["December"] = "Dicembre"; $a->strings["bytes"] = "bytes"; $a->strings["Click to open/close"] = "Clicca per aprire/chiudere"; +$a->strings["default"] = "default"; $a->strings["Select an alternate language"] = "Seleziona una diversa lingua"; $a->strings["activity"] = "attività"; $a->strings["post"] = "messaggio"; $a->strings["Item filed"] = "Messaggio salvato"; -$a->strings["User not found."] = "Utente non trovato."; -$a->strings["There is no status with this id."] = "Non c'è nessuno status con questo id."; -$a->strings["There is no conversation with this id."] = "Non c'è nessuna conversazione con questo id"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Non trovo le informazioni DNS per il database server '%s'"; -$a->strings["%s's birthday"] = "Compleanno di %s"; -$a->strings["Happy Birthday %s"] = "Buon compleanno %s"; -$a->strings["Do you really want to delete this item?"] = "Vuoi veramente cancellare questo elemento?"; -$a->strings["Archives"] = "Archivi"; +$a->strings["Image/photo"] = "Immagine/foto"; +$a->strings["%2\$s %3\$s"] = ""; +$a->strings["%s wrote the following post"] = "%s ha scritto il seguente messaggio"; +$a->strings["$1 wrote:"] = "$1 ha scritto:"; +$a->strings["Encrypted content"] = "Contenuto criptato"; $a->strings["(no subject)"] = "(nessun oggetto)"; $a->strings["noreply"] = "nessuna risposta"; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Non trovo le informazioni DNS per il database server '%s'"; +$a->strings["Unknown | Not categorised"] = "Sconosciuto | non categorizzato"; +$a->strings["Block immediately"] = "Blocca immediatamente"; +$a->strings["Shady, spammer, self-marketer"] = "Shady, spammer, self-marketer"; +$a->strings["Known to me, but no opinion"] = "Lo conosco, ma non ho un'opinione particolare"; +$a->strings["OK, probably harmless"] = "E' ok, probabilmente innocuo"; +$a->strings["Reputable, has my trust"] = "Rispettabile, ha la mia fiducia"; +$a->strings["Weekly"] = "Settimanalmente"; +$a->strings["Monthly"] = "Mensilmente"; +$a->strings["OStatus"] = "Ostatus"; +$a->strings["RSS/Atom"] = "RSS / Atom"; +$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"] = "Connettore Diaspora"; +$a->strings["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = "App.net"; +$a->strings[" on Last.fm"] = "su Last.fm"; +$a->strings["Starts:"] = "Inizia:"; +$a->strings["Finishes:"] = "Finisce:"; +$a->strings["j F, Y"] = "j F Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Compleanno:"; +$a->strings["Age:"] = "Età:"; +$a->strings["for %1\$d %2\$s"] = "per %1\$d %2\$s"; +$a->strings["Tags:"] = "Tag:"; +$a->strings["Religion:"] = "Religione:"; +$a->strings["Hobbies/Interests:"] = "Hobby/Interessi:"; +$a->strings["Contact information and Social Networks:"] = "Informazioni su contatti e social network:"; +$a->strings["Musical interests:"] = "Interessi musicali:"; +$a->strings["Books, literature:"] = "Libri, letteratura:"; +$a->strings["Television:"] = "Televisione:"; +$a->strings["Film/dance/culture/entertainment:"] = "Film/danza/cultura/intrattenimento:"; +$a->strings["Love/Romance:"] = "Amore:"; +$a->strings["Work/employment:"] = "Lavoro:"; +$a->strings["School/education:"] = "Scuola:"; +$a->strings["Click here to upgrade."] = "Clicca qui per aggiornare."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Questa azione eccede i limiti del tuo piano di sottoscrizione."; +$a->strings["This action is not available under your subscription plan."] = "Questa azione non è disponibile nel tuo piano di sottoscrizione."; +$a->strings["End this session"] = "Finisci questa sessione"; +$a->strings["Your posts and conversations"] = "I tuoi messaggi e le tue conversazioni"; +$a->strings["Your profile page"] = "Pagina del tuo profilo"; +$a->strings["Your photos"] = "Le tue foto"; +$a->strings["Your videos"] = "I tuoi video"; +$a->strings["Your events"] = "I tuoi eventi"; +$a->strings["Personal notes"] = "Note personali"; +$a->strings["Your personal notes"] = "Le tue note personali"; +$a->strings["Sign in"] = "Entra"; +$a->strings["Home Page"] = "Home Page"; +$a->strings["Create an account"] = "Crea un account"; +$a->strings["Help and documentation"] = "Guida e documentazione"; +$a->strings["Apps"] = "Applicazioni"; +$a->strings["Addon applications, utilities, games"] = "Applicazioni, utilità e giochi aggiuntivi"; +$a->strings["Search site content"] = "Cerca nel contenuto del sito"; +$a->strings["Conversations on this site"] = "Conversazioni su questo sito"; +$a->strings["Conversations on the network"] = ""; +$a->strings["Directory"] = "Elenco"; +$a->strings["People directory"] = "Elenco delle persone"; +$a->strings["Information"] = "Informazioni"; +$a->strings["Information about this friendica instance"] = "Informazioni su questo server friendica"; +$a->strings["Conversations from your friends"] = "Conversazioni dai tuoi amici"; +$a->strings["Network Reset"] = "Reset pagina Rete"; +$a->strings["Load Network page with no filters"] = "Carica la pagina Rete senza nessun filtro"; +$a->strings["Friend Requests"] = "Richieste di amicizia"; +$a->strings["See all notifications"] = "Vedi tutte le notifiche"; +$a->strings["Mark all system notifications seen"] = "Segna tutte le notifiche come viste"; +$a->strings["Private mail"] = "Posta privata"; +$a->strings["Inbox"] = "In arrivo"; +$a->strings["Outbox"] = "Inviati"; +$a->strings["Manage"] = "Gestisci"; +$a->strings["Manage other pages"] = "Gestisci altre pagine"; +$a->strings["Account settings"] = "Parametri account"; +$a->strings["Manage/Edit Profiles"] = "Gestisci/Modifica i profili"; +$a->strings["Manage/edit friends and contacts"] = "Gestisci/modifica amici e contatti"; +$a->strings["Site setup and configuration"] = "Configurazione del sito"; +$a->strings["Navigation"] = "Navigazione"; +$a->strings["Site map"] = "Mappa del sito"; +$a->strings["User not found."] = "Utente non trovato."; +$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["There is no status with this id."] = "Non c'è nessuno status con questo id."; +$a->strings["There is no conversation with this id."] = "Non c'è nessuna conversazione con questo id"; +$a->strings["Invalid request."] = ""; +$a->strings["Invalid item."] = ""; +$a->strings["Invalid action. "] = ""; +$a->strings["DB error"] = ""; +$a->strings["An invitation is required."] = "E' richiesto un invito."; +$a->strings["Invitation could not be verified."] = "L'invito non puo' essere verificato."; +$a->strings["Invalid OpenID url"] = "Url OpenID non valido"; +$a->strings["Please enter the required information."] = "Inserisci le informazioni richieste."; +$a->strings["Please use a shorter name."] = "Usa un nome più corto."; +$a->strings["Name too short."] = "Il nome è troppo corto."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Questo non sembra essere il tuo nome completo (Nome Cognome)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Il dominio della tua email non è tra quelli autorizzati su questo sito."; +$a->strings["Not a valid email address."] = "L'indirizzo email non è valido."; +$a->strings["Cannot use that email."] = "Non puoi usare quell'email."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera."; +$a->strings["Nickname is already registered. Please choose another."] = "Nome utente già registrato. Scegline un altro."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita."; +$a->strings["An error occurred during registration. Please try again."] = "C'è stato un errore durante la registrazione. Prova ancora."; +$a->strings["An error occurred creating your default profile. Please try again."] = "C'è stato un errore nella creazione del tuo profilo. Prova ancora."; +$a->strings["Friends"] = "Amici"; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nGentile %1\$s,\nGrazie per esserti registrato su %2\$s. Il tuo account è stato creato."; +$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["Sharing notification from Diaspora network"] = "Notifica di condivisione dal network Diaspora*"; $a->strings["Attachments:"] = "Allegati:"; -$a->strings["Connect URL missing."] = "URL di connessione mancante."; -$a->strings["This site is not configured to allow communications with other networks."] = "Questo sito non è configurato per permettere la comunicazione con altri network."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Non sono stati trovati protocolli di comunicazione o feed compatibili."; -$a->strings["The profile address specified does not provide adequate information."] = "L'indirizzo del profilo specificato non fornisce adeguate informazioni."; -$a->strings["An author or name was not found."] = "Non è stato trovato un nome o un autore"; -$a->strings["No browser URL could be matched to this address."] = "Nessun URL puo' essere associato a questo indirizzo."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email."; -$a->strings["Use mailto: in front of address to force email check."] = "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te."; -$a->strings["Unable to retrieve contact information."] = "Impossibile recuperare informazioni sul contatto."; -$a->strings["following"] = "segue"; -$a->strings["Welcome "] = "Ciao"; -$a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; -$a->strings["Welcome back "] = "Ciao "; -$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."] = "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla."; +$a->strings["Do you really want to delete this item?"] = "Vuoi veramente cancellare questo elemento?"; +$a->strings["Archives"] = "Archivi"; $a->strings["Male"] = "Maschio"; $a->strings["Female"] = "Femmina"; $a->strings["Currently Male"] = "Al momento maschio"; @@ -1508,7 +1664,6 @@ $a->strings["Infatuated"] = "infatuato/a"; $a->strings["Dating"] = "Disponibile a un incontro"; $a->strings["Unfaithful"] = "Infedele"; $a->strings["Sex Addict"] = "Sesso-dipendente"; -$a->strings["Friends"] = "Amici"; $a->strings["Friends/Benefits"] = "Amici con benefici"; $a->strings["Casual"] = "Casual"; $a->strings["Engaged"] = "Impegnato"; @@ -1530,121 +1685,6 @@ $a->strings["Uncertain"] = "Incerto"; $a->strings["It's complicated"] = "E' complicato"; $a->strings["Don't care"] = "Non interessa"; $a->strings["Ask me"] = "Chiedimelo"; -$a->strings["Error decoding account file"] = "Errore decodificando il file account"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?"; -$a->strings["Error! Cannot check nickname"] = "Errore! Non posso controllare il nickname"; -$a->strings["User '%s' already exists on this server!"] = "L'utente '%s' esiste già su questo server!"; -$a->strings["User creation error"] = "Errore creando l'utente"; -$a->strings["User profile creation error"] = "Errore creando il profile dell'utente"; -$a->strings["%d contact not imported"] = array( - 0 => "%d contatto non importato", - 1 => "%d contatti non importati", -); -$a->strings["Done. You can now login with your username and password"] = "Fatto. Ora puoi entrare con il tuo nome utente e la tua password"; -$a->strings["Click here to upgrade."] = "Clicca qui per aggiornare."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Questa azione eccede i limiti del tuo piano di sottoscrizione."; -$a->strings["This action is not available under your subscription plan."] = "Questa azione non è disponibile nel tuo piano di sottoscrizione."; -$a->strings["%1\$s poked %2\$s"] = "%1\$s ha stuzzicato %2\$s"; -$a->strings["post/item"] = "post/elemento"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s ha segnato il/la %3\$s di %2\$s come preferito"; -$a->strings["remove"] = "rimuovi"; -$a->strings["Delete Selected Items"] = "Cancella elementi selezionati"; -$a->strings["Follow Thread"] = "Segui la discussione"; -$a->strings["View Status"] = "Visualizza stato"; -$a->strings["View Profile"] = "Visualizza profilo"; -$a->strings["View Photos"] = "Visualizza foto"; -$a->strings["Network Posts"] = "Post della Rete"; -$a->strings["Edit Contact"] = "Modifica contatti"; -$a->strings["Send PM"] = "Invia messaggio privato"; -$a->strings["Poke"] = "Stuzzica"; -$a->strings["%s likes this."] = "Piace a %s."; -$a->strings["%s doesn't like this."] = "Non piace a %s."; -$a->strings["%2\$d people like this"] = "Piace a %2\$d persone."; -$a->strings["%2\$d people don't like this"] = "Non piace a %2\$d persone."; -$a->strings["and"] = "e"; -$a->strings[", and %d other people"] = "e altre %d persone"; -$a->strings["%s like this."] = "Piace a %s."; -$a->strings["%s don't like this."] = "Non piace a %s."; -$a->strings["Visible to everybody"] = "Visibile a tutti"; -$a->strings["Please enter a video link/URL:"] = "Inserisci un collegamento video / URL:"; -$a->strings["Please enter an audio link/URL:"] = "Inserisci un collegamento audio / URL:"; -$a->strings["Tag term:"] = "Tag:"; -$a->strings["Where are you right now?"] = "Dove sei ora?"; -$a->strings["Delete item(s)?"] = "Cancellare questo elemento/i?"; -$a->strings["Post to Email"] = "Invia a email"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connettore disabilitato, dato che \"%s\" è abilitato."; -$a->strings["permissions"] = "permessi"; -$a->strings["Post to Groups"] = "Invia ai Gruppi"; -$a->strings["Post to Contacts"] = "Invia ai Contatti"; -$a->strings["Private post"] = "Post privato"; -$a->strings["Add New Contact"] = "Aggiungi nuovo contatto"; -$a->strings["Enter address or web location"] = "Inserisci posizione o indirizzo web"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esempio: bob@example.com, http://example.com/barbara"; -$a->strings["%d invitation available"] = array( - 0 => "%d invito disponibile", - 1 => "%d inviti disponibili", -); -$a->strings["Find People"] = "Trova persone"; -$a->strings["Enter name or interest"] = "Inserisci un nome o un interesse"; -$a->strings["Connect/Follow"] = "Connetti/segui"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esempi: Mario Rossi, Pesca"; -$a->strings["Random Profile"] = "Profilo causale"; -$a->strings["Networks"] = "Reti"; -$a->strings["All Networks"] = "Tutte le Reti"; -$a->strings["Everything"] = "Tutto"; -$a->strings["Categories"] = "Categorie"; -$a->strings["End this session"] = "Finisci questa sessione"; -$a->strings["Your videos"] = "I tuoi video"; -$a->strings["Your personal notes"] = "Le tue note personali"; -$a->strings["Sign in"] = "Entra"; -$a->strings["Home Page"] = "Home Page"; -$a->strings["Create an account"] = "Crea un account"; -$a->strings["Help and documentation"] = "Guida e documentazione"; -$a->strings["Apps"] = "Applicazioni"; -$a->strings["Addon applications, utilities, games"] = "Applicazioni, utilità e giochi aggiuntivi"; -$a->strings["Search site content"] = "Cerca nel contenuto del sito"; -$a->strings["Conversations on this site"] = "Conversazioni su questo sito"; -$a->strings["Directory"] = "Elenco"; -$a->strings["People directory"] = "Elenco delle persone"; -$a->strings["Information"] = "Informazioni"; -$a->strings["Information about this friendica instance"] = "Informazioni su questo server friendica"; -$a->strings["Conversations from your friends"] = "Conversazioni dai tuoi amici"; -$a->strings["Network Reset"] = "Reset pagina Rete"; -$a->strings["Load Network page with no filters"] = "Carica la pagina Rete senza nessun filtro"; -$a->strings["Friend Requests"] = "Richieste di amicizia"; -$a->strings["See all notifications"] = "Vedi tutte le notifiche"; -$a->strings["Mark all system notifications seen"] = "Segna tutte le notifiche come viste"; -$a->strings["Private mail"] = "Posta privata"; -$a->strings["Inbox"] = "In arrivo"; -$a->strings["Outbox"] = "Inviati"; -$a->strings["Manage"] = "Gestisci"; -$a->strings["Manage other pages"] = "Gestisci altre pagine"; -$a->strings["Account settings"] = "Parametri account"; -$a->strings["Manage/Edit Profiles"] = "Gestisci/Modifica i profili"; -$a->strings["Manage/edit friends and contacts"] = "Gestisci/modifica amici e contatti"; -$a->strings["Site setup and configuration"] = "Configurazione del sito"; -$a->strings["Navigation"] = "Navigazione"; -$a->strings["Site map"] = "Mappa del sito"; -$a->strings["Unknown | Not categorised"] = "Sconosciuto | non categorizzato"; -$a->strings["Block immediately"] = "Blocca immediatamente"; -$a->strings["Shady, spammer, self-marketer"] = "Shady, spammer, self-marketer"; -$a->strings["Known to me, but no opinion"] = "Lo conosco, ma non ho un'opinione particolare"; -$a->strings["OK, probably harmless"] = "E' ok, probabilmente innocuo"; -$a->strings["Reputable, has my trust"] = "Rispettabile, ha la mia fiducia"; -$a->strings["Weekly"] = "Settimanalmente"; -$a->strings["Monthly"] = "Mensilmente"; -$a->strings["OStatus"] = "Ostatus"; -$a->strings["RSS/Atom"] = "RSS / Atom"; -$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"] = "Connettore Diaspora"; -$a->strings["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = "App.net"; $a->strings["Friendica Notification"] = "Notifica Friendica"; $a->strings["Thank You,"] = "Grazie,"; $a->strings["%s Administrator"] = "Amministratore %s"; @@ -1702,61 +1742,56 @@ $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "H $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Hai ricevuto una [url=%1\$s]richiesta di registrazione[/url] da %2\$s."; $a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Nome completo: %1\$s\nIndirizzo del sito: %2\$s\nNome utente: %3\$s (%4\$s)"; $a->strings["Please visit %s to approve or reject the request."] = "Visita %s per approvare o rifiutare la richiesta."; -$a->strings["An invitation is required."] = "E' richiesto un invito."; -$a->strings["Invitation could not be verified."] = "L'invito non puo' essere verificato."; -$a->strings["Invalid OpenID url"] = "Url OpenID non valido"; -$a->strings["Please enter the required information."] = "Inserisci le informazioni richieste."; -$a->strings["Please use a shorter name."] = "Usa un nome più corto."; -$a->strings["Name too short."] = "Il nome è troppo corto."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Questo non sembra essere il tuo nome completo (Nome Cognome)."; -$a->strings["Your email domain is not among those allowed on this site."] = "Il dominio della tua email non è tra quelli autorizzati su questo sito."; -$a->strings["Not a valid email address."] = "L'indirizzo email non è valido."; -$a->strings["Cannot use that email."] = "Non puoi usare quell'email."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera."; -$a->strings["Nickname is already registered. Please choose another."] = "Nome utente già registrato. Scegline un altro."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita."; -$a->strings["An error occurred during registration. Please try again."] = "C'è stato un errore durante la registrazione. Prova ancora."; -$a->strings["An error occurred creating your default profile. Please try again."] = "C'è stato un errore nella creazione del tuo profilo. Prova ancora."; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nGentile %1\$s,\nGrazie per esserti registrato su %2\$s. Il tuo account è stato creato."; -$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["Visible to everybody"] = "Visibile a tutti"; -$a->strings["Image/photo"] = "Immagine/foto"; -$a->strings["%2\$s %3\$s"] = ""; -$a->strings["%s wrote the following post"] = "%s ha scritto il seguente messaggio"; -$a->strings["$1 wrote:"] = "$1 ha scritto:"; -$a->strings["Encrypted content"] = "Contenuto criptato"; $a->strings["Embedded content"] = "Contenuto incorporato"; $a->strings["Embedding disabled"] = "Embed disabilitato"; -$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."] = "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso."; -$a->strings["Default privacy group for new contacts"] = "Gruppo predefinito per i nuovi contatti"; -$a->strings["Everybody"] = "Tutti"; -$a->strings["edit"] = "modifica"; -$a->strings["Edit group"] = "Modifica gruppo"; -$a->strings["Create a new group"] = "Crea un nuovo gruppo"; -$a->strings["Contacts not in any group"] = "Contatti in nessun gruppo."; -$a->strings["stopped following"] = "tolto dai seguiti"; -$a->strings["Drop Contact"] = "Rimuovi contatto"; -$a->strings["Miscellaneous"] = "Varie"; -$a->strings["year"] = "anno"; -$a->strings["month"] = "mese"; -$a->strings["day"] = "giorno"; -$a->strings["never"] = "mai"; -$a->strings["less than a second ago"] = "meno di un secondo fa"; -$a->strings["years"] = "anni"; -$a->strings["months"] = "mesi"; -$a->strings["week"] = "settimana"; -$a->strings["weeks"] = "settimane"; -$a->strings["days"] = "giorni"; -$a->strings["hour"] = "ora"; -$a->strings["hours"] = "ore"; -$a->strings["minute"] = "minuto"; -$a->strings["minutes"] = "minuti"; -$a->strings["second"] = "secondo"; -$a->strings["seconds"] = "secondi"; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; -$a->strings["view full size"] = "vedi a schermo intero"; -$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."] = "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido."; -$a->strings["The error message is\n[pre]%s[/pre]"] = "Il messaggio di errore è\n[pre]%s[/pre]"; -$a->strings["Errors encountered creating database tables."] = "La creazione delle tabelle del database ha generato errori."; -$a->strings["Errors encountered performing database changes."] = "Riscontrati errori applicando le modifiche al database."; +$a->strings["Error decoding account file"] = "Errore decodificando il file account"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?"; +$a->strings["Error! Cannot check nickname"] = "Errore! Non posso controllare il nickname"; +$a->strings["User '%s' already exists on this server!"] = "L'utente '%s' esiste già su questo server!"; +$a->strings["User creation error"] = "Errore creando l'utente"; +$a->strings["User profile creation error"] = "Errore creando il profile dell'utente"; +$a->strings["%d contact not imported"] = array( + 0 => "%d contatto non importato", + 1 => "%d contatti non importati", +); +$a->strings["Done. You can now login with your username and password"] = "Fatto. Ora puoi entrare con il tuo nome utente e la tua password"; +$a->strings["toggle mobile"] = "commuta tema mobile"; +$a->strings["Theme settings"] = "Impostazioni tema"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Dimensione immagini in messaggi e commenti (larghezza e altezza)"; +$a->strings["Set font-size for posts and comments"] = "Dimensione del carattere di messaggi e commenti"; +$a->strings["Set theme width"] = "Imposta la larghezza del tema"; +$a->strings["Color scheme"] = "Schema colori"; +$a->strings["Set line-height for posts and comments"] = "Altezza della linea di testo di messaggi e commenti"; +$a->strings["Set colour scheme"] = "Imposta schema colori"; +$a->strings["Alignment"] = "Allineamento"; +$a->strings["Left"] = "Sinistra"; +$a->strings["Center"] = "Centrato"; +$a->strings["Posts font size"] = "Dimensione caratteri post"; +$a->strings["Textareas font size"] = "Dimensione caratteri nelle aree di testo"; +$a->strings["Set resolution for middle column"] = "Imposta la dimensione della colonna centrale"; +$a->strings["Set color scheme"] = "Imposta lo schema dei colori"; +$a->strings["Set zoomfactor for Earth Layer"] = "Livello di zoom per Earth Layer"; +$a->strings["Set longitude (X) for Earth Layers"] = "Longitudine (X) per Earth Layers"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Latitudine (Y) per Earth Layers"; +$a->strings["Community Pages"] = "Pagine Comunitarie"; +$a->strings["Earth Layers"] = "Earth Layers"; +$a->strings["Community Profiles"] = "Profili Comunità"; +$a->strings["Help or @NewHere ?"] = "Serve aiuto? Sei nuovo?"; +$a->strings["Connect Services"] = "Servizi di conessione"; +$a->strings["Find Friends"] = "Trova Amici"; +$a->strings["Last users"] = "Ultimi utenti"; +$a->strings["Last photos"] = "Ultime foto"; +$a->strings["Last likes"] = "Ultimi \"mi piace\""; +$a->strings["Your contacts"] = "I tuoi contatti"; +$a->strings["Your personal photos"] = "Le tue foto personali"; +$a->strings["Local Directory"] = "Elenco Locale"; +$a->strings["Set zoomfactor for Earth Layers"] = "Livello di zoom per Earth Layers"; +$a->strings["Show/hide boxes at right-hand column:"] = "Mostra/Nascondi riquadri nella colonna destra"; +$a->strings["Set style"] = "Imposta stile"; +$a->strings["greenzero"] = ""; +$a->strings["purplezero"] = ""; +$a->strings["easterbunny"] = ""; +$a->strings["darkzero"] = ""; +$a->strings["comix"] = ""; +$a->strings["slackr"] = ""; +$a->strings["Variations"] = ""; From 4e4702fb8b40345940b1f48ef64ad06515b32c03 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Mon, 9 Feb 2015 19:53:35 +0100 Subject: [PATCH 177/294] CS, IT: update to the strings --- view/cs/messages.po | 10482 ++++++++++++++++++------------------ view/cs/strings.php | 2107 ++++---- view/it/messages.po | 12238 +++++++++++++++++++++--------------------- view/it/strings.php | 1961 +++---- 4 files changed, 13470 insertions(+), 13318 deletions(-) diff --git a/view/cs/messages.po b/view/cs/messages.po index 5d8a5096ea..b698b17e04 100644 --- a/view/cs/messages.po +++ b/view/cs/messages.po @@ -9,8 +9,8 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2015-02-04 11:35+0100\n" -"PO-Revision-Date: 2015-02-08 22:34+0000\n" +"POT-Creation-Date: 2015-02-09 08:57+0100\n" +"PO-Revision-Date: 2015-02-09 17:39+0000\n" "Last-Translator: Michal Šupler \n" "Language-Team: Czech (http://www.transifex.com/projects/p/friendica/language/cs/)\n" "MIME-Version: 1.0\n" @@ -19,915 +19,516 @@ msgstr "" "Language: cs\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n" -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "Tento záznam byl editován" - -#: ../../object/Item.php:116 ../../mod/content.php:620 -#: ../../mod/photos.php:1359 -msgid "Private Message" -msgstr "Soukromá zpráva" - -#: ../../object/Item.php:120 ../../mod/content.php:728 -#: ../../mod/settings.php:676 -msgid "Edit" -msgstr "Upravit" - -#: ../../object/Item.php:129 ../../mod/content.php:437 -#: ../../mod/content.php:740 ../../mod/photos.php:1653 -#: ../../include/conversation.php:613 -msgid "Select" -msgstr "Vybrat" - -#: ../../object/Item.php:130 ../../mod/admin.php:985 ../../mod/content.php:438 -#: ../../mod/content.php:741 ../../mod/contacts.php:717 -#: ../../mod/settings.php:677 ../../mod/group.php:171 -#: ../../mod/photos.php:1654 ../../include/conversation.php:614 -msgid "Delete" -msgstr "Odstranit" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "uložit do složky" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "přidat hvězdu" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "odebrat hvězdu" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "přepnout hvězdu" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "označeno hvězdou" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "ignorovat vlákno" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "přestat ignorovat vlákno" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "přepnout stav Ignorování" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "ignorován" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "přidat štítek" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -#: ../../mod/photos.php:1542 -msgid "I like this (toggle)" -msgstr "Líbí se mi to (přepínač)" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "má rád" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -#: ../../mod/photos.php:1543 -msgid "I don't like this (toggle)" -msgstr "Nelíbí se mi to (přepínač)" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "nemá rád" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "Sdílet toto" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "sdílí" - -#: ../../object/Item.php:316 ../../include/conversation.php:666 -msgid "Categories:" -msgstr "Kategorie:" - -#: ../../object/Item.php:317 ../../include/conversation.php:667 -msgid "Filed under:" -msgstr "Vyplněn pod:" - -#: ../../object/Item.php:326 ../../object/Item.php:327 -#: ../../mod/content.php:471 ../../mod/content.php:852 -#: ../../mod/content.php:853 ../../include/conversation.php:654 +#: ../../mod/contacts.php:108 #, php-format -msgid "View %s's profile @ %s" -msgstr "Zobrazit profil uživatele %s na %s" +msgid "%d contact edited." +msgid_plural "%d contacts edited" +msgstr[0] "%d kontakt upraven." +msgstr[1] "%d kontakty upraveny" +msgstr[2] "%d kontaktů upraveno" -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "pro" +#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 +msgid "Could not access contact record." +msgstr "Nelze získat přístup k záznamu kontaktu." -#: ../../object/Item.php:329 -msgid "via" -msgstr "přes" +#: ../../mod/contacts.php:153 +msgid "Could not locate selected profile." +msgstr "Nelze nalézt vybraný profil." -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "Zeď-na-Zeď" +#: ../../mod/contacts.php:186 +msgid "Contact updated." +msgstr "Kontakt aktualizován." -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "přes Zeď-na-Zeď " +#: ../../mod/contacts.php:188 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." +msgstr "Nepodařilo se aktualizovat kontakt." -#: ../../object/Item.php:340 ../../mod/content.php:481 -#: ../../mod/content.php:864 ../../include/conversation.php:674 -#, php-format -msgid "%s from %s" -msgstr "%s od %s" - -#: ../../object/Item.php:361 ../../object/Item.php:677 ../../boot.php:745 -#: ../../mod/content.php:709 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -msgid "Comment" -msgstr "Okomentovat" - -#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/content.php:499 -#: ../../mod/content.php:883 ../../mod/message.php:334 -#: ../../mod/message.php:565 ../../mod/photos.php:1545 -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -msgid "Please wait" -msgstr "Čekejte prosím" - -#: ../../object/Item.php:387 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d komentář" -msgstr[1] "%d komentářů" -msgstr[2] "%d komentářů" - -#: ../../object/Item.php:389 ../../object/Item.php:402 -#: ../../mod/content.php:605 ../../include/text.php:1972 -msgid "comment" -msgid_plural "comments" -msgstr[0] "" -msgstr[1] "" -msgstr[2] "komentář" - -#: ../../object/Item.php:390 ../../boot.php:746 ../../mod/content.php:606 -#: ../../include/contact_widgets.php:205 -msgid "show more" -msgstr "zobrazit více" - -#: ../../object/Item.php:675 ../../mod/content.php:707 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 -msgid "This is you" -msgstr "Nastavte Vaši polohu" - -#: ../../object/Item.php:678 ../../view/theme/perihel/config.php:95 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/diabook/config.php:148 -#: ../../view/theme/quattro/config.php:64 -#: ../../view/theme/zero-childs/cleanzero/config.php:80 -#: ../../view/theme/dispy/config.php:70 ../../view/theme/clean/config.php:82 -#: ../../view/theme/duepuntozero/config.php:59 -#: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:53 -#: ../../view/theme/vier-mobil/config.php:47 ../../mod/mood.php:137 -#: ../../mod/install.php:248 ../../mod/install.php:286 -#: ../../mod/crepair.php:186 ../../mod/content.php:710 -#: ../../mod/contacts.php:475 ../../mod/profiles.php:671 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/localtime.php:45 ../../mod/photos.php:1084 -#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 -#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 -#: ../../mod/photos.php:1697 ../../mod/poke.php:199 ../../mod/events.php:478 -#: ../../mod/fsuggest.php:107 ../../mod/invite.php:140 -#: ../../mod/manage.php:110 -msgid "Submit" -msgstr "Odeslat" - -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" -msgstr "Tučné" - -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "Kurzíva" - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "Podrtžené" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "Citovat" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "Kód" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "Obrázek" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "Odkaz" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "Video" - -#: ../../object/Item.php:687 ../../mod/editpost.php:145 -#: ../../mod/content.php:719 ../../mod/photos.php:1566 -#: ../../mod/photos.php:1610 ../../mod/photos.php:1698 -#: ../../include/conversation.php:1126 -msgid "Preview" -msgstr "Náhled" - -#: ../../index.php:212 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "Musíte být přihlášeni pro použití rozšíření." - -#: ../../index.php:256 ../../mod/help.php:90 -msgid "Not Found" -msgstr "Nenalezen" - -#: ../../index.php:259 ../../mod/help.php:93 -msgid "Page not found." -msgstr "Stránka nenalezena" - -#: ../../index.php:368 ../../mod/group.php:72 ../../mod/profperm.php:19 -msgid "Permission denied" -msgstr "Nedostatečné oprávnění" - -#: ../../index.php:369 ../../mod/mood.php:114 ../../mod/display.php:499 -#: ../../mod/register.php:42 ../../mod/dfrn_confirm.php:55 -#: ../../mod/api.php:26 ../../mod/api.php:31 ../../mod/wallmessage.php:9 -#: ../../mod/wallmessage.php:33 ../../mod/wallmessage.php:79 -#: ../../mod/wallmessage.php:103 ../../mod/suggest.php:58 -#: ../../mod/network.php:4 ../../mod/install.php:151 ../../mod/editpost.php:10 -#: ../../mod/attach.php:33 ../../mod/regmod.php:110 ../../mod/crepair.php:119 -#: ../../mod/uimport.php:23 ../../mod/notes.php:20 ../../mod/contacts.php:254 -#: ../../mod/settings.php:102 ../../mod/settings.php:596 -#: ../../mod/settings.php:601 ../../mod/profiles.php:165 -#: ../../mod/profiles.php:603 ../../mod/group.php:19 ../../mod/follow.php:9 -#: ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/viewcontacts.php:24 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/wall_attach.php:55 -#: ../../mod/poke.php:135 ../../mod/wall_upload.php:66 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/events.php:140 ../../mod/delegate.php:12 ../../mod/nogroup.php:25 -#: ../../mod/fsuggest.php:78 ../../mod/item.php:168 ../../mod/item.php:184 -#: ../../mod/notifications.php:66 ../../mod/invite.php:15 -#: ../../mod/invite.php:101 ../../mod/manage.php:96 ../../mod/allfriends.php:9 -#: ../../include/items.php:4696 +#: ../../mod/contacts.php:254 ../../mod/manage.php:96 +#: ../../mod/display.php:499 ../../mod/profile_photo.php:19 +#: ../../mod/profile_photo.php:169 ../../mod/profile_photo.php:180 +#: ../../mod/profile_photo.php:193 ../../mod/follow.php:9 +#: ../../mod/item.php:168 ../../mod/item.php:184 ../../mod/group.php:19 +#: ../../mod/dfrn_confirm.php:55 ../../mod/fsuggest.php:78 +#: ../../mod/wall_upload.php:66 ../../mod/viewcontacts.php:24 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/crepair.php:119 +#: ../../mod/nogroup.php:25 ../../mod/network.php:4 ../../mod/allfriends.php:9 +#: ../../mod/events.php:140 ../../mod/install.php:151 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/wall_attach.php:55 ../../mod/settings.php:102 +#: ../../mod/settings.php:596 ../../mod/settings.php:601 +#: ../../mod/register.php:42 ../../mod/delegate.php:12 ../../mod/mood.php:114 +#: ../../mod/suggest.php:58 ../../mod/profiles.php:165 +#: ../../mod/profiles.php:618 ../../mod/editpost.php:10 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/regmod.php:110 ../../mod/uimport.php:23 +#: ../../mod/attach.php:33 ../../include/items.php:4712 ../../index.php:369 msgid "Permission denied." msgstr "Přístup odmítnut." -#: ../../index.php:428 -msgid "toggle mobile" -msgstr "přepnout mobil" +#: ../../mod/contacts.php:287 +msgid "Contact has been blocked" +msgstr "Kontakt byl zablokován" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../mod/notifications.php:93 -#: ../../include/nav.php:105 ../../include/nav.php:146 -msgid "Home" -msgstr "Domů" +#: ../../mod/contacts.php:287 +msgid "Contact has been unblocked" +msgstr "Kontakt byl odblokován" -#: ../../view/theme/perihel/theme.php:33 -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "Vaše příspěvky a konverzace" +#: ../../mod/contacts.php:298 +msgid "Contact has been ignored" +msgstr "Kontakt bude ignorován" -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2114 -#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../include/nav.php:77 ../../include/profile_advanced.php:7 -#: ../../include/profile_advanced.php:87 -msgid "Profile" -msgstr "Profil" +#: ../../mod/contacts.php:298 +msgid "Contact has been unignored" +msgstr "Kontakt přestal být ignorován" -#: ../../view/theme/perihel/theme.php:34 -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "Vaše profilová stránka" +#: ../../mod/contacts.php:310 +msgid "Contact has been archived" +msgstr "Kontakt byl archivován" -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2121 -#: ../../mod/fbrowser.php:25 ../../include/nav.php:78 -msgid "Photos" -msgstr "Fotografie" +#: ../../mod/contacts.php:310 +msgid "Contact has been unarchived" +msgstr "Kontakt byl vrácen z archívu." -#: ../../view/theme/perihel/theme.php:35 -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Vaše fotky" +#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 +msgid "Do you really want to delete this contact?" +msgstr "Opravdu chcete smazat tento kontakt?" -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2138 -#: ../../mod/events.php:370 ../../include/nav.php:80 -msgid "Events" -msgstr "Události" +#: ../../mod/contacts.php:337 ../../mod/message.php:209 +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:233 ../../mod/suggest.php:29 +#: ../../mod/profiles.php:661 ../../mod/profiles.php:664 ../../mod/api.php:105 +#: ../../include/items.php:4557 +msgid "Yes" +msgstr "Ano" -#: ../../view/theme/perihel/theme.php:36 -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "Vaše události" +#: ../../mod/contacts.php:340 ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 +#: ../../mod/message.php:212 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/settings.php:615 +#: ../../mod/settings.php:641 ../../mod/dfrn_request.php:844 +#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 +#: ../../include/conversation.php:1129 ../../include/items.php:4560 +msgid "Cancel" +msgstr "Zrušit" -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" -msgstr "Osobní poznámky" +#: ../../mod/contacts.php:352 +msgid "Contact has been removed." +msgstr "Kontakt byl odstraněn." -#: ../../view/theme/perihel/theme.php:37 -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Vaše osobní fotky" +#: ../../mod/contacts.php:390 +#, php-format +msgid "You are mutual friends with %s" +msgstr "Jste vzájemní přátelé s uživatelem %s" -#: ../../view/theme/perihel/theme.php:38 -#: ../../view/theme/diabook/theme.php:129 ../../mod/community.php:32 -#: ../../include/nav.php:129 -msgid "Community" -msgstr "Komunita" +#: ../../mod/contacts.php:394 +#, php-format +msgid "You are sharing with %s" +msgstr "Sdílíte s uživatelem %s" -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:335 -msgid "don't show" -msgstr "nikdy nezobrazit" +#: ../../mod/contacts.php:399 +#, php-format +msgid "%s is sharing with you" +msgstr "uživatel %s sdílí s vámi" -#: ../../view/theme/perihel/config.php:89 -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:334 -msgid "show" -msgstr "zobrazit" +#: ../../mod/contacts.php:416 +msgid "Private communications are not available for this contact." +msgstr "Soukromá komunikace není dostupná pro tento kontakt." -#: ../../view/theme/perihel/config.php:97 -#: ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 -#: ../../view/theme/zero-childs/cleanzero/config.php:82 -#: ../../view/theme/dispy/config.php:72 ../../view/theme/clean/config.php:84 -#: ../../view/theme/duepuntozero/config.php:61 -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:55 -#: ../../view/theme/vier-mobil/config.php:49 -msgid "Theme settings" -msgstr "Nastavení téma" +#: ../../mod/contacts.php:419 ../../mod/admin.php:569 +msgid "Never" +msgstr "Nikdy" -#: ../../view/theme/perihel/config.php:98 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/zero-childs/cleanzero/config.php:84 -#: ../../view/theme/dispy/config.php:73 -#: ../../view/theme/cleanzero/config.php:84 -msgid "Set font-size for posts and comments" -msgstr "Nastav velikost písma pro přízpěvky a komentáře." +#: ../../mod/contacts.php:423 +msgid "(Update was successful)" +msgstr "(Aktualizace byla úspěšná)" -#: ../../view/theme/perihel/config.php:99 -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Nastav výšku řádku pro přízpěvky a komentáře." +#: ../../mod/contacts.php:423 +msgid "(Update was not successful)" +msgstr "(Aktualizace nebyla úspěšná)" -#: ../../view/theme/perihel/config.php:100 -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "Nastav rozlišení pro prostřední sloupec" +#: ../../mod/contacts.php:425 +msgid "Suggest friends" +msgstr "Navrhněte přátelé" -#: ../../view/theme/diabook/theme.php:125 ../../mod/contacts.php:702 -#: ../../include/nav.php:175 +#: ../../mod/contacts.php:429 +#, php-format +msgid "Network type: %s" +msgstr "Typ sítě: %s" + +#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 +#, php-format +msgid "%d contact in common" +msgid_plural "%d contacts in common" +msgstr[0] "%d sdílený kontakt" +msgstr[1] "%d sdílených kontaktů" +msgstr[2] "%d sdílených kontaktů" + +#: ../../mod/contacts.php:437 +msgid "View all contacts" +msgstr "Zobrazit všechny kontakty" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1009 +msgid "Unblock" +msgstr "Odblokovat" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1008 +msgid "Block" +msgstr "Blokovat" + +#: ../../mod/contacts.php:445 +msgid "Toggle Blocked status" +msgstr "Přepnout stav Blokováno" + +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 +msgid "Unignore" +msgstr "Přestat ignorovat" + +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 +#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 +msgid "Ignore" +msgstr "Ignorovat" + +#: ../../mod/contacts.php:451 +msgid "Toggle Ignored status" +msgstr "Přepnout stav Ignorováno" + +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Unarchive" +msgstr "Vrátit z archívu" + +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Archive" +msgstr "Archivovat" + +#: ../../mod/contacts.php:458 +msgid "Toggle Archive status" +msgstr "Přepnout stav Archivováno" + +#: ../../mod/contacts.php:461 +msgid "Repair" +msgstr "Opravit" + +#: ../../mod/contacts.php:464 +msgid "Advanced Contact Settings" +msgstr "Pokročilé nastavení kontaktu" + +#: ../../mod/contacts.php:470 +msgid "Communications lost with this contact!" +msgstr "Komunikace s tímto kontaktem byla ztracena!" + +#: ../../mod/contacts.php:473 +msgid "Contact Editor" +msgstr "Editor kontaktu" + +#: ../../mod/contacts.php:475 ../../mod/manage.php:110 +#: ../../mod/fsuggest.php:107 ../../mod/message.php:335 +#: ../../mod/message.php:564 ../../mod/crepair.php:186 +#: ../../mod/events.php:478 ../../mod/content.php:710 +#: ../../mod/install.php:248 ../../mod/install.php:286 ../../mod/mood.php:137 +#: ../../mod/profiles.php:686 ../../mod/localtime.php:45 +#: ../../mod/poke.php:199 ../../mod/invite.php:140 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 +#: ../../mod/photos.php:1697 ../../object/Item.php:678 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/dispy/config.php:70 ../../view/theme/quattro/config.php:64 +#: ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 ../../view/theme/vier/config.php:53 +#: ../../view/theme/duepuntozero/config.php:59 +msgid "Submit" +msgstr "Odeslat" + +#: ../../mod/contacts.php:476 +msgid "Profile Visibility" +msgstr "Viditelnost profilu" + +#: ../../mod/contacts.php:477 +#, php-format +msgid "" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "Vyberte prosím profil, který chcete zobrazit %s při zabezpečeném prohlížení vašeho profilu." + +#: ../../mod/contacts.php:478 +msgid "Contact Information / Notes" +msgstr "Kontaktní informace / poznámky" + +#: ../../mod/contacts.php:479 +msgid "Edit contact notes" +msgstr "Editovat poznámky kontaktu" + +#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 +#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Navštivte profil uživatele %s [%s]" + +#: ../../mod/contacts.php:485 +msgid "Block/Unblock contact" +msgstr "Blokovat / Odblokovat kontakt" + +#: ../../mod/contacts.php:486 +msgid "Ignore contact" +msgstr "Ignorovat kontakt" + +#: ../../mod/contacts.php:487 +msgid "Repair URL settings" +msgstr "Opravit nastavení adresy URL " + +#: ../../mod/contacts.php:488 +msgid "View conversations" +msgstr "Zobrazit konverzace" + +#: ../../mod/contacts.php:490 +msgid "Delete contact" +msgstr "Odstranit kontakt" + +#: ../../mod/contacts.php:494 +msgid "Last update:" +msgstr "Poslední aktualizace:" + +#: ../../mod/contacts.php:496 +msgid "Update public posts" +msgstr "Aktualizovat veřejné příspěvky" + +#: ../../mod/contacts.php:498 ../../mod/admin.php:1503 +msgid "Update now" +msgstr "Aktualizovat" + +#: ../../mod/contacts.php:505 +msgid "Currently blocked" +msgstr "V současnosti zablokováno" + +#: ../../mod/contacts.php:506 +msgid "Currently ignored" +msgstr "V současnosti ignorováno" + +#: ../../mod/contacts.php:507 +msgid "Currently archived" +msgstr "Aktuálně archivován" + +#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 +#: ../../mod/notifications.php:204 +msgid "Hide this contact from others" +msgstr "Skrýt tento kontakt před ostatními" + +#: ../../mod/contacts.php:508 +msgid "" +"Replies/likes to your public posts may still be visible" +msgstr "Odpovědi/Libí se na Vaše veřejné příspěvky mohou být stále viditelné" + +#: ../../mod/contacts.php:509 +msgid "Notification for new posts" +msgstr "Upozornění na nové příspěvky" + +#: ../../mod/contacts.php:509 +msgid "Send a notification of every new post of this contact" +msgstr "Poslat upozornění při každém novém příspěvku tohoto kontaktu" + +#: ../../mod/contacts.php:510 +msgid "Fetch further information for feeds" +msgstr "Načítat další informace pro kanál" + +#: ../../mod/contacts.php:511 +msgid "Disabled" +msgstr "Zakázáno" + +#: ../../mod/contacts.php:511 +msgid "Fetch information" +msgstr "Načítat informace" + +#: ../../mod/contacts.php:511 +msgid "Fetch information and keywords" +msgstr "Načítat informace a klíčová slova" + +#: ../../mod/contacts.php:513 +msgid "Blacklisted keywords" +msgstr "Zakázaná klíčová slova" + +#: ../../mod/contacts.php:513 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "Čárkou oddělený seznam klíčových slov, které by neměly být převáděna na hashtagy, když je zvoleno \"Načítat informace a klíčová slova\"" + +#: ../../mod/contacts.php:564 +msgid "Suggestions" +msgstr "Doporučení" + +#: ../../mod/contacts.php:567 +msgid "Suggest potential friends" +msgstr "Navrhnout potenciální přátele" + +#: ../../mod/contacts.php:570 ../../mod/group.php:194 +msgid "All Contacts" +msgstr "Všechny kontakty" + +#: ../../mod/contacts.php:573 +msgid "Show all contacts" +msgstr "Zobrazit všechny kontakty" + +#: ../../mod/contacts.php:576 +msgid "Unblocked" +msgstr "Odblokován" + +#: ../../mod/contacts.php:579 +msgid "Only show unblocked contacts" +msgstr "Zobrazit pouze neblokované kontakty" + +#: ../../mod/contacts.php:583 +msgid "Blocked" +msgstr "Blokován" + +#: ../../mod/contacts.php:586 +msgid "Only show blocked contacts" +msgstr "Zobrazit pouze blokované kontakty" + +#: ../../mod/contacts.php:590 +msgid "Ignored" +msgstr "Ignorován" + +#: ../../mod/contacts.php:593 +msgid "Only show ignored contacts" +msgstr "Zobrazit pouze ignorované kontakty" + +#: ../../mod/contacts.php:597 +msgid "Archived" +msgstr "Archivován" + +#: ../../mod/contacts.php:600 +msgid "Only show archived contacts" +msgstr "Zobrazit pouze archivované kontakty" + +#: ../../mod/contacts.php:604 +msgid "Hidden" +msgstr "Skrytý" + +#: ../../mod/contacts.php:607 +msgid "Only show hidden contacts" +msgstr "Zobrazit pouze skryté kontakty" + +#: ../../mod/contacts.php:655 +msgid "Mutual Friendship" +msgstr "Vzájemné přátelství" + +#: ../../mod/contacts.php:659 +msgid "is a fan of yours" +msgstr "je Váš fanoušek" + +#: ../../mod/contacts.php:663 +msgid "you are a fan of" +msgstr "jste fanouškem" + +#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "Editovat kontakt" + +#: ../../mod/contacts.php:702 ../../include/nav.php:177 +#: ../../view/theme/diabook/theme.php:125 msgid "Contacts" msgstr "Kontakty" -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "Vaše kontakty" +#: ../../mod/contacts.php:706 +msgid "Search your contacts" +msgstr "Prohledat Vaše kontakty" -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -#: ../../view/theme/diabook/config.php:158 -msgid "Community Pages" -msgstr "Komunitní stránky" +#: ../../mod/contacts.php:707 ../../mod/directory.php:61 +msgid "Finding: " +msgstr "Zjištění: " -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -#: ../../view/theme/diabook/config.php:160 -msgid "Community Profiles" -msgstr "Komunitní profily" +#: ../../mod/contacts.php:708 ../../mod/directory.php:63 +#: ../../include/contact_widgets.php:34 +msgid "Find" +msgstr "Najít" -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -#: ../../view/theme/diabook/config.php:164 -msgid "Last users" -msgstr "Poslední uživatelé" +#: ../../mod/contacts.php:713 ../../mod/settings.php:132 +#: ../../mod/settings.php:640 +msgid "Update" +msgstr "Aktualizace" -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -#: ../../view/theme/diabook/config.php:166 -msgid "Last likes" -msgstr "Poslední líbí/nelíbí" +#: ../../mod/contacts.php:717 ../../mod/group.php:171 ../../mod/admin.php:1007 +#: ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../mod/settings.php:677 ../../mod/photos.php:1654 +#: ../../object/Item.php:130 ../../include/conversation.php:614 +msgid "Delete" +msgstr "Odstranit" -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1966 -msgid "event" -msgstr "událost" +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Žádný profil" -#: ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../include/diaspora.php:2087 -msgid "status" -msgstr "Stav" +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Správa identit a / nebo stránek" -#: ../../view/theme/diabook/theme.php:471 ../../mod/tagger.php:62 -#: ../../mod/like.php:149 ../../mod/subthread.php:87 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1968 ../../include/diaspora.php:2087 -msgid "photo" -msgstr "fotografie" - -#: ../../view/theme/diabook/theme.php:480 ../../mod/like.php:166 -#: ../../include/conversation.php:137 ../../include/diaspora.php:2103 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s má rád %2$s' na %3$s" - -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -#: ../../view/theme/diabook/config.php:165 -msgid "Last photos" -msgstr "Poslední fotografie" - -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 -#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 -msgid "Contact Photos" -msgstr "Fotogalerie kontaktu" - -#: ../../view/theme/diabook/theme.php:500 ../../mod/photos.php:155 -#: ../../mod/photos.php:731 ../../mod/photos.php:1187 -#: ../../mod/photos.php:1210 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 ../../include/user.php:335 -#: ../../include/user.php:342 ../../include/user.php:349 -msgid "Profile Photos" -msgstr "Profilové fotografie" - -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -#: ../../view/theme/diabook/config.php:163 -msgid "Find Friends" -msgstr "Nalézt Přátele" - -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "Lokální Adresář" - -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 -msgid "Global Directory" -msgstr "Globální adresář" - -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "Podobné zájmy" - -#: ../../view/theme/diabook/theme.php:527 ../../mod/suggest.php:68 -#: ../../include/contact_widgets.php:35 -msgid "Friend Suggestions" -msgstr "Návrhy přátel" - -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "Pozvat přátele" - -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../mod/newmember.php:22 -#: ../../mod/admin.php:1082 ../../mod/admin.php:1303 ../../mod/settings.php:85 -#: ../../include/nav.php:170 -msgid "Settings" -msgstr "Nastavení" - -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -#: ../../view/theme/diabook/config.php:159 -msgid "Earth Layers" -msgstr "Earth Layers" - -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "Nastavit faktor přiblížení pro Earth Layers" - -#: ../../view/theme/diabook/theme.php:585 -#: ../../view/theme/diabook/config.php:156 -msgid "Set longitude (X) for Earth Layers" -msgstr "Nastavit zeměpistnou délku (X) pro Earth Layers" - -#: ../../view/theme/diabook/theme.php:586 -#: ../../view/theme/diabook/config.php:157 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Nastavit zeměpistnou šířku (X) pro Earth Layers" - -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -#: ../../view/theme/diabook/config.php:161 -msgid "Help or @NewHere ?" -msgstr "Pomoc nebo @ProNováčky ?" - -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -#: ../../view/theme/diabook/config.php:162 -msgid "Connect Services" -msgstr "Propojené služby" - -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "Zobrazit/skrýt boxy na pravém sloupci:" - -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Nastavení barevného schematu" - -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Nastavit přiblížení pro Earth Layer" - -#: ../../view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Zarovnání" - -#: ../../view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Vlevo" - -#: ../../view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Uprostřed" - -#: ../../view/theme/quattro/config.php:68 -#: ../../view/theme/zero-childs/cleanzero/config.php:86 -#: ../../view/theme/clean/config.php:87 -#: ../../view/theme/cleanzero/config.php:86 -msgid "Color scheme" -msgstr "Barevné schéma" - -#: ../../view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "Velikost písma u příspěvků" - -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "Velikost písma textů" - -#: ../../view/theme/zero-childs/cleanzero/config.php:83 -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Nastavit velikost fotek v přízpěvcích a komentářích (šířka a výška)" - -#: ../../view/theme/zero-childs/cleanzero/config.php:85 -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Nastavení šířku grafické šablony" - -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Nastavit barevné schéma" - -#: ../../view/theme/clean/config.php:56 -#: ../../view/theme/duepuntozero/config.php:44 ../../include/user.php:247 -#: ../../include/text.php:1702 -msgid "default" -msgstr "standardní" - -#: ../../view/theme/clean/config.php:57 -msgid "Midnight" -msgstr "půlnoc" - -#: ../../view/theme/clean/config.php:58 -msgid "Bootstrap" -msgstr "Bootstrap" - -#: ../../view/theme/clean/config.php:59 -msgid "Shades of Pink" -msgstr "Odstíny růžové" - -#: ../../view/theme/clean/config.php:60 -msgid "Lime and Orange" -msgstr "Limetka a pomeranč" - -#: ../../view/theme/clean/config.php:61 -msgid "GeoCities Retro" -msgstr "GeoCities Retro" - -#: ../../view/theme/clean/config.php:85 -msgid "Background Image" -msgstr "Obrázek pozadí" - -#: ../../view/theme/clean/config.php:85 +#: ../../mod/manage.php:107 msgid "" -"The URL to a picture (e.g. from your photo album) that should be used as " -"background image." -msgstr "URL odkaz na obrázek (např. z Vašeho foto alba), který bude použit jako obrázek na pozadí." - -#: ../../view/theme/clean/config.php:86 -msgid "Background Color" -msgstr "Barva pozadí" - -#: ../../view/theme/clean/config.php:86 -msgid "HEX value for the background color. Don't include the #" -msgstr "HEXadecimální hodnota barvy pozadí. Nevkládejte znak #" - -#: ../../view/theme/clean/config.php:88 -msgid "font size" -msgstr "velikost fondu" - -#: ../../view/theme/clean/config.php:88 -msgid "base font size for your interface" -msgstr "základní velikost fontu" - -#: ../../view/theme/duepuntozero/config.php:45 -msgid "greenzero" -msgstr "zelená nula" - -#: ../../view/theme/duepuntozero/config.php:46 -msgid "purplezero" -msgstr "fialová nula" - -#: ../../view/theme/duepuntozero/config.php:47 -msgid "easterbunny" -msgstr "velikonoční zajíček" - -#: ../../view/theme/duepuntozero/config.php:48 -msgid "darkzero" -msgstr "tmavá nula" - -#: ../../view/theme/duepuntozero/config.php:49 -msgid "comix" -msgstr "komiksová" - -#: ../../view/theme/duepuntozero/config.php:50 -msgid "slackr" -msgstr "flákač" - -#: ../../view/theme/duepuntozero/config.php:62 -msgid "Variations" -msgstr "Variace" - -#: ../../view/theme/vier/config.php:56 -#: ../../view/theme/vier-mobil/config.php:50 -msgid "Set style" -msgstr "Nastavit styl" - -#: ../../boot.php:744 -msgid "Delete this item?" -msgstr "Odstranit tuto položku?" - -#: ../../boot.php:747 -msgid "show fewer" -msgstr "zobrazit méně" - -#: ../../boot.php:1117 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "Aktualizace %s selhala. Zkontrolujte protokol chyb." - -#: ../../boot.php:1235 -msgid "Create a New Account" -msgstr "Vytvořit nový účet" - -#: ../../boot.php:1236 ../../mod/register.php:269 ../../include/nav.php:109 -msgid "Register" -msgstr "Registrovat" - -#: ../../boot.php:1260 ../../include/nav.php:73 -msgid "Logout" -msgstr "Odhlásit se" - -#: ../../boot.php:1261 ../../mod/bookmarklet.php:12 ../../include/nav.php:92 -msgid "Login" -msgstr "Přihlásit se" - -#: ../../boot.php:1263 -msgid "Nickname or Email address: " -msgstr "Přezdívka nebo e-mailová adresa:" - -#: ../../boot.php:1264 -msgid "Password: " -msgstr "Heslo: " - -#: ../../boot.php:1265 -msgid "Remember me" -msgstr "Pamatuj si mne" - -#: ../../boot.php:1268 -msgid "Or login using OpenID: " -msgstr "Nebo přihlášení pomocí OpenID: " - -#: ../../boot.php:1274 -msgid "Forgot your password?" -msgstr "Zapomněli jste své heslo?" - -#: ../../boot.php:1275 ../../mod/lostpass.php:109 -msgid "Password Reset" -msgstr "Obnovení hesla" - -#: ../../boot.php:1277 -msgid "Website Terms of Service" -msgstr "Podmínky použití serveru" - -#: ../../boot.php:1278 -msgid "terms of service" -msgstr "podmínky použití" - -#: ../../boot.php:1280 -msgid "Website Privacy Policy" -msgstr "Pravidla ochrany soukromí serveru" - -#: ../../boot.php:1281 -msgid "privacy policy" -msgstr "Ochrana soukromí" - -#: ../../boot.php:1414 -msgid "Requested account is not available." -msgstr "Požadovaný účet není dostupný." - -#: ../../boot.php:1453 ../../mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "Požadovaný profil není k dispozici." - -#: ../../boot.php:1496 ../../boot.php:1630 -#: ../../include/profile_advanced.php:84 -msgid "Edit profile" -msgstr "Upravit profil" - -#: ../../boot.php:1563 ../../mod/suggest.php:90 ../../mod/match.php:58 -#: ../../include/contact_widgets.php:10 -msgid "Connect" -msgstr "Spojit" - -#: ../../boot.php:1595 -msgid "Message" -msgstr "Zpráva" - -#: ../../boot.php:1601 ../../include/nav.php:173 -msgid "Profiles" -msgstr "Profily" - -#: ../../boot.php:1601 -msgid "Manage/edit profiles" -msgstr "Spravovat/upravit profily" - -#: ../../boot.php:1606 ../../boot.php:1632 ../../mod/profiles.php:789 -msgid "Change profile photo" -msgstr "Změnit profilovou fotografii" - -#: ../../boot.php:1607 ../../mod/profiles.php:790 -msgid "Create New Profile" -msgstr "Vytvořit nový profil" - -#: ../../boot.php:1617 ../../mod/profiles.php:801 -msgid "Profile Image" -msgstr "Profilový obrázek" - -#: ../../boot.php:1620 ../../mod/profiles.php:803 -msgid "visible to everybody" -msgstr "viditelné pro všechny" - -#: ../../boot.php:1621 ../../mod/profiles.php:804 -msgid "Edit visibility" -msgstr "Upravit viditelnost" - -#: ../../boot.php:1643 ../../mod/directory.php:136 ../../mod/events.php:471 -#: ../../include/event.php:40 ../../include/bb2diaspora.php:170 -msgid "Location:" -msgstr "Místo:" - -#: ../../boot.php:1645 ../../mod/directory.php:138 -#: ../../include/profile_advanced.php:17 -msgid "Gender:" -msgstr "Pohlaví:" - -#: ../../boot.php:1648 ../../mod/directory.php:140 -#: ../../include/profile_advanced.php:37 -msgid "Status:" -msgstr "Status:" - -#: ../../boot.php:1650 ../../mod/directory.php:142 -#: ../../include/profile_advanced.php:48 -msgid "Homepage:" -msgstr "Domácí stránka:" - -#: ../../boot.php:1652 ../../mod/directory.php:144 -#: ../../include/profile_advanced.php:58 -msgid "About:" -msgstr "O mě:" - -#: ../../boot.php:1701 -msgid "Network:" -msgstr "Síť:" - -#: ../../boot.php:1731 ../../boot.php:1817 -msgid "g A l F d" -msgstr "g A l F d" - -#: ../../boot.php:1732 ../../boot.php:1818 -msgid "F d" -msgstr "d. F" - -#: ../../boot.php:1777 ../../boot.php:1858 -msgid "[today]" -msgstr "[Dnes]" - -#: ../../boot.php:1789 -msgid "Birthday Reminders" -msgstr "Připomínka narozenin" - -#: ../../boot.php:1790 -msgid "Birthdays this week:" -msgstr "Narozeniny tento týden:" - -#: ../../boot.php:1851 -msgid "[No description]" -msgstr "[Žádný popis]" - -#: ../../boot.php:1869 -msgid "Event Reminders" -msgstr "Připomenutí událostí" - -#: ../../boot.php:1870 -msgid "Events this week:" -msgstr "Události tohoto týdne:" - -#: ../../boot.php:2107 ../../include/nav.php:76 -msgid "Status" -msgstr "Stav" - -#: ../../boot.php:2110 -msgid "Status Messages and Posts" -msgstr "Statusové zprávy a příspěvky " - -#: ../../boot.php:2117 -msgid "Profile Details" -msgstr "Detaily profilu" - -#: ../../boot.php:2124 ../../mod/photos.php:52 -msgid "Photo Albums" -msgstr "Fotoalba" - -#: ../../boot.php:2128 ../../boot.php:2131 ../../include/nav.php:79 -msgid "Videos" -msgstr "Videa" - -#: ../../boot.php:2141 -msgid "Events and Calendar" -msgstr "Události a kalendář" - -#: ../../boot.php:2145 ../../mod/notes.php:44 -msgid "Personal Notes" -msgstr "Osobní poznámky" - -#: ../../boot.php:2148 -msgid "Only You Can See This" -msgstr "Toto můžete vidět jen Vy" - -#: ../../mod/mood.php:62 ../../include/conversation.php:227 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "%1$s je právě %2$s" - -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "Nálada" - -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "Nastavte svou aktuální náladu a řekněte to Vašim přátelům" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Přepnutí mezi různými identitami nebo komunitními/skupinovými stránkami, které sdílí Vaše detaily účtu, nebo kterým jste přidělili oprávnění nastavovat přístupová práva." + +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Vyberte identitu pro správu: " + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Příspěvek úspěšně odeslán" + +#: ../../mod/profperm.php:19 ../../mod/group.php:72 ../../index.php:368 +msgid "Permission denied" +msgstr "Nedostatečné oprávnění" + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Neplatný identifikátor profilu." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Editor viditelnosti profilu " + +#: ../../mod/profperm.php:103 ../../mod/newmember.php:32 ../../boot.php:2119 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Profile" +msgstr "Profil" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "Klikněte na kontakt pro přidání nebo odebrání" + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Viditelný pro" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Všechny kontakty (se zabezpečeným přístupovým profilem )" #: ../../mod/display.php:82 ../../mod/display.php:284 -#: ../../mod/display.php:503 ../../mod/decrypt.php:15 ../../mod/admin.php:169 -#: ../../mod/admin.php:1030 ../../mod/admin.php:1243 ../../mod/notice.php:15 -#: ../../mod/viewsrc.php:15 ../../include/items.php:4500 +#: ../../mod/display.php:503 ../../mod/viewsrc.php:15 ../../mod/admin.php:169 +#: ../../mod/admin.php:1052 ../../mod/admin.php:1265 ../../mod/notice.php:15 +#: ../../include/items.php:4516 msgid "Item not found." msgstr "Položka nenalezena." -#: ../../mod/display.php:212 ../../mod/_search.php:89 -#: ../../mod/directory.php:33 ../../mod/search.php:89 -#: ../../mod/dfrn_request.php:762 ../../mod/community.php:18 -#: ../../mod/viewcontacts.php:19 ../../mod/photos.php:920 -#: ../../mod/videos.php:115 +#: ../../mod/display.php:212 ../../mod/videos.php:115 +#: ../../mod/viewcontacts.php:19 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:762 ../../mod/search.php:89 +#: ../../mod/directory.php:33 ../../mod/photos.php:920 msgid "Public access denied." msgstr "Veřejný přístup odepřen." @@ -939,474 +540,6 @@ msgstr "Přístup na tento profil byl omezen." msgid "Item has been removed." msgstr "Položka byla odstraněna." -#: ../../mod/decrypt.php:9 ../../mod/viewsrc.php:7 -msgid "Access denied." -msgstr "Přístup odmítnut" - -#: ../../mod/bookmarklet.php:41 -msgid "The post was created" -msgstr "Příspěvek byl vytvořen" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Toto je Friendica, verze" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "běžící na webu" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Pro získání dalších informací o projektu Friendica navštivte prosím Friendica.com." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Pro hlášení chyb a námětů na změny navštivte:" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Návrhy, chválu, dary, apod. - prosím piště na \"info\" na Friendica - tečka com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "Instalované pluginy/doplňky/aplikace:" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "Nejsou žádné nainstalované doplňky/aplikace" - -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%1$s vítá %2$s" - -#: ../../mod/register.php:90 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrace úspěšná. Zkontrolujte prosím svůj e-mail pro další instrukce." - -#: ../../mod/register.php:96 -#, php-format -msgid "" -"Failed to send email message. Here your accout details:
    login: %s
    " -"password: %s

    You can change your password after login." -msgstr "Nepovedlo se odeslat emailovou zprávu. Zde jsou detaily Vašeho účtu:
    login: %s
    heslo: %s

    Své heslo můžete změnit po přihlášení." - -#: ../../mod/register.php:105 -msgid "Your registration can not be processed." -msgstr "Vaši registraci nelze zpracovat." - -#: ../../mod/register.php:148 -msgid "Your registration is pending approval by the site owner." -msgstr "Vaše registrace čeká na schválení vlastníkem serveru." - -#: ../../mod/register.php:186 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Došlo k překročení maximálního povoleného počtu registrací za den na tomto serveru. Zkuste to zítra znovu." - -#: ../../mod/register.php:214 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Tento formulář můžete (volitelně) vyplnit s pomocí OpenID tím, že vyplníte své OpenID a kliknutete na tlačítko 'Zaregistrovat'." - -#: ../../mod/register.php:215 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Pokud nepoužíváte OpenID, nechte prosím toto pole prázdné a vyplňte zbylé položky." - -#: ../../mod/register.php:216 -msgid "Your OpenID (optional): " -msgstr "Vaše OpenID (nepovinné): " - -#: ../../mod/register.php:230 -msgid "Include your profile in member directory?" -msgstr "Toto je Váš veřejný profil.
    Ten může být viditelný kýmkoliv na internetu." - -#: ../../mod/register.php:233 ../../mod/api.php:105 ../../mod/suggest.php:29 -#: ../../mod/dfrn_request.php:830 ../../mod/contacts.php:337 -#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 -#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 -#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 -#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 -#: ../../mod/settings.php:1085 ../../mod/profiles.php:646 -#: ../../mod/profiles.php:649 ../../mod/message.php:209 -#: ../../include/items.php:4541 -msgid "Yes" -msgstr "Ano" - -#: ../../mod/register.php:234 ../../mod/api.php:106 -#: ../../mod/dfrn_request.php:830 ../../mod/settings.php:1010 -#: ../../mod/settings.php:1016 ../../mod/settings.php:1024 -#: ../../mod/settings.php:1028 ../../mod/settings.php:1033 -#: ../../mod/settings.php:1039 ../../mod/settings.php:1045 -#: ../../mod/settings.php:1051 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/settings.php:1083 -#: ../../mod/settings.php:1084 ../../mod/settings.php:1085 -#: ../../mod/profiles.php:646 ../../mod/profiles.php:650 -msgid "No" -msgstr "Ne" - -#: ../../mod/register.php:251 -msgid "Membership on this site is by invitation only." -msgstr "Členství na tomto webu je pouze na pozvání." - -#: ../../mod/register.php:252 -msgid "Your invitation ID: " -msgstr "Vaše pozvání ID:" - -#: ../../mod/register.php:255 ../../mod/admin.php:603 -msgid "Registration" -msgstr "Registrace" - -#: ../../mod/register.php:263 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "Vaše celé jméno (např. Jan Novák):" - -#: ../../mod/register.php:264 -msgid "Your Email Address: " -msgstr "Vaše e-mailová adresa:" - -#: ../../mod/register.php:265 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Vyberte přezdívku k profilu. Ta musí začít s textovým znakem. Vaše profilová adresa na tomto webu pak bude \"přezdívka@$sitename\"." - -#: ../../mod/register.php:266 -msgid "Choose a nickname: " -msgstr "Vyberte přezdívku:" - -#: ../../mod/register.php:275 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Import" - -#: ../../mod/register.php:276 -msgid "Import your profile to this friendica instance" -msgstr "Import Vašeho profilu do této friendica instance" - -#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 -#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 -#: ../../mod/profiles.php:615 -msgid "Profile not found." -msgstr "Profil nenalezen" - -#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -msgid "Contact not found." -msgstr "Kontakt nenalezen." - -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "To se může občas stát pokud kontakt byl zažádán oběma osobami a již byl schválen." - -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "Odpověď ze vzdáleného serveru nebyla srozumitelná." - -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "Neočekávaná odpověď od vzdáleného serveru:" - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "Potvrzení úspěšně dokončena." - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "Vzdálený server oznámil:" - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "Dočasné selhání. Prosím, vyčkejte a zkuste to znovu." - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "Žádost o propojení selhala nebo byla zrušena." - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "Nelze nastavit fotografii kontaktu." - -#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 -#: ../../include/diaspora.php:620 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s je nyní přítel s %2$s" - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "Pro '%s' nenalezen žádný uživatelský záznam " - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "Náš šifrovací klíč zřejmě přestal správně fungovat." - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "Byla poskytnuta prázdná URL adresa nebo se nepodařilo URL adresu dešifrovat." - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "Kontakt záznam nebyl nalezen pro vás na našich stránkách." - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "V adresáři není k dispozici veřejný klíč pro URL %s." - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "Váš systém poskytl duplicitní ID vůči našemu systému. Pokuste se akci zopakovat." - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "Nelze nastavit Vaše přihlašovací údaje v našem systému." - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "Nelze aktualizovat Váš profil v našem systému" - -#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 -#: ../../include/items.php:3992 -msgid "[Name Withheld]" -msgstr "[Jméno odepřeno]" - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s se připojil k %2$s" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Povolit připojení aplikacím" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Vraťte se do vaší aplikace a zadejte tento bezpečnostní kód:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Pro pokračování se prosím přihlaste." - -#: ../../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 "Chcete umožnit této aplikaci přístup k vašim příspěvkům a kontaktům a/nebo k vytváření Vašich nových příspěvků?" - -#: ../../mod/lostpass.php:19 -msgid "No valid account found." -msgstr "Nenalezen žádný platný účet." - -#: ../../mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "Žádost o obnovení hesla vyřízena. Zkontrolujte Vaši e-mailovou schránku." - -#: ../../mod/lostpass.php:42 -#, 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 "\n\t\tDrahý %1$s,\n\t\t\tNa \"%2$s\" jsme obdrželi požadavek na obnovu vašeho hesla \n\t\tpassword. Pro potvrzení žádosti prosím klikněte na zaslaný verifikační odkaz níže nebo si ho zkopírujte do adresní řádky prohlížeče.\n\n\t\tPokud jste tuto žádost nezasílaliI prosím na uvedený odkaz neklikejte a tento email smažte.\n\n\t\tVaše heslo nebude změněno dokud nebudeme moci oveřit, že jste autorem této žádosti." - -#: ../../mod/lostpass.php:53 -#, 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 "\n\t\tKlikněte na následující odkaz pro potvrzení Vaší identity:\n\n\t\t%1$s\n\n\t\tNásledně obdržíte zprávu obsahující nové heslo.\n\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\n\t\tVaše přihlašovací údaje jsou následující:\n\n\t\tUmístění webu:\t%2$s\n\t\tPřihlašovací jméno:\t%3$s" - -#: ../../mod/lostpass.php:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "Na %s bylo zažádáno o resetování hesla" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "Žádost nemohla být ověřena. (Možná jste ji odeslali již dříve.) Obnovení hesla se nezdařilo." - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "Vaše heslo bylo na Vaše přání resetováno." - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "Někdo Vám napsal na Vaši profilovou stránku" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Uložte si nebo zkopírujte nové heslo - a pak" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "klikněte zde pro přihlášení" - -#: ../../mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Nezdá se, že by to bylo Vaše celé jméno (křestní jméno a příjmení)." - -#: ../../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 "\n\t\t\t\tDrahý %1$s,\n⇥⇥⇥⇥⇥Vaše heslo bylo na požádání změněno. Prosím uchovejte si tuto informaci (nebo si změntě heslo ihned na něco, co si budete pamatovat).\t" - -#: ../../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 "\n\t\t\t\tVaše přihlašovací údaje jsou následující:\n\n\t\t\t\tUmístění webu:\t%1$s\n\t\t\t\tPřihlašovací jméno:\t%2$s\n\t\t\t\tHeslo:\t%3$s\n\n\t\t\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\t\t\t" - -#: ../../mod/lostpass.php:147 -#, php-format -msgid "Your password has been changed at %s" -msgstr "Vaše heslo bylo změněno na %s" - -#: ../../mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Zapomněli jste heslo?" - -#: ../../mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Zadejte svůj e-mailovou adresu a odešlete žádost o zaslání Vašeho nového hesla. Poté zkontrolujte svůj e-mail pro další instrukce." - -#: ../../mod/lostpass.php:161 -msgid "Nickname or Email: " -msgstr "Přezdívka nebo e-mail: " - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "Reset" - -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Došlo k překročení maximálního počtu zpráv na zeď během jednoho dne. Zpráva %s nedoručena." - -#: ../../mod/wallmessage.php:56 ../../mod/message.php:63 -msgid "No recipient selected." -msgstr "Nevybrán příjemce." - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Nebylo možné zjistit Vaši domácí lokaci." - -#: ../../mod/wallmessage.php:62 ../../mod/message.php:70 -msgid "Message could not be sent." -msgstr "Zprávu se nepodařilo odeslat." - -#: ../../mod/wallmessage.php:65 ../../mod/message.php:73 -msgid "Message collection failure." -msgstr "Sběr zpráv selhal." - -#: ../../mod/wallmessage.php:68 ../../mod/message.php:76 -msgid "Message sent." -msgstr "Zpráva odeslána." - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Žádný příjemce." - -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -msgid "Please enter a link URL:" -msgstr "Zadejte prosím URL odkaz:" - -#: ../../mod/wallmessage.php:142 ../../mod/message.php:319 -msgid "Send Private Message" -msgstr "Odeslat soukromou zprávu" - -#: ../../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 "Pokud si přejete, aby uživatel %s mohl odpovědět, ověřte si zda-li máte povoleno na svém serveru zasílání soukromých zpráv od neznámých odesilatelů." - -#: ../../mod/wallmessage.php:144 ../../mod/message.php:320 -#: ../../mod/message.php:553 -msgid "To:" -msgstr "Adresát:" - -#: ../../mod/wallmessage.php:145 ../../mod/message.php:325 -#: ../../mod/message.php:555 -msgid "Subject:" -msgstr "Předmět:" - -#: ../../mod/wallmessage.php:151 ../../mod/message.php:329 -#: ../../mod/message.php:558 ../../mod/invite.php:134 -msgid "Your message:" -msgstr "Vaše zpráva:" - -#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 -#: ../../mod/message.php:332 ../../mod/message.php:562 -#: ../../include/conversation.php:1091 -msgid "Upload photo" -msgstr "Nahrát fotografii" - -#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 -#: ../../mod/message.php:333 ../../mod/message.php:563 -#: ../../include/conversation.php:1095 -msgid "Insert web link" -msgstr "Vložit webový odkaz" - #: ../../mod/newmember.php:6 msgid "Welcome to Friendica" msgstr "Vítejte na Friendica" @@ -1438,6 +571,13 @@ msgid "" " join." msgstr "Na Vaší stránce Rychlý Start - naleznete stručné představení k Vašemu profilu a záložce Síť, k vytvoření spojení s novými kontakty a nalezení skupin, ke kterým se můžete připojit." +#: ../../mod/newmember.php:22 ../../mod/admin.php:1104 +#: ../../mod/admin.php:1325 ../../mod/settings.php:85 +#: ../../include/nav.php:172 ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 +msgid "Settings" +msgstr "Nastavení" + #: ../../mod/newmember.php:26 msgid "Go to Your Settings" msgstr "Navštivte své nastavení" @@ -1457,8 +597,8 @@ msgid "" "potential friends know exactly how to find you." msgstr "Prohlédněte si další nastavení, a to zejména nastavení soukromí. Nezveřejnění svého účtu v adresáři je jako mít nezveřejněné telefonní číslo. Obecně platí, že je lepší mít svůj účet zveřejněný, leda by všichni vaši potenciální přátelé věděli, jak vás přesně najít." -#: ../../mod/newmember.php:36 ../../mod/profiles.php:684 -#: ../../mod/profile_photo.php:244 +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +#: ../../mod/profiles.php:699 msgid "Upload Profile Photo" msgstr "Nahrát profilovou fotografii" @@ -1598,39 +738,2147 @@ msgid "" " features and resources." msgstr "Na stránkách Nápověda naleznete nejen další podrobnosti o všech funkcích Friendika ale také další zdroje informací." -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Opravdu chcete smazat tento návrh?" +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "Chyba OpenID protokolu. Navrátilo se žádné ID." -#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:844 ../../mod/contacts.php:340 -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -#: ../../mod/message.php:212 ../../mod/photos.php:203 ../../mod/photos.php:292 -#: ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../include/conversation.php:1129 -#: ../../include/items.php:4544 -msgid "Cancel" -msgstr "Zrušit" - -#: ../../mod/suggest.php:74 +#: ../../mod/openid.php:53 msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Nejsou dostupné žádné návrhy. Pokud je toto nový server, zkuste to znovu za 24 hodin." +"Account not found and OpenID registration is not permitted on this site." +msgstr "Nenalezen účet a OpenID registrace na tomto serveru není dovolena." -#: ../../mod/suggest.php:92 -msgid "Ignore/Hide" -msgstr "Ignorovat / skrýt" +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "Přihlášení se nezdařilo." + +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "Obrázek byl odeslán, ale jeho oříznutí se nesdařilo." + +#: ../../mod/profile_photo.php:74 ../../mod/profile_photo.php:81 +#: ../../mod/profile_photo.php:88 ../../mod/profile_photo.php:204 +#: ../../mod/profile_photo.php:296 ../../mod/profile_photo.php:305 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1187 +#: ../../mod/photos.php:1210 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../view/theme/diabook/theme.php:500 +msgid "Profile Photos" +msgstr "Profilové fotografie" + +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 +#, php-format +msgid "Image size reduction [%s] failed." +msgstr "Nepodařilo se snížit velikost obrázku [%s]." + +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Znovu načtěte stránku (Shift+F5) nebo vymažte cache prohlížeče, pokud se nové fotografie nezobrazí okamžitě." + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Obrázek nelze zpracovat " + +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:122 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "Obrázek překročil limit velikosti %d" + +#: ../../mod/profile_photo.php:153 ../../mod/wall_upload.php:144 +#: ../../mod/photos.php:807 +msgid "Unable to process image." +msgstr "Obrázek není možné zprocesovat" + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Nahrát soubor:" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Vybrat profil:" + +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "Nahrát" + +#: ../../mod/profile_photo.php:248 ../../mod/settings.php:1062 +msgid "or" +msgstr "nebo" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "přeskočit tento krok " + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "Vybrat fotografii z Vašich fotoalb" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "Oříznout obrázek" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Prosím, ořízněte tento obrázek pro optimální zobrazení." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Editace dokončena" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Obrázek byl úspěšně nahrán." + +#: ../../mod/profile_photo.php:301 ../../mod/wall_upload.php:172 +#: ../../mod/photos.php:834 +msgid "Image upload failed." +msgstr "Nahrání obrázku selhalo." + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1968 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:471 +msgid "photo" +msgstr "fotografie" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../mod/like.php:319 ../../include/conversation.php:121 +#: ../../include/conversation.php:130 ../../include/conversation.php:249 +#: ../../include/conversation.php:258 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 +msgid "status" +msgstr "Stav" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s následuje %3$s uživatele %2$s" + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Štítek odstraněn" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Odebrat štítek položky" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Vyberte štítek k odebrání: " + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "Odstranit" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "Uložit do složky:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- vyber -" + +#: ../../mod/filer.php:31 ../../mod/editpost.php:109 ../../mod/notes.php:63 +#: ../../include/text.php:956 +msgid "Save" +msgstr "Uložit" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Kontakt přidán" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "Nelze nalézt původní příspěvek." + +#: ../../mod/item.php:345 +msgid "Empty post discarded." +msgstr "Prázdný příspěvek odstraněn." + +#: ../../mod/item.php:484 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../include/Photo.php:916 ../../include/Photo.php:931 +#: ../../include/Photo.php:938 ../../include/Photo.php:960 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "Fotografie na zdi" + +#: ../../mod/item.php:938 +msgid "System error. Post not saved." +msgstr "Chyba systému. Příspěvek nebyl uložen." + +#: ../../mod/item.php:964 +#, php-format +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Tato zpráva vám byla zaslána od %s, člena sociální sítě Friendica." + +#: ../../mod/item.php:966 +#, php-format +msgid "You may visit them online at %s" +msgstr "Můžete je navštívit online na adrese %s" + +#: ../../mod/item.php:967 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Pokud nechcete dostávat tyto zprávy, kontaktujte prosím odesilatele odpovědí na tento záznam." + +#: ../../mod/item.php:971 +#, php-format +msgid "%s posted an update." +msgstr "%s poslal aktualizaci." + +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Skupina vytvořena." + +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Nelze vytvořit skupinu." + +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Skupina nenalezena." + +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Název skupiny byl změněn." + +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Uložit Skupinu" + +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Vytvořit skupinu kontaktů / přátel." + +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Název skupiny: " + +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Skupina odstraněna. " + +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Nelze odstranit skupinu." + +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Editor skupin" + +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Členové" + +#: ../../mod/apps.php:7 ../../index.php:212 +msgid "You must be logged in to use addons. " +msgstr "Musíte být přihlášeni pro použití rozšíření." + +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Aplikace" + +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Žádné nainstalované aplikace." + +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 +#: ../../mod/profiles.php:630 +msgid "Profile not found." +msgstr "Profil nenalezen" + +#: ../../mod/dfrn_confirm.php:120 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "Kontakt nenalezen." + +#: ../../mod/dfrn_confirm.php:121 +msgid "" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "To se může občas stát pokud kontakt byl zažádán oběma osobami a již byl schválen." + +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Odpověď ze vzdáleného serveru nebyla srozumitelná." + +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "Neočekávaná odpověď od vzdáleného serveru:" + +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Potvrzení úspěšně dokončena." + +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Vzdálený server oznámil:" + +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Dočasné selhání. Prosím, vyčkejte a zkuste to znovu." + +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "Žádost o propojení selhala nebo byla zrušena." + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Nelze nastavit fotografii kontaktu." + +#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 +#: ../../include/diaspora.php:620 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s je nyní přítel s %2$s" + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Pro '%s' nenalezen žádný uživatelský záznam " + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "Náš šifrovací klíč zřejmě přestal správně fungovat." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "Byla poskytnuta prázdná URL adresa nebo se nepodařilo URL adresu dešifrovat." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Kontakt záznam nebyl nalezen pro vás na našich stránkách." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "V adresáři není k dispozici veřejný klíč pro URL %s." + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "Váš systém poskytl duplicitní ID vůči našemu systému. Pokuste se akci zopakovat." + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Nelze nastavit Vaše přihlašovací údaje v našem systému." + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Nelze aktualizovat Váš profil v našem systému" + +#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 +#: ../../include/items.php:4008 +msgid "[Name Withheld]" +msgstr "[Jméno odepřeno]" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s se připojil k %2$s" + +#: ../../mod/profile.php:21 ../../boot.php:1458 +msgid "Requested profile is not available." +msgstr "Požadovaný profil není k dispozici." + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Tipy pro nové členy" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Není vybráno žádné video" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "Přístup k této položce je omezen." + +#: ../../mod/videos.php:301 ../../include/text.php:1405 +msgid "View Video" +msgstr "Zobrazit video" + +#: ../../mod/videos.php:308 ../../mod/photos.php:1808 +msgid "View Album" +msgstr "Zobrazit album" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Aktuální Videa" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Nahrát nová videa" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s označen uživatelem %2$s %3$s s %4$s" + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Návrhy přátelství odeslány " + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Navrhněte přátelé" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Navrhněte přátelé pro uživatele %s" + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Nenalezen žádný platný účet." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "Žádost o obnovení hesla vyřízena. Zkontrolujte Vaši e-mailovou schránku." + +#: ../../mod/lostpass.php:42 +#, 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 "\n\t\tDrahý %1$s,\n\t\t\tNa \"%2$s\" jsme obdrželi požadavek na obnovu vašeho hesla \n\t\tpassword. Pro potvrzení žádosti prosím klikněte na zaslaný verifikační odkaz níže nebo si ho zkopírujte do adresní řádky prohlížeče.\n\n\t\tPokud jste tuto žádost nezasílaliI prosím na uvedený odkaz neklikejte a tento email smažte.\n\n\t\tVaše heslo nebude změněno dokud nebudeme moci oveřit, že jste autorem této žádosti." + +#: ../../mod/lostpass.php:53 +#, 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 "\n\t\tKlikněte na následující odkaz pro potvrzení Vaší identity:\n\n\t\t%1$s\n\n\t\tNásledně obdržíte zprávu obsahující nové heslo.\n\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\n\t\tVaše přihlašovací údaje jsou následující:\n\n\t\tUmístění webu:\t%2$s\n\t\tPřihlašovací jméno:\t%3$s" + +#: ../../mod/lostpass.php:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Na %s bylo zažádáno o resetování hesla" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "Žádost nemohla být ověřena. (Možná jste ji odeslali již dříve.) Obnovení hesla se nezdařilo." + +#: ../../mod/lostpass.php:109 ../../boot.php:1280 +msgid "Password Reset" +msgstr "Obnovení hesla" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "Vaše heslo bylo na Vaše přání resetováno." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "Někdo Vám napsal na Vaši profilovou stránku" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Uložte si nebo zkopírujte nové heslo - a pak" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "klikněte zde pro přihlášení" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Nezdá se, že by to bylo Vaše celé jméno (křestní jméno a příjmení)." + +#: ../../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 "\n\t\t\t\tDrahý %1$s,\n⇥⇥⇥⇥⇥Vaše heslo bylo na požádání změněno. Prosím uchovejte si tuto informaci (nebo si změntě heslo ihned na něco, co si budete pamatovat).\t" + +#: ../../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 "\n\t\t\t\tVaše přihlašovací údaje jsou následující:\n\n\t\t\t\tUmístění webu:\t%1$s\n\t\t\t\tPřihlašovací jméno:\t%2$s\n\t\t\t\tHeslo:\t%3$s\n\n\t\t\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\t\t\t" + +#: ../../mod/lostpass.php:147 +#, php-format +msgid "Your password has been changed at %s" +msgstr "Vaše heslo bylo změněno na %s" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Zapomněli jste heslo?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Zadejte svůj e-mailovou adresu a odešlete žádost o zaslání Vašeho nového hesla. Poté zkontrolujte svůj e-mail pro další instrukce." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Přezdívka nebo e-mail: " + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Reset" + +#: ../../mod/like.php:166 ../../include/conversation.php:137 +#: ../../include/diaspora.php:2103 ../../view/theme/diabook/theme.php:480 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s má rád %2$s' na %3$s" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s nemá rád %2$s na %3$s" + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "{0} chce být Vaším přítelem" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "{0} vám poslal zprávu" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "{0} požaduje registraci" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0} komentoval příspěvek uživatele %s" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "{0} má rád příspěvek uživatele %s" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "{0} nemá rád příspěvek uživatele %s" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0} se skamarádil s %s" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "{0} zasláno" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "{0} označen %s' příspěvek s #%s" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "{0} vás zmínil v příspěvku" + +#: ../../mod/viewcontacts.php:41 +msgid "No contacts." +msgstr "Žádné kontakty." + +#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 +msgid "View Contacts" +msgstr "Zobrazit kontakty" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "Neplatný identifikátor požadavku." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "Odstranit" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "Systém" + +#: ../../mod/notifications.php:83 ../../include/nav.php:145 +msgid "Network" +msgstr "Síť" + +#: ../../mod/notifications.php:88 ../../mod/network.php:371 +msgid "Personal" +msgstr "Osobní" + +#: ../../mod/notifications.php:93 ../../include/nav.php:105 +#: ../../include/nav.php:148 ../../view/theme/diabook/theme.php:123 +msgid "Home" +msgstr "Domů" + +#: ../../mod/notifications.php:98 ../../include/nav.php:154 +msgid "Introductions" +msgstr "Představení" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Zobrazit ignorované žádosti" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Skrýt ignorované žádosti" + +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "Typ oznámení: " + +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "Návrh přátelství" + +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "navrhl %s" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "Zveřejnit aktivitu nového přítele." + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "je-li použitelné" + +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:1005 +msgid "Approve" +msgstr "Schválit" + +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "Vaši údajní známí: " + +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "ano" + +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "ne" + +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "Schválit jako: " + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "Přítel" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "Sdílené" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "Fanoušek / obdivovatel" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "Přítel / žádost o připojení" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "Nový následovník" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "Žádné představení." + +#: ../../mod/notifications.php:220 ../../include/nav.php:155 +msgid "Notifications" +msgstr "Upozornění" + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "Uživateli %s se líbí příspěvek uživatele %s" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "Uživateli %s se nelíbí příspěvek uživatele %s" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s se nyní přátelí s %s" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "%s vytvořil nový příspěvek" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s okomentoval příspěvek uživatele %s'" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "Žádné další síťové upozornění." + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "Upozornění Sítě" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "Žádné další systémová upozornění." + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "Systémová upozornění" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "Žádné další osobní upozornění." + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "Osobní upozornění" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "Žádné další domácí upozornění." + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "Upozornění na vstupní straně" + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Zdrojový text (bbcode):" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Zdrojový (Diaspora) text k převedení do BB kódování:" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Zdrojový vstup: " + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (raw 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 "Vstupní data (ve formátu Diaspora): " + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb: " + +#: ../../mod/navigation.php:20 ../../include/nav.php:34 +msgid "Nothing new here" +msgstr "Zde není nic nového" + +#: ../../mod/navigation.php:24 ../../include/nav.php:38 +msgid "Clear notifications" +msgstr "Smazat notifikace" + +#: ../../mod/message.php:9 ../../include/nav.php:164 +msgid "New Message" +msgstr "Nová zpráva" + +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "Nevybrán příjemce." + +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Nepodařilo se najít kontaktní informace." + +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "Zprávu se nepodařilo odeslat." + +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "Sběr zpráv selhal." + +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "Zpráva odeslána." + +#: ../../mod/message.php:182 ../../include/nav.php:161 +msgid "Messages" +msgstr "Zprávy" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Opravdu chcete smazat tuto zprávu?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Zpráva odstraněna." + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Konverzace odstraněna." + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "Zadejte prosím URL odkaz:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Odeslat soukromou zprávu" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "Adresát:" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Předmět:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "Vaše zpráva:" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "Nahrát fotografii" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "Vložit webový odkaz" + +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../mod/wallmessage.php:156 ../../mod/editpost.php:124 +#: ../../mod/photos.php:1545 ../../object/Item.php:364 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "Čekejte prosím" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Žádné zprávy." + +#: ../../mod/message.php:378 +#, php-format +msgid "Unknown sender - %s" +msgstr "Neznámý odesilatel - %s" + +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Vy a %s" + +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s a Vy" + +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Odstranit konverzaci" + +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D M R - g:i A" + +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d zpráva" +msgstr[1] "%d zprávy" +msgstr[2] "%d zpráv" + +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Zpráva není k dispozici." + +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Smazat zprávu" + +#: ../../mod/message.php:548 +msgid "" +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Není k dispozici zabezpečená komunikace. Možná budete schopni reagovat z odesilatelovy profilové stránky." + +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Poslat odpověď" + +#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_network.php:25 +msgid "[Embedded content - reload page to view]" +msgstr "[Vložený obsah - obnovte stránku pro zobrazení]" + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "Nastavení kontaktu změněno" + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "Aktualizace kontaktu selhala." + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "Opravit nastavení kontaktu" + +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "Varování: Toto je velmi pokročilé a pokud zadáte nesprávné informace, Vaše komunikace s tímto kontaktem může přestat fungovat." + +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Prosím použijte ihned v prohlížeči tlačítko \"zpět\" pokud si nejste jistí co dělat na této stránce." + +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "Návrat k editoru kontaktu" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "No mirroring" +msgstr "Žádné zrcadlení" + +#: ../../mod/crepair.php:159 +msgid "Mirror as forwarded posting" +msgstr "Zrcadlit pro přeposlané příspěvky" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "Mirror as my own posting" +msgstr "Zrcadlit jako mé vlastní příspěvky" + +#: ../../mod/crepair.php:165 ../../mod/admin.php:1003 ../../mod/admin.php:1015 +#: ../../mod/admin.php:1016 ../../mod/admin.php:1029 +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Name" +msgstr "Jméno" + +#: ../../mod/crepair.php:166 +msgid "Account Nickname" +msgstr "Přezdívka účtu" + +#: ../../mod/crepair.php:167 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@Tagname - upřednostněno před Jménem/Přezdívkou" + +#: ../../mod/crepair.php:168 +msgid "Account URL" +msgstr "URL adresa účtu" + +#: ../../mod/crepair.php:169 +msgid "Friend Request URL" +msgstr "Žádost o přátelství URL" + +#: ../../mod/crepair.php:170 +msgid "Friend Confirm URL" +msgstr "URL adresa potvrzení přátelství" + +#: ../../mod/crepair.php:171 +msgid "Notification Endpoint URL" +msgstr "Notifikační URL adresa" + +#: ../../mod/crepair.php:172 +msgid "Poll/Feed URL" +msgstr "Poll/Feed URL adresa" + +#: ../../mod/crepair.php:173 +msgid "New photo from this URL" +msgstr "Nové foto z této URL adresy" + +#: ../../mod/crepair.php:174 +msgid "Remote Self" +msgstr "Remote Self" + +#: ../../mod/crepair.php:176 +msgid "Mirror postings from this contact" +msgstr "Zrcadlení správ od tohoto kontaktu" + +#: ../../mod/crepair.php:176 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "Označit tento kontakt jako \"remote_self\", s tímto nastavením freindica bude přeposílat všechny nové příspěvky od tohoto kontaktu." + +#: ../../mod/bookmarklet.php:12 ../../boot.php:1266 ../../include/nav.php:92 +msgid "Login" +msgstr "Přihlásit se" + +#: ../../mod/bookmarklet.php:41 +msgid "The post was created" +msgstr "Příspěvek byl vytvořen" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "Přístup odmítnut" + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Vyhledávání lidí" + +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "Žádné shody" + +#: ../../mod/fbrowser.php:25 ../../boot.php:2126 ../../include/nav.php:78 +#: ../../view/theme/diabook/theme.php:126 +msgid "Photos" +msgstr "Fotografie" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "Soubory" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Kontakty, které nejsou členy skupiny" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Nastavení téma zobrazení bylo aktualizováno." + +#: ../../mod/admin.php:104 ../../mod/admin.php:619 +msgid "Site" +msgstr "Web" + +#: ../../mod/admin.php:105 ../../mod/admin.php:998 ../../mod/admin.php:1013 +msgid "Users" +msgstr "Uživatelé" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1102 ../../mod/admin.php:1155 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "Pluginy" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1323 ../../mod/admin.php:1357 +msgid "Themes" +msgstr "Témata" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "Aktualizace databáze" + +#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1444 +msgid "Logs" +msgstr "Logy" + +#: ../../mod/admin.php:124 +msgid "probe address" +msgstr "vyzkoušet adresu" + +#: ../../mod/admin.php:125 +msgid "check webfinger" +msgstr "vyzkoušet webfinger" + +#: ../../mod/admin.php:130 ../../include/nav.php:184 +msgid "Admin" +msgstr "Administrace" + +#: ../../mod/admin.php:131 +msgid "Plugin Features" +msgstr "Funkčnosti rozšíření" + +#: ../../mod/admin.php:133 +msgid "diagnostics" +msgstr "diagnostika" + +#: ../../mod/admin.php:134 +msgid "User registrations waiting for confirmation" +msgstr "Registrace uživatele čeká na potvrzení" + +#: ../../mod/admin.php:193 ../../mod/admin.php:952 +msgid "Normal Account" +msgstr "Normální účet" + +#: ../../mod/admin.php:194 ../../mod/admin.php:953 +msgid "Soapbox Account" +msgstr "Soapbox účet" + +#: ../../mod/admin.php:195 ../../mod/admin.php:954 +msgid "Community/Celebrity Account" +msgstr "Komunitní účet / Účet celebrity" + +#: ../../mod/admin.php:196 ../../mod/admin.php:955 +msgid "Automatic Friend Account" +msgstr "Účet s automatickým schvalováním přátel" + +#: ../../mod/admin.php:197 +msgid "Blog Account" +msgstr "Účet Blogu" + +#: ../../mod/admin.php:198 +msgid "Private Forum" +msgstr "Soukromé fórum" + +#: ../../mod/admin.php:217 +msgid "Message queues" +msgstr "Fronty zpráv" + +#: ../../mod/admin.php:222 ../../mod/admin.php:618 ../../mod/admin.php:997 +#: ../../mod/admin.php:1101 ../../mod/admin.php:1154 ../../mod/admin.php:1322 +#: ../../mod/admin.php:1356 ../../mod/admin.php:1443 +msgid "Administration" +msgstr "Administrace" + +#: ../../mod/admin.php:223 +msgid "Summary" +msgstr "Shrnutí" + +#: ../../mod/admin.php:225 +msgid "Registered users" +msgstr "Registrovaní uživatelé" + +#: ../../mod/admin.php:227 +msgid "Pending registrations" +msgstr "Čekající registrace" + +#: ../../mod/admin.php:228 +msgid "Version" +msgstr "Verze" + +#: ../../mod/admin.php:232 +msgid "Active plugins" +msgstr "Aktivní pluginy" + +#: ../../mod/admin.php:255 +msgid "Can not parse base url. Must have at least ://" +msgstr "Nelze zpracovat výchozí url adresu. Musí obsahovat alespoň ://" + +#: ../../mod/admin.php:516 +msgid "Site settings updated." +msgstr "Nastavení webu aktualizováno." + +#: ../../mod/admin.php:545 ../../mod/settings.php:828 +msgid "No special theme for mobile devices" +msgstr "žádné speciální téma pro mobilní zařízení" + +#: ../../mod/admin.php:562 +msgid "No community page" +msgstr "Komunitní stránka neexistuje" + +#: ../../mod/admin.php:563 +msgid "Public postings from users of this site" +msgstr "" + +#: ../../mod/admin.php:564 +msgid "Global community page" +msgstr "Globální komunitní stránka" + +#: ../../mod/admin.php:570 +msgid "At post arrival" +msgstr "Při obdržení příspěvku" + +#: ../../mod/admin.php:571 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "Často" + +#: ../../mod/admin.php:572 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "každou hodinu" + +#: ../../mod/admin.php:573 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "Dvakrát denně" + +#: ../../mod/admin.php:574 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "denně" + +#: ../../mod/admin.php:579 +msgid "Multi user instance" +msgstr "Více uživatelská instance" + +#: ../../mod/admin.php:602 +msgid "Closed" +msgstr "Uzavřeno" + +#: ../../mod/admin.php:603 +msgid "Requires approval" +msgstr "Vyžaduje schválení" + +#: ../../mod/admin.php:604 +msgid "Open" +msgstr "Otevřená" + +#: ../../mod/admin.php:608 +msgid "No SSL policy, links will track page SSL state" +msgstr "Žádná SSL politika, odkazy budou následovat stránky SSL stav" + +#: ../../mod/admin.php:609 +msgid "Force all links to use SSL" +msgstr "Vyžadovat u všech odkazů použití SSL" + +#: ../../mod/admin.php:610 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Certifikát podepsaný sám sebou, použít SSL pouze pro lokální odkazy (nedoporučeno)" + +#: ../../mod/admin.php:620 ../../mod/admin.php:1156 ../../mod/admin.php:1358 +#: ../../mod/admin.php:1445 ../../mod/settings.php:614 +#: ../../mod/settings.php:724 ../../mod/settings.php:798 +#: ../../mod/settings.php:880 ../../mod/settings.php:1113 +msgid "Save Settings" +msgstr "Uložit Nastavení" + +#: ../../mod/admin.php:621 ../../mod/register.php:255 +msgid "Registration" +msgstr "Registrace" + +#: ../../mod/admin.php:622 +msgid "File upload" +msgstr "Nahrání souborů" + +#: ../../mod/admin.php:623 +msgid "Policies" +msgstr "Politiky" + +#: ../../mod/admin.php:624 +msgid "Advanced" +msgstr "Pokročilé" + +#: ../../mod/admin.php:625 +msgid "Performance" +msgstr "Výkonnost" + +#: ../../mod/admin.php:626 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Změna umístění - Varování: pokročilá funkčnost. Tímto můžete znepřístupnit server." + +#: ../../mod/admin.php:629 +msgid "Site name" +msgstr "Název webu" + +#: ../../mod/admin.php:630 +msgid "Host name" +msgstr "Jméno hostitele (host name)" + +#: ../../mod/admin.php:631 +msgid "Sender Email" +msgstr "Email ddesílatele" + +#: ../../mod/admin.php:632 +msgid "Banner/Logo" +msgstr "Banner/logo" + +#: ../../mod/admin.php:633 +msgid "Shortcut icon" +msgstr "Ikona zkratky" + +#: ../../mod/admin.php:634 +msgid "Touch icon" +msgstr "" + +#: ../../mod/admin.php:635 +msgid "Additional Info" +msgstr "Dodatečné informace" + +#: ../../mod/admin.php:635 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Pro veřejné servery: zde můžete doplnit dodatečné informace, které budou uvedeny v seznamu na dir.friendica.com/siteinfo." + +#: ../../mod/admin.php:636 +msgid "System language" +msgstr "Systémový jazyk" + +#: ../../mod/admin.php:637 +msgid "System theme" +msgstr "Grafická šablona systému " + +#: ../../mod/admin.php:637 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Defaultní systémové téma - může být změněno v uživatelských profilech - změnit theme settings" + +#: ../../mod/admin.php:638 +msgid "Mobile system theme" +msgstr "Systémové téma zobrazení pro mobilní zařízení" + +#: ../../mod/admin.php:638 +msgid "Theme for mobile devices" +msgstr "Téma zobrazení pro mobilní zařízení" + +#: ../../mod/admin.php:639 +msgid "SSL link policy" +msgstr "Politika SSL odkazů" + +#: ../../mod/admin.php:639 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Určuje, zda-li budou generované odkazy používat SSL" + +#: ../../mod/admin.php:640 +msgid "Force SSL" +msgstr "Vynutit SSL" + +#: ../../mod/admin.php:640 +msgid "" +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" +" to endless loops." +msgstr "Vynutit SSL pro všechny ne-SSL žádosti - Upozornění: na některých systémech může dojít k nekonečnému zacyklení." + +#: ../../mod/admin.php:641 +msgid "Old style 'Share'" +msgstr "Sdílení \"postaru\"" + +#: ../../mod/admin.php:641 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Deaktivovat bbcode element \"share\" pro opakující se položky." + +#: ../../mod/admin.php:642 +msgid "Hide help entry from navigation menu" +msgstr "skrýt nápovědu z navigačního menu" + +#: ../../mod/admin.php:642 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Skryje menu ze stránek Nápověda z navigačního menu. Nápovědu můžete stále zobrazit přímo zadáním /help." + +#: ../../mod/admin.php:643 +msgid "Single user instance" +msgstr "Jednouživatelská instance" + +#: ../../mod/admin.php:643 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Nastavit tuto instanci víceuživatelskou nebo jednouživatelskou pro pojmenovaného uživatele" + +#: ../../mod/admin.php:644 +msgid "Maximum image size" +msgstr "Maximální velikost obrázků" + +#: ../../mod/admin.php:644 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Maximální velikost v bajtech nahraných obrázků. Defaultní je 0, což znamená neomezeno." + +#: ../../mod/admin.php:645 +msgid "Maximum image length" +msgstr "Maximální velikost obrázků" + +#: ../../mod/admin.php:645 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Maximální délka v pixelech delší stránky nahrávaných obrázků. Defaultně je -1, což označuje bez limitu" + +#: ../../mod/admin.php:646 +msgid "JPEG image quality" +msgstr "JPEG kvalita obrázku" + +#: ../../mod/admin.php:646 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Nahrávaný JPEG bude uložen se zadanou kvalitou v rozmezí [0-100]. Defaultní je 100, což znamená plnou kvalitu." + +#: ../../mod/admin.php:648 +msgid "Register policy" +msgstr "Politika registrace" + +#: ../../mod/admin.php:649 +msgid "Maximum Daily Registrations" +msgstr "Maximální počet denních registrací" + +#: ../../mod/admin.php:649 +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 "Pokud je registrace výše povolena, zde se nastaví maximální počet registrací nových uživatelů za den.\nPokud je registrace zakázána, toto nastavení nemá žádný efekt." + +#: ../../mod/admin.php:650 +msgid "Register text" +msgstr "Registrace textu" + +#: ../../mod/admin.php:650 +msgid "Will be displayed prominently on the registration page." +msgstr "Bude zřetelně zobrazeno na registrační stránce." + +#: ../../mod/admin.php:651 +msgid "Accounts abandoned after x days" +msgstr "Účet je opuštěn po x dnech" + +#: ../../mod/admin.php:651 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Neztrácejte systémové zdroje kontaktováním externích webů s opuštěnými účty. Zadejte 0 pro žádný časový limit." + +#: ../../mod/admin.php:652 +msgid "Allowed friend domains" +msgstr "Povolené domény přátel" + +#: ../../mod/admin.php:652 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Čárkou oddělený seznam domén, kterým je povoleno navazovat přátelství s tímto webem. Zástupné znaky (wildcards) jsou povoleny. Prázné znamená libovolnou doménu." + +#: ../../mod/admin.php:653 +msgid "Allowed email domains" +msgstr "Povolené e-mailové domény" + +#: ../../mod/admin.php:653 +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 "Čárkou oddělený seznam domén emalových adres, kterým je povoleno provádět registraci na tomto webu. Zástupné znaky (wildcards) jsou povoleny. Prázné znamená libovolnou doménu." + +#: ../../mod/admin.php:654 +msgid "Block public" +msgstr "Blokovat veřejnost" + +#: ../../mod/admin.php:654 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Označemím přepínače zablokujete veřejný přístup ke všem jinak veřejně přístupným soukromým stránkám uživatelům, kteří nebudou přihlášeni." + +#: ../../mod/admin.php:655 +msgid "Force publish" +msgstr "Publikovat" + +#: ../../mod/admin.php:655 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Označením přepínače budou včechny profily na tomto webu uvedeny v adresáři webu." + +#: ../../mod/admin.php:656 +msgid "Global directory update URL" +msgstr "aktualizace URL adresy Globálního adresáře " + +#: ../../mod/admin.php:656 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL adresa k aktualizaci globálního adresáře. Pokud není zadáno, funkce globálního adresáře není dostupná žádné aplikaci." + +#: ../../mod/admin.php:657 +msgid "Allow threaded items" +msgstr "Povolit vícevláknové zpracování obsahu" + +#: ../../mod/admin.php:657 +msgid "Allow infinite level threading for items on this site." +msgstr "Povolit zpracování obsahu tohoto webu neomezeným počtem paralelních vláken." + +#: ../../mod/admin.php:658 +msgid "Private posts by default for new users" +msgstr "Nastavit pro nové uživatele příspěvky jako soukromé" + +#: ../../mod/admin.php:658 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Nastavit defaultní práva pro příspěvky od všech nových členů na výchozí soukromou skupinu raději než jako veřejné." + +#: ../../mod/admin.php:659 +msgid "Don't include post content in email notifications" +msgstr "Nezahrnovat obsah příspěvků v emailových upozorněních" + +#: ../../mod/admin.php:659 +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 " V mailových upozorněních, které jsou odesílány z tohoto webu jako soukromé zprávy, nejsou z důvodů bezpečnosti obsaženy příspěvky/komentáře/soukromé zprávy apod. " + +#: ../../mod/admin.php:660 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Zakázat veřejný přístup k rozšířením uvedeným v menu aplikace." + +#: ../../mod/admin.php:660 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Označení této volby omezí rozšíření uvedená v menu aplikace pouze pro členy." + +#: ../../mod/admin.php:661 +msgid "Don't embed private images in posts" +msgstr "Nepovolit přidávání soukromých správ v příspěvcích" + +#: ../../mod/admin.php:661 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Nereplikovat lokální soukromé fotografie v příspěvcích s přidáním kopie obrázku. To znamená, že kontakty, které obdrží příspěvek obsahující soukromé fotografie se budou muset přihlásit a načíst každý obrázek, což může zabrat nějaký čas." + +#: ../../mod/admin.php:662 +msgid "Allow Users to set remote_self" +msgstr "Umožnit uživatelům nastavit " + +#: ../../mod/admin.php:662 +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 "S tímto označením má každý uživatel možnost označit jakékoliv ze svých kontakt jako \"remote_self\" v nastavení v dialogu opravit kontakt. Tímto označením se budou zrcadlit všechny správy tohoto kontaktu v uživatelově proudu." + +#: ../../mod/admin.php:663 +msgid "Block multiple registrations" +msgstr "Blokovat více registrací" + +#: ../../mod/admin.php:663 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Znemožnit uživatelům registraci dodatečných účtů k použití jako stránky." + +#: ../../mod/admin.php:664 +msgid "OpenID support" +msgstr "podpora OpenID" + +#: ../../mod/admin.php:664 +msgid "OpenID support for registration and logins." +msgstr "Podpora OpenID pro registraci a přihlašování." + +#: ../../mod/admin.php:665 +msgid "Fullname check" +msgstr "kontrola úplného jména" + +#: ../../mod/admin.php:665 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Přimět uživatele k registraci s mezerou mezi jménu a příjmením v poli Celé jméno, jako antispamové opatření." + +#: ../../mod/admin.php:666 +msgid "UTF-8 Regular expressions" +msgstr "UTF-8 Regulární výrazy" + +#: ../../mod/admin.php:666 +msgid "Use PHP UTF8 regular expressions" +msgstr "Použít PHP UTF8 regulární výrazy." + +#: ../../mod/admin.php:667 +msgid "Community Page Style" +msgstr "Styl komunitní stránky" + +#: ../../mod/admin.php:667 +msgid "" +"Type of community page to show. 'Global community' shows every public " +"posting from an open distributed network that arrived on this server." +msgstr "" + +#: ../../mod/admin.php:668 +msgid "Posts per user on community page" +msgstr "" + +#: ../../mod/admin.php:668 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"'Global Community')" +msgstr "" + +#: ../../mod/admin.php:669 +msgid "Enable OStatus support" +msgstr "Zapnout podporu OStatus" + +#: ../../mod/admin.php:669 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Poskytnout zabudouvanou kompatibilitu s OStatus (StatusNet, GNU Social apod.). Veškerá komunikace s OStatus je veřejná, proto bude občas zobrazeno upozornění." + +#: ../../mod/admin.php:670 +msgid "OStatus conversation completion interval" +msgstr "Interval dokončení konverzace OStatus" + +#: ../../mod/admin.php:670 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "Jak často by mělo probíhat ověřování pro nové přísvěvky v konverzacích OStatus? Toto může být velmi výkonově náročný úkol." + +#: ../../mod/admin.php:671 +msgid "Enable Diaspora support" +msgstr "Povolit podporu Diaspora" + +#: ../../mod/admin.php:671 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Poskytnout zabudovanou kompatibilitu sitě Diaspora." + +#: ../../mod/admin.php:672 +msgid "Only allow Friendica contacts" +msgstr "Povolit pouze Friendica kontakty" + +#: ../../mod/admin.php:672 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Všechny kontakty musí používat Friendica protokol. Všchny jiné zabudované komunikační protokoly budou zablokované." + +#: ../../mod/admin.php:673 +msgid "Verify SSL" +msgstr "Ověřit SSL" + +#: ../../mod/admin.php:673 +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 "Pokud si přejete, můžete vynutit striktní ověřování certifikátů. To znamená že se nebudete moci připojit k žádnému serveru s vlastním SSL certifikátem." + +#: ../../mod/admin.php:674 +msgid "Proxy user" +msgstr "Proxy uživatel" + +#: ../../mod/admin.php:675 +msgid "Proxy URL" +msgstr "Proxy URL adresa" + +#: ../../mod/admin.php:676 +msgid "Network timeout" +msgstr "čas síťového spojení vypršelo (timeout)" + +#: ../../mod/admin.php:676 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Hodnota ve vteřinách. Nastavte 0 pro neomezeno (není doporučeno)." + +#: ../../mod/admin.php:677 +msgid "Delivery interval" +msgstr "Interval doručování" + +#: ../../mod/admin.php:677 +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 "Prodleva mezi doručovacími procesy běžícími na pozadí snižuje zátěž systému. Doporučené nastavení: 4-5 pro sdílené instalace, 2-3 pro virtuální soukromé servery, 0-1 pro velké dedikované servery." + +#: ../../mod/admin.php:678 +msgid "Poll interval" +msgstr "Dotazovací interval" + +#: ../../mod/admin.php:678 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Tímto nastavením ovlivníte prodlení mezi aktualizačními procesy běžícími na pozadí, čímž můžete snížit systémovou zátěž. Pokud 0, použijte doručovací interval." + +#: ../../mod/admin.php:679 +msgid "Maximum Load Average" +msgstr "Maximální průměrné zatížení" + +#: ../../mod/admin.php:679 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Maximální zatížení systému před pozastavením procesů zajišťujících doručování aktualizací - defaultně 50" + +#: ../../mod/admin.php:681 +msgid "Use MySQL full text engine" +msgstr "Použít fulltextový vyhledávací stroj MySQL" + +#: ../../mod/admin.php:681 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Aktivuje fulltextový vyhledávací stroj. Zrychluje vyhledávání ale pouze pro vyhledávání čtyř a více znaků" + +#: ../../mod/admin.php:682 +msgid "Suppress Language" +msgstr "Potlačit Jazyk" + +#: ../../mod/admin.php:682 +msgid "Suppress language information in meta information about a posting." +msgstr "Potlačit jazykové informace v meta informacích o příspěvcích" + +#: ../../mod/admin.php:683 +msgid "Suppress Tags" +msgstr "Potlačit štítky" + +#: ../../mod/admin.php:683 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "" + +#: ../../mod/admin.php:684 +msgid "Path to item cache" +msgstr "Cesta k položkám vyrovnávací paměti" + +#: ../../mod/admin.php:685 +msgid "Cache duration in seconds" +msgstr "Doba platnosti vyrovnávací paměti v sekundách" + +#: ../../mod/admin.php:685 +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 "Jak dlouho by měla vyrovnávací paměť držet data? Výchozí hodnota je 86400 sekund (Jeden den). Pro vypnutí funkce vyrovnávací paměti nastavte hodnotu na -1." + +#: ../../mod/admin.php:686 +msgid "Maximum numbers of comments per post" +msgstr "Maximální počet komentářů k příspěvku" + +#: ../../mod/admin.php:686 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Kolik komentářů by mělo být zobrazeno k každému příspěvku? Defaultní hodnota je 100." + +#: ../../mod/admin.php:687 +msgid "Path for lock file" +msgstr "Cesta k souboru zámku" + +#: ../../mod/admin.php:688 +msgid "Temp path" +msgstr "Cesta k dočasným souborům" + +#: ../../mod/admin.php:689 +msgid "Base path to installation" +msgstr "Základní cesta k instalaci" + +#: ../../mod/admin.php:690 +msgid "Disable picture proxy" +msgstr "Vypnutí obrázkové proxy" + +#: ../../mod/admin.php:690 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "Obrázková proxi zvyšuje výkonnost a soukromí. Neměla by být použita na systémech s pomalým připojením k síti." + +#: ../../mod/admin.php:691 +msgid "Enable old style pager" +msgstr "" + +#: ../../mod/admin.php:691 +msgid "" +"The old style pager has page numbers but slows down massively the page " +"speed." +msgstr "" + +#: ../../mod/admin.php:692 +msgid "Only search in tags" +msgstr "" + +#: ../../mod/admin.php:692 +msgid "On large systems the text search can slow down the system extremely." +msgstr "" + +#: ../../mod/admin.php:694 +msgid "New base url" +msgstr "Nová výchozí url adresa" + +#: ../../mod/admin.php:711 +msgid "Update has been marked successful" +msgstr "Aktualizace byla označena jako úspěšná." + +#: ../../mod/admin.php:719 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "Aktualizace struktury databáze %s byla úspěšně aplikována." + +#: ../../mod/admin.php:722 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "Provádění aktualizace databáze %s skončilo chybou: %s" + +#: ../../mod/admin.php:734 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "Vykonávání %s selhalo s chybou: %s" + +#: ../../mod/admin.php:737 +#, php-format +msgid "Update %s was successfully applied." +msgstr "Aktualizace %s byla úspěšně aplikována." + +#: ../../mod/admin.php:741 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "Aktualizace %s nevrátila žádný status. Není zřejmé, jestli byla úspěšná." + +#: ../../mod/admin.php:743 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "Nebyla nalezena žádná další aktualizační funkce %s která by měla být volána." + +#: ../../mod/admin.php:762 +msgid "No failed updates." +msgstr "Žádné neúspěšné aktualizace." + +#: ../../mod/admin.php:763 +msgid "Check database structure" +msgstr "Ověření struktury databáze" + +#: ../../mod/admin.php:768 +msgid "Failed Updates" +msgstr "Neúspěšné aktualizace" + +#: ../../mod/admin.php:769 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "To nezahrnuje aktualizace do verze 1139, které nevracejí žádný status." + +#: ../../mod/admin.php:770 +msgid "Mark success (if update was manually applied)" +msgstr "Označit za úspěšné (pokud byla aktualizace aplikována manuálně)" + +#: ../../mod/admin.php:771 +msgid "Attempt to execute this update step automatically" +msgstr "Pokusit se provést tuto aktualizaci automaticky." + +#: ../../mod/admin.php:803 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\n\t\t\tDrahý %1$s,\n\t\t\t\tadministrátor webu %2$s pro Vás vytvořil uživatelský účet." + +#: ../../mod/admin.php:806 +#, php-format +msgid "" +"\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." +msgstr "" + +#: ../../mod/admin.php:838 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "Registrační údaje pro %s" + +#: ../../mod/admin.php:850 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s uživatel blokován/odblokován" +msgstr[1] "%s uživatelů blokováno/odblokováno" +msgstr[2] "%s uživatelů blokováno/odblokováno" + +#: ../../mod/admin.php:857 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s uživatel smazán" +msgstr[1] "%s uživatelů smazáno" +msgstr[2] "%s uživatelů smazáno" + +#: ../../mod/admin.php:896 +#, php-format +msgid "User '%s' deleted" +msgstr "Uživatel '%s' smazán" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' unblocked" +msgstr "Uživatel '%s' odblokován" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' blocked" +msgstr "Uživatel '%s' blokován" + +#: ../../mod/admin.php:999 +msgid "Add User" +msgstr "Přidat Uživatele" + +#: ../../mod/admin.php:1000 +msgid "select all" +msgstr "Vybrat vše" + +#: ../../mod/admin.php:1001 +msgid "User registrations waiting for confirm" +msgstr "Registrace uživatele čeká na potvrzení" + +#: ../../mod/admin.php:1002 +msgid "User waiting for permanent deletion" +msgstr "Uživatel čeká na trvalé smazání" + +#: ../../mod/admin.php:1003 +msgid "Request date" +msgstr "Datum žádosti" + +#: ../../mod/admin.php:1003 ../../mod/admin.php:1015 ../../mod/admin.php:1016 +#: ../../mod/admin.php:1031 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "E-mail" + +#: ../../mod/admin.php:1004 +msgid "No registrations." +msgstr "Žádné registrace." + +#: ../../mod/admin.php:1006 +msgid "Deny" +msgstr "Odmítnout" + +#: ../../mod/admin.php:1010 +msgid "Site admin" +msgstr "Site administrátor" + +#: ../../mod/admin.php:1011 +msgid "Account expired" +msgstr "Účtu vypršela platnost" + +#: ../../mod/admin.php:1014 +msgid "New User" +msgstr "Nový uživatel" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Register date" +msgstr "Datum registrace" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last login" +msgstr "Datum posledního přihlášení" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last item" +msgstr "Poslední položka" + +#: ../../mod/admin.php:1015 +msgid "Deleted since" +msgstr "Smazán od" + +#: ../../mod/admin.php:1016 ../../mod/settings.php:36 +msgid "Account" +msgstr "Účet" + +#: ../../mod/admin.php:1018 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Vybraní uživatelé budou smazáni!\\n\\n Vše, co tito uživatelé na těchto stránkách vytvořili, bude trvale odstraněno!\\n\\n Opravdu pokračovat?" + +#: ../../mod/admin.php:1019 +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 "Uživatel {0} bude smazán!\\n\\n Vše, co tento uživatel na těchto stránkách vytvořil, bude trvale odstraněno!\\n\\n Opravdu pokračovat?" + +#: ../../mod/admin.php:1029 +msgid "Name of the new user." +msgstr "Jméno nového uživatele" + +#: ../../mod/admin.php:1030 +msgid "Nickname" +msgstr "Přezdívka" + +#: ../../mod/admin.php:1030 +msgid "Nickname of the new user." +msgstr "Přezdívka nového uživatele." + +#: ../../mod/admin.php:1031 +msgid "Email address of the new user." +msgstr "Emailová adresa nového uživatele." + +#: ../../mod/admin.php:1064 +#, php-format +msgid "Plugin %s disabled." +msgstr "Plugin %s zakázán." + +#: ../../mod/admin.php:1068 +#, php-format +msgid "Plugin %s enabled." +msgstr "Plugin %s povolen." + +#: ../../mod/admin.php:1078 ../../mod/admin.php:1294 +msgid "Disable" +msgstr "Zakázat" + +#: ../../mod/admin.php:1080 ../../mod/admin.php:1296 +msgid "Enable" +msgstr "Povolit" + +#: ../../mod/admin.php:1103 ../../mod/admin.php:1324 +msgid "Toggle" +msgstr "Přepnout" + +#: ../../mod/admin.php:1111 ../../mod/admin.php:1334 +msgid "Author: " +msgstr "Autor: " + +#: ../../mod/admin.php:1112 ../../mod/admin.php:1335 +msgid "Maintainer: " +msgstr "Správce: " + +#: ../../mod/admin.php:1254 +msgid "No themes found." +msgstr "Nenalezeny žádná témata." + +#: ../../mod/admin.php:1316 +msgid "Screenshot" +msgstr "Snímek obrazovky" + +#: ../../mod/admin.php:1362 +msgid "[Experimental]" +msgstr "[Experimentální]" + +#: ../../mod/admin.php:1363 +msgid "[Unsupported]" +msgstr "[Nepodporováno]" + +#: ../../mod/admin.php:1390 +msgid "Log settings updated." +msgstr "Nastavení protokolu aktualizováno." + +#: ../../mod/admin.php:1446 +msgid "Clear" +msgstr "Vyčistit" + +#: ../../mod/admin.php:1452 +msgid "Enable Debugging" +msgstr "Povolit ladění" + +#: ../../mod/admin.php:1453 +msgid "Log file" +msgstr "Soubor s logem" + +#: ../../mod/admin.php:1453 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Musí být editovatelné web serverem. Relativní cesta k vašemu kořenovému adresáři Friendica" + +#: ../../mod/admin.php:1454 +msgid "Log level" +msgstr "Úroveň auditu" + +#: ../../mod/admin.php:1504 +msgid "Close" +msgstr "Zavřít" + +#: ../../mod/admin.php:1510 +msgid "FTP Host" +msgstr "Hostitel FTP" + +#: ../../mod/admin.php:1511 +msgid "FTP Path" +msgstr "Cesta FTP" + +#: ../../mod/admin.php:1512 +msgid "FTP User" +msgstr "FTP uživatel" + +#: ../../mod/admin.php:1513 +msgid "FTP Password" +msgstr "FTP heslo" #: ../../mod/network.php:142 msgid "Search Results For:" msgstr "Výsledky hledání pro:" -#: ../../mod/network.php:185 ../../mod/_search.php:21 ../../mod/search.php:21 +#: ../../mod/network.php:185 ../../mod/search.php:21 msgid "Remove term" msgstr "Odstranit termín" -#: ../../mod/network.php:194 ../../mod/_search.php:30 ../../mod/search.php:30 +#: ../../mod/network.php:194 ../../mod/search.php:30 #: ../../include/features.php:42 msgid "Saved Searches" msgstr "Uložená hledání" @@ -1655,10 +2903,6 @@ msgstr "Dle data" msgid "Sort by Post Date" msgstr "Řadit podle data příspěvku" -#: ../../mod/network.php:371 ../../mod/notifications.php:88 -msgid "Personal" -msgstr "Osobní" - #: ../../mod/network.php:374 msgid "Posts that mention or involve you" msgstr "Příspěvky, které Vás zmiňují nebo zahrnují" @@ -1724,6 +2968,280 @@ msgstr "Soukromé zprávy této osobě jsou vystaveny riziku prozrazení." msgid "Invalid contact." msgstr "Neplatný kontakt." +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Přátelé uživatele %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Žádní přátelé k zobrazení" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Název události a datum začátku jsou vyžadovány." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l, F j" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Editovat událost" + +#: ../../mod/events.php:335 ../../include/text.php:1647 +#: ../../include/text.php:1657 +msgid "link to source" +msgstr "odkaz na zdroj" + +#: ../../mod/events.php:370 ../../boot.php:2143 ../../include/nav.php:80 +#: ../../view/theme/diabook/theme.php:127 +msgid "Events" +msgstr "Události" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Vytvořit novou událost" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Předchozí" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Dále" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "hodina:minuta" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Detaily události" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Formát je %s %s. Datum začátku a Název jsou vyžadovány." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "Událost začíná:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Vyžadováno" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "Datum/čas konce není zadán nebo není relevantní" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "Akce končí:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "Nastavit časové pásmo pro uživatele s právem pro čtení" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Popis:" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1648 +#: ../../include/bb2diaspora.php:170 ../../include/event.php:40 +msgid "Location:" +msgstr "Místo:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Název:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Sdílet tuto událost" + +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../mod/photos.php:1653 ../../object/Item.php:129 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "Vybrat" + +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Zobrazit profil uživatele %s na %s" + +#: ../../mod/content.php:481 ../../mod/content.php:864 +#: ../../object/Item.php:340 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s od %s" + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "Pohled v kontextu" + +#: ../../mod/content.php:603 ../../object/Item.php:387 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d komentář" +msgstr[1] "%d komentářů" +msgstr[2] "%d komentářů" + +#: ../../mod/content.php:605 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../include/text.php:1972 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "" +msgstr[2] "komentář" + +#: ../../mod/content.php:606 ../../boot.php:751 ../../object/Item.php:390 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "zobrazit více" + +#: ../../mod/content.php:620 ../../mod/photos.php:1359 +#: ../../object/Item.php:116 +msgid "Private Message" +msgstr "Soukromá zpráva" + +#: ../../mod/content.php:684 ../../mod/photos.php:1542 +#: ../../object/Item.php:231 +msgid "I like this (toggle)" +msgstr "Líbí se mi to (přepínač)" + +#: ../../mod/content.php:684 ../../object/Item.php:231 +msgid "like" +msgstr "má rád" + +#: ../../mod/content.php:685 ../../mod/photos.php:1543 +#: ../../object/Item.php:232 +msgid "I don't like this (toggle)" +msgstr "Nelíbí se mi to (přepínač)" + +#: ../../mod/content.php:685 ../../object/Item.php:232 +msgid "dislike" +msgstr "nemá rád" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "Share this" +msgstr "Sdílet toto" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "share" +msgstr "sdílí" + +#: ../../mod/content.php:707 ../../mod/photos.php:1562 +#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 +#: ../../object/Item.php:675 +msgid "This is you" +msgstr "Nastavte Vaši polohu" + +#: ../../mod/content.php:709 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 ../../boot.php:750 +#: ../../object/Item.php:361 ../../object/Item.php:677 +msgid "Comment" +msgstr "Okomentovat" + +#: ../../mod/content.php:711 ../../object/Item.php:679 +msgid "Bold" +msgstr "Tučné" + +#: ../../mod/content.php:712 ../../object/Item.php:680 +msgid "Italic" +msgstr "Kurzíva" + +#: ../../mod/content.php:713 ../../object/Item.php:681 +msgid "Underline" +msgstr "Podrtžené" + +#: ../../mod/content.php:714 ../../object/Item.php:682 +msgid "Quote" +msgstr "Citovat" + +#: ../../mod/content.php:715 ../../object/Item.php:683 +msgid "Code" +msgstr "Kód" + +#: ../../mod/content.php:716 ../../object/Item.php:684 +msgid "Image" +msgstr "Obrázek" + +#: ../../mod/content.php:717 ../../object/Item.php:685 +msgid "Link" +msgstr "Odkaz" + +#: ../../mod/content.php:718 ../../object/Item.php:686 +msgid "Video" +msgstr "Video" + +#: ../../mod/content.php:719 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1566 ../../mod/photos.php:1610 +#: ../../mod/photos.php:1698 ../../object/Item.php:687 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "Náhled" + +#: ../../mod/content.php:728 ../../mod/settings.php:676 +#: ../../object/Item.php:120 +msgid "Edit" +msgstr "Upravit" + +#: ../../mod/content.php:753 ../../object/Item.php:195 +msgid "add star" +msgstr "přidat hvězdu" + +#: ../../mod/content.php:754 ../../object/Item.php:196 +msgid "remove star" +msgstr "odebrat hvězdu" + +#: ../../mod/content.php:755 ../../object/Item.php:197 +msgid "toggle star status" +msgstr "přepnout hvězdu" + +#: ../../mod/content.php:758 ../../object/Item.php:200 +msgid "starred" +msgstr "označeno hvězdou" + +#: ../../mod/content.php:759 ../../object/Item.php:220 +msgid "add tag" +msgstr "přidat štítek" + +#: ../../mod/content.php:763 ../../object/Item.php:133 +msgid "save to folder" +msgstr "uložit do složky" + +#: ../../mod/content.php:854 ../../object/Item.php:328 +msgid "to" +msgstr "pro" + +#: ../../mod/content.php:855 ../../object/Item.php:330 +msgid "Wall-to-Wall" +msgstr "Zeď-na-Zeď" + +#: ../../mod/content.php:856 ../../object/Item.php:331 +msgid "via Wall-To-Wall:" +msgstr "přes Zeď-na-Zeď " + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Odstranit můj účet" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Tímto bude kompletně odstraněn váš účet. Jakmile bude účet odstraněn, nebude už možné ho obnovit." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Prosím, zadejte své heslo pro ověření:" + #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" msgstr "Friendica Komunikační server - Nastavení" @@ -1755,10 +3273,6 @@ msgstr "Přečtěte si prosím informace v souboru \"INSTALL.txt\"." msgid "System check" msgstr "Testování systému" -#: ../../mod/install.php:207 ../../mod/events.php:373 -msgid "Next" -msgstr "Dále" - #: ../../mod/install.php:208 msgid "Check again" msgstr "Otestovat znovu" @@ -2019,1314 +3533,25 @@ msgid "" "poller." msgstr "Webový instalátor musí být schopen vytvořit soubor s názvem \".htconfig.php\" v hlavním adresáři Vašeho webového serveru ale nyní mu to není umožněno." -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "Nastavení téma zobrazení bylo aktualizováno." - -#: ../../mod/admin.php:104 ../../mod/admin.php:601 -msgid "Site" -msgstr "Web" - -#: ../../mod/admin.php:105 ../../mod/admin.php:976 ../../mod/admin.php:991 -msgid "Users" -msgstr "Uživatelé" - -#: ../../mod/admin.php:106 ../../mod/admin.php:1080 ../../mod/admin.php:1133 -#: ../../mod/settings.php:57 -msgid "Plugins" -msgstr "Pluginy" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1301 ../../mod/admin.php:1335 -msgid "Themes" -msgstr "Témata" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "Aktualizace databáze" - -#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1422 -msgid "Logs" -msgstr "Logy" - -#: ../../mod/admin.php:124 -msgid "probe address" -msgstr "vyzkoušet adresu" - -#: ../../mod/admin.php:125 -msgid "check webfinger" -msgstr "vyzkoušet webfinger" - -#: ../../mod/admin.php:130 ../../include/nav.php:182 -msgid "Admin" -msgstr "Administrace" - -#: ../../mod/admin.php:131 -msgid "Plugin Features" -msgstr "Funkčnosti rozšíření" - -#: ../../mod/admin.php:133 -msgid "diagnostics" -msgstr "diagnostika" - -#: ../../mod/admin.php:134 -msgid "User registrations waiting for confirmation" -msgstr "Registrace uživatele čeká na potvrzení" - -#: ../../mod/admin.php:193 ../../mod/admin.php:930 -msgid "Normal Account" -msgstr "Normální účet" - -#: ../../mod/admin.php:194 ../../mod/admin.php:931 -msgid "Soapbox Account" -msgstr "Soapbox účet" - -#: ../../mod/admin.php:195 ../../mod/admin.php:932 -msgid "Community/Celebrity Account" -msgstr "Komunitní účet / Účet celebrity" - -#: ../../mod/admin.php:196 ../../mod/admin.php:933 -msgid "Automatic Friend Account" -msgstr "Účet s automatickým schvalováním přátel" - -#: ../../mod/admin.php:197 -msgid "Blog Account" -msgstr "Účet Blogu" - -#: ../../mod/admin.php:198 -msgid "Private Forum" -msgstr "Soukromé fórum" - -#: ../../mod/admin.php:217 -msgid "Message queues" -msgstr "Fronty zpráv" - -#: ../../mod/admin.php:222 ../../mod/admin.php:600 ../../mod/admin.php:975 -#: ../../mod/admin.php:1079 ../../mod/admin.php:1132 ../../mod/admin.php:1300 -#: ../../mod/admin.php:1334 ../../mod/admin.php:1421 -msgid "Administration" -msgstr "Administrace" - -#: ../../mod/admin.php:223 -msgid "Summary" -msgstr "Shrnutí" - -#: ../../mod/admin.php:225 -msgid "Registered users" -msgstr "Registrovaní uživatelé" - -#: ../../mod/admin.php:227 -msgid "Pending registrations" -msgstr "Čekající registrace" - -#: ../../mod/admin.php:228 -msgid "Version" -msgstr "Verze" - -#: ../../mod/admin.php:232 -msgid "Active plugins" -msgstr "Aktivní pluginy" - -#: ../../mod/admin.php:255 -msgid "Can not parse base url. Must have at least ://" -msgstr "Nelze zpracovat výchozí url adresu. Musí obsahovat alespoň ://" - -#: ../../mod/admin.php:505 -msgid "Site settings updated." -msgstr "Nastavení webu aktualizováno." - -#: ../../mod/admin.php:534 ../../mod/settings.php:828 -msgid "No special theme for mobile devices" -msgstr "žádné speciální téma pro mobilní zařízení" - -#: ../../mod/admin.php:551 ../../mod/contacts.php:419 -msgid "Never" -msgstr "Nikdy" - -#: ../../mod/admin.php:552 -msgid "At post arrival" -msgstr "Při obdržení příspěvku" - -#: ../../mod/admin.php:553 ../../include/contact_selectors.php:56 -msgid "Frequently" -msgstr "Často" - -#: ../../mod/admin.php:554 ../../include/contact_selectors.php:57 -msgid "Hourly" -msgstr "každou hodinu" - -#: ../../mod/admin.php:555 ../../include/contact_selectors.php:58 -msgid "Twice daily" -msgstr "Dvakrát denně" - -#: ../../mod/admin.php:556 ../../include/contact_selectors.php:59 -msgid "Daily" -msgstr "denně" - -#: ../../mod/admin.php:561 -msgid "Multi user instance" -msgstr "Více uživatelská instance" - -#: ../../mod/admin.php:584 -msgid "Closed" -msgstr "Uzavřeno" - -#: ../../mod/admin.php:585 -msgid "Requires approval" -msgstr "Vyžaduje schválení" - -#: ../../mod/admin.php:586 -msgid "Open" -msgstr "Otevřená" - -#: ../../mod/admin.php:590 -msgid "No SSL policy, links will track page SSL state" -msgstr "Žádná SSL politika, odkazy budou následovat stránky SSL stav" - -#: ../../mod/admin.php:591 -msgid "Force all links to use SSL" -msgstr "Vyžadovat u všech odkazů použití SSL" - -#: ../../mod/admin.php:592 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Certifikát podepsaný sám sebou, použít SSL pouze pro lokální odkazy (nedoporučeno)" - -#: ../../mod/admin.php:602 ../../mod/admin.php:1134 ../../mod/admin.php:1336 -#: ../../mod/admin.php:1423 ../../mod/settings.php:614 -#: ../../mod/settings.php:724 ../../mod/settings.php:798 -#: ../../mod/settings.php:880 ../../mod/settings.php:1113 -msgid "Save Settings" -msgstr "Uložit Nastavení" - -#: ../../mod/admin.php:604 -msgid "File upload" -msgstr "Nahrání souborů" - -#: ../../mod/admin.php:605 -msgid "Policies" -msgstr "Politiky" - -#: ../../mod/admin.php:606 -msgid "Advanced" -msgstr "Pokročilé" - -#: ../../mod/admin.php:607 -msgid "Performance" -msgstr "Výkonnost" - -#: ../../mod/admin.php:608 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "Změna umístění - Varování: pokročilá funkčnost. Tímto můžete znepřístupnit server." - -#: ../../mod/admin.php:611 -msgid "Site name" -msgstr "Název webu" - -#: ../../mod/admin.php:612 -msgid "Host name" -msgstr "Jméno hostitele (host name)" - -#: ../../mod/admin.php:613 -msgid "Sender Email" -msgstr "Email ddesílatele" - -#: ../../mod/admin.php:614 -msgid "Banner/Logo" -msgstr "Banner/logo" - -#: ../../mod/admin.php:615 -msgid "Additional Info" -msgstr "Dodatečné informace" - -#: ../../mod/admin.php:615 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "Pro veřejné servery: zde můžete doplnit dodatečné informace, které budou uvedeny v seznamu na dir.friendica.com/siteinfo." - -#: ../../mod/admin.php:616 -msgid "System language" -msgstr "Systémový jazyk" - -#: ../../mod/admin.php:617 -msgid "System theme" -msgstr "Grafická šablona systému " - -#: ../../mod/admin.php:617 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Defaultní systémové téma - může být změněno v uživatelských profilech - změnit theme settings" - -#: ../../mod/admin.php:618 -msgid "Mobile system theme" -msgstr "Systémové téma zobrazení pro mobilní zařízení" - -#: ../../mod/admin.php:618 -msgid "Theme for mobile devices" -msgstr "Téma zobrazení pro mobilní zařízení" - -#: ../../mod/admin.php:619 -msgid "SSL link policy" -msgstr "Politika SSL odkazů" - -#: ../../mod/admin.php:619 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Určuje, zda-li budou generované odkazy používat SSL" - -#: ../../mod/admin.php:620 -msgid "Force SSL" -msgstr "Vynutit SSL" - -#: ../../mod/admin.php:620 -msgid "" -"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" -" to endless loops." -msgstr "Vynutit SSL pro všechny ne-SSL žádosti - Upozornění: na některých systémech může dojít k nekonečnému zacyklení." - -#: ../../mod/admin.php:621 -msgid "Old style 'Share'" -msgstr "Sdílení \"postaru\"" - -#: ../../mod/admin.php:621 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "Deaktivovat bbcode element \"share\" pro opakující se položky." - -#: ../../mod/admin.php:622 -msgid "Hide help entry from navigation menu" -msgstr "skrýt nápovědu z navigačního menu" - -#: ../../mod/admin.php:622 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Skryje menu ze stránek Nápověda z navigačního menu. Nápovědu můžete stále zobrazit přímo zadáním /help." - -#: ../../mod/admin.php:623 -msgid "Single user instance" -msgstr "Jednouživatelská instance" - -#: ../../mod/admin.php:623 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Nastavit tuto instanci víceuživatelskou nebo jednouživatelskou pro pojmenovaného uživatele" - -#: ../../mod/admin.php:624 -msgid "Maximum image size" -msgstr "Maximální velikost obrázků" - -#: ../../mod/admin.php:624 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Maximální velikost v bajtech nahraných obrázků. Defaultní je 0, což znamená neomezeno." - -#: ../../mod/admin.php:625 -msgid "Maximum image length" -msgstr "Maximální velikost obrázků" - -#: ../../mod/admin.php:625 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Maximální délka v pixelech delší stránky nahrávaných obrázků. Defaultně je -1, což označuje bez limitu" - -#: ../../mod/admin.php:626 -msgid "JPEG image quality" -msgstr "JPEG kvalita obrázku" - -#: ../../mod/admin.php:626 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Nahrávaný JPEG bude uložen se zadanou kvalitou v rozmezí [0-100]. Defaultní je 100, což znamená plnou kvalitu." - -#: ../../mod/admin.php:628 -msgid "Register policy" -msgstr "Politika registrace" - -#: ../../mod/admin.php:629 -msgid "Maximum Daily Registrations" -msgstr "Maximální počet denních registrací" - -#: ../../mod/admin.php:629 -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 "Pokud je registrace výše povolena, zde se nastaví maximální počet registrací nových uživatelů za den.\nPokud je registrace zakázána, toto nastavení nemá žádný efekt." - -#: ../../mod/admin.php:630 -msgid "Register text" -msgstr "Registrace textu" - -#: ../../mod/admin.php:630 -msgid "Will be displayed prominently on the registration page." -msgstr "Bude zřetelně zobrazeno na registrační stránce." - -#: ../../mod/admin.php:631 -msgid "Accounts abandoned after x days" -msgstr "Účet je opuštěn po x dnech" - -#: ../../mod/admin.php:631 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Neztrácejte systémové zdroje kontaktováním externích webů s opuštěnými účty. Zadejte 0 pro žádný časový limit." - -#: ../../mod/admin.php:632 -msgid "Allowed friend domains" -msgstr "Povolené domény přátel" - -#: ../../mod/admin.php:632 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Čárkou oddělený seznam domén, kterým je povoleno navazovat přátelství s tímto webem. Zástupné znaky (wildcards) jsou povoleny. Prázné znamená libovolnou doménu." - -#: ../../mod/admin.php:633 -msgid "Allowed email domains" -msgstr "Povolené e-mailové domény" - -#: ../../mod/admin.php:633 -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 "Čárkou oddělený seznam domén emalových adres, kterým je povoleno provádět registraci na tomto webu. Zástupné znaky (wildcards) jsou povoleny. Prázné znamená libovolnou doménu." - -#: ../../mod/admin.php:634 -msgid "Block public" -msgstr "Blokovat veřejnost" - -#: ../../mod/admin.php:634 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Označemím přepínače zablokujete veřejný přístup ke všem jinak veřejně přístupným soukromým stránkám uživatelům, kteří nebudou přihlášeni." - -#: ../../mod/admin.php:635 -msgid "Force publish" -msgstr "Publikovat" - -#: ../../mod/admin.php:635 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Označením přepínače budou včechny profily na tomto webu uvedeny v adresáři webu." - -#: ../../mod/admin.php:636 -msgid "Global directory update URL" -msgstr "aktualizace URL adresy Globálního adresáře " - -#: ../../mod/admin.php:636 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL adresa k aktualizaci globálního adresáře. Pokud není zadáno, funkce globálního adresáře není dostupná žádné aplikaci." - -#: ../../mod/admin.php:637 -msgid "Allow threaded items" -msgstr "Povolit vícevláknové zpracování obsahu" - -#: ../../mod/admin.php:637 -msgid "Allow infinite level threading for items on this site." -msgstr "Povolit zpracování obsahu tohoto webu neomezeným počtem paralelních vláken." - -#: ../../mod/admin.php:638 -msgid "Private posts by default for new users" -msgstr "Nastavit pro nové uživatele příspěvky jako soukromé" - -#: ../../mod/admin.php:638 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Nastavit defaultní práva pro příspěvky od všech nových členů na výchozí soukromou skupinu raději než jako veřejné." - -#: ../../mod/admin.php:639 -msgid "Don't include post content in email notifications" -msgstr "Nezahrnovat obsah příspěvků v emailových upozorněních" - -#: ../../mod/admin.php:639 -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 " V mailových upozorněních, které jsou odesílány z tohoto webu jako soukromé zprávy, nejsou z důvodů bezpečnosti obsaženy příspěvky/komentáře/soukromé zprávy apod. " - -#: ../../mod/admin.php:640 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Zakázat veřejný přístup k rozšířením uvedeným v menu aplikace." - -#: ../../mod/admin.php:640 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Označení této volby omezí rozšíření uvedená v menu aplikace pouze pro členy." - -#: ../../mod/admin.php:641 -msgid "Don't embed private images in posts" -msgstr "Nepovolit přidávání soukromých správ v příspěvcích" - -#: ../../mod/admin.php:641 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "Nereplikovat lokální soukromé fotografie v příspěvcích s přidáním kopie obrázku. To znamená, že kontakty, které obdrží příspěvek obsahující soukromé fotografie se budou muset přihlásit a načíst každý obrázek, což může zabrat nějaký čas." - -#: ../../mod/admin.php:642 -msgid "Allow Users to set remote_self" -msgstr "Umožnit uživatelům nastavit " - -#: ../../mod/admin.php:642 -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 "S tímto označením má každý uživatel možnost označit jakékoliv ze svých kontakt jako \"remote_self\" v nastavení v dialogu opravit kontakt. Tímto označením se budou zrcadlit všechny správy tohoto kontaktu v uživatelově proudu." - -#: ../../mod/admin.php:643 -msgid "Block multiple registrations" -msgstr "Blokovat více registrací" - -#: ../../mod/admin.php:643 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Znemožnit uživatelům registraci dodatečných účtů k použití jako stránky." - -#: ../../mod/admin.php:644 -msgid "OpenID support" -msgstr "podpora OpenID" - -#: ../../mod/admin.php:644 -msgid "OpenID support for registration and logins." -msgstr "Podpora OpenID pro registraci a přihlašování." - -#: ../../mod/admin.php:645 -msgid "Fullname check" -msgstr "kontrola úplného jména" - -#: ../../mod/admin.php:645 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Přimět uživatele k registraci s mezerou mezi jménu a příjmením v poli Celé jméno, jako antispamové opatření." - -#: ../../mod/admin.php:646 -msgid "UTF-8 Regular expressions" -msgstr "UTF-8 Regulární výrazy" - -#: ../../mod/admin.php:646 -msgid "Use PHP UTF8 regular expressions" -msgstr "Použít PHP UTF8 regulární výrazy." - -#: ../../mod/admin.php:647 -msgid "Show Community Page" -msgstr "Zobrazit stránku komunity" - -#: ../../mod/admin.php:647 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Zobrazit Komunitní stránku zobrazující všechny veřejné příspěvky napsané na této stránce." - -#: ../../mod/admin.php:648 -msgid "Enable OStatus support" -msgstr "Zapnout podporu OStatus" - -#: ../../mod/admin.php:648 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "Poskytnout zabudouvanou kompatibilitu s OStatus (StatusNet, GNU Social apod.). Veškerá komunikace s OStatus je veřejná, proto bude občas zobrazeno upozornění." - -#: ../../mod/admin.php:649 -msgid "OStatus conversation completion interval" -msgstr "Interval dokončení konverzace OStatus" - -#: ../../mod/admin.php:649 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "Jak často by mělo probíhat ověřování pro nové přísvěvky v konverzacích OStatus? Toto může být velmi výkonově náročný úkol." - -#: ../../mod/admin.php:650 -msgid "Enable Diaspora support" -msgstr "Povolit podporu Diaspora" - -#: ../../mod/admin.php:650 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Poskytnout zabudovanou kompatibilitu sitě Diaspora." - -#: ../../mod/admin.php:651 -msgid "Only allow Friendica contacts" -msgstr "Povolit pouze Friendica kontakty" - -#: ../../mod/admin.php:651 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Všechny kontakty musí používat Friendica protokol. Všchny jiné zabudované komunikační protokoly budou zablokované." - -#: ../../mod/admin.php:652 -msgid "Verify SSL" -msgstr "Ověřit SSL" - -#: ../../mod/admin.php:652 -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 "Pokud si přejete, můžete vynutit striktní ověřování certifikátů. To znamená že se nebudete moci připojit k žádnému serveru s vlastním SSL certifikátem." - -#: ../../mod/admin.php:653 -msgid "Proxy user" -msgstr "Proxy uživatel" - -#: ../../mod/admin.php:654 -msgid "Proxy URL" -msgstr "Proxy URL adresa" - -#: ../../mod/admin.php:655 -msgid "Network timeout" -msgstr "čas síťového spojení vypršelo (timeout)" - -#: ../../mod/admin.php:655 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Hodnota ve vteřinách. Nastavte 0 pro neomezeno (není doporučeno)." - -#: ../../mod/admin.php:656 -msgid "Delivery interval" -msgstr "Interval doručování" - -#: ../../mod/admin.php:656 -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 "Prodleva mezi doručovacími procesy běžícími na pozadí snižuje zátěž systému. Doporučené nastavení: 4-5 pro sdílené instalace, 2-3 pro virtuální soukromé servery, 0-1 pro velké dedikované servery." - -#: ../../mod/admin.php:657 -msgid "Poll interval" -msgstr "Dotazovací interval" - -#: ../../mod/admin.php:657 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Tímto nastavením ovlivníte prodlení mezi aktualizačními procesy běžícími na pozadí, čímž můžete snížit systémovou zátěž. Pokud 0, použijte doručovací interval." - -#: ../../mod/admin.php:658 -msgid "Maximum Load Average" -msgstr "Maximální průměrné zatížení" - -#: ../../mod/admin.php:658 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Maximální zatížení systému před pozastavením procesů zajišťujících doručování aktualizací - defaultně 50" - -#: ../../mod/admin.php:660 -msgid "Use MySQL full text engine" -msgstr "Použít fulltextový vyhledávací stroj MySQL" - -#: ../../mod/admin.php:660 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Aktivuje fulltextový vyhledávací stroj. Zrychluje vyhledávání ale pouze pro vyhledávání čtyř a více znaků" - -#: ../../mod/admin.php:661 -msgid "Suppress Language" -msgstr "Potlačit Jazyk" - -#: ../../mod/admin.php:661 -msgid "Suppress language information in meta information about a posting." -msgstr "Potlačit jazykové informace v meta informacích o příspěvcích" - -#: ../../mod/admin.php:662 -msgid "Path to item cache" -msgstr "Cesta k položkám vyrovnávací paměti" - -#: ../../mod/admin.php:663 -msgid "Cache duration in seconds" -msgstr "Doba platnosti vyrovnávací paměti v sekundách" - -#: ../../mod/admin.php:663 -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 "Jak dlouho by měla vyrovnávací paměť držet data? Výchozí hodnota je 86400 sekund (Jeden den). Pro vypnutí funkce vyrovnávací paměti nastavte hodnotu na -1." - -#: ../../mod/admin.php:664 -msgid "Maximum numbers of comments per post" -msgstr "Maximální počet komentářů k příspěvku" - -#: ../../mod/admin.php:664 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "Kolik komentářů by mělo být zobrazeno k každému příspěvku? Defaultní hodnota je 100." - -#: ../../mod/admin.php:665 -msgid "Path for lock file" -msgstr "Cesta k souboru zámku" - -#: ../../mod/admin.php:666 -msgid "Temp path" -msgstr "Cesta k dočasným souborům" - -#: ../../mod/admin.php:667 -msgid "Base path to installation" -msgstr "Základní cesta k instalaci" - -#: ../../mod/admin.php:668 -msgid "Disable picture proxy" -msgstr "Vypnutí obrázkové proxy" - -#: ../../mod/admin.php:668 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "Obrázková proxi zvyšuje výkonnost a soukromí. Neměla by být použita na systémech s pomalým připojením k síti." - -#: ../../mod/admin.php:670 -msgid "New base url" -msgstr "Nová výchozí url adresa" - -#: ../../mod/admin.php:672 -msgid "Disable noscrape" -msgstr "Zakázat nonscrape" - -#: ../../mod/admin.php:672 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping. Disabling it will cause higher load on your server" -" and the directory server." -msgstr "Funkčnost noscrape urychlí odesílání adresářů použitím JSON místo HTML. Zakázáním této funkčnosti se zvýší zatížení Vašeho serveru a stejně jako Vašeho adresářového serveru." - -#: ../../mod/admin.php:689 -msgid "Update has been marked successful" -msgstr "Aktualizace byla označena jako úspěšná." - -#: ../../mod/admin.php:697 +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 #, php-format -msgid "Database structure update %s was successfully applied." -msgstr "Aktualizace struktury databáze %s byla úspěšně aplikována." +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Došlo k překročení maximálního počtu zpráv na zeď během jednoho dne. Zpráva %s nedoručena." -#: ../../mod/admin.php:700 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "Provádění aktualizace databáze %s skončilo chybou: %s" +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "Nebylo možné zjistit Vaši domácí lokaci." -#: ../../mod/admin.php:712 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "Vykonávání %s selhalo s chybou: %s" +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Žádný příjemce." -#: ../../mod/admin.php:715 -#, php-format -msgid "Update %s was successfully applied." -msgstr "Aktualizace %s byla úspěšně aplikována." - -#: ../../mod/admin.php:719 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "Aktualizace %s nevrátila žádný status. Není zřejmé, jestli byla úspěšná." - -#: ../../mod/admin.php:721 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "Nebyla nalezena žádná další aktualizační funkce %s která by měla být volána." - -#: ../../mod/admin.php:740 -msgid "No failed updates." -msgstr "Žádné neúspěšné aktualizace." - -#: ../../mod/admin.php:741 -msgid "Check database structure" -msgstr "Ověření struktury databáze" - -#: ../../mod/admin.php:746 -msgid "Failed Updates" -msgstr "Neúspěšné aktualizace" - -#: ../../mod/admin.php:747 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "To nezahrnuje aktualizace do verze 1139, které nevracejí žádný status." - -#: ../../mod/admin.php:748 -msgid "Mark success (if update was manually applied)" -msgstr "Označit za úspěšné (pokud byla aktualizace aplikována manuálně)" - -#: ../../mod/admin.php:749 -msgid "Attempt to execute this update step automatically" -msgstr "Pokusit se provést tuto aktualizaci automaticky." - -#: ../../mod/admin.php:781 +#: ../../mod/wallmessage.php:143 #, php-format msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "\n\t\t\tDrahý %1$s,\n\t\t\t\tadministrátor webu %2$s pro Vás vytvořil uživatelský účet." - -#: ../../mod/admin.php:784 -#, php-format -msgid "" -"\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." -msgstr "" - -#: ../../mod/admin.php:816 ../../include/user.php:413 -#, php-format -msgid "Registration details for %s" -msgstr "Registrační údaje pro %s" - -#: ../../mod/admin.php:828 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s uživatel blokován/odblokován" -msgstr[1] "%s uživatelů blokováno/odblokováno" -msgstr[2] "%s uživatelů blokováno/odblokováno" - -#: ../../mod/admin.php:835 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s uživatel smazán" -msgstr[1] "%s uživatelů smazáno" -msgstr[2] "%s uživatelů smazáno" - -#: ../../mod/admin.php:874 -#, php-format -msgid "User '%s' deleted" -msgstr "Uživatel '%s' smazán" - -#: ../../mod/admin.php:882 -#, php-format -msgid "User '%s' unblocked" -msgstr "Uživatel '%s' odblokován" - -#: ../../mod/admin.php:882 -#, php-format -msgid "User '%s' blocked" -msgstr "Uživatel '%s' blokován" - -#: ../../mod/admin.php:977 -msgid "Add User" -msgstr "Přidat Uživatele" - -#: ../../mod/admin.php:978 -msgid "select all" -msgstr "Vybrat vše" - -#: ../../mod/admin.php:979 -msgid "User registrations waiting for confirm" -msgstr "Registrace uživatele čeká na potvrzení" - -#: ../../mod/admin.php:980 -msgid "User waiting for permanent deletion" -msgstr "Uživatel čeká na trvalé smazání" - -#: ../../mod/admin.php:981 -msgid "Request date" -msgstr "Datum žádosti" - -#: ../../mod/admin.php:981 ../../mod/admin.php:993 ../../mod/admin.php:994 -#: ../../mod/admin.php:1007 ../../mod/crepair.php:165 -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Name" -msgstr "Jméno" - -#: ../../mod/admin.php:981 ../../mod/admin.php:993 ../../mod/admin.php:994 -#: ../../mod/admin.php:1009 ../../include/contact_selectors.php:79 -#: ../../include/contact_selectors.php:86 -msgid "Email" -msgstr "E-mail" - -#: ../../mod/admin.php:982 -msgid "No registrations." -msgstr "Žádné registrace." - -#: ../../mod/admin.php:983 ../../mod/notifications.php:161 -#: ../../mod/notifications.php:208 -msgid "Approve" -msgstr "Schválit" - -#: ../../mod/admin.php:984 -msgid "Deny" -msgstr "Odmítnout" - -#: ../../mod/admin.php:986 ../../mod/contacts.php:442 -#: ../../mod/contacts.php:501 ../../mod/contacts.php:714 -msgid "Block" -msgstr "Blokovat" - -#: ../../mod/admin.php:987 ../../mod/contacts.php:442 -#: ../../mod/contacts.php:501 ../../mod/contacts.php:714 -msgid "Unblock" -msgstr "Odblokovat" - -#: ../../mod/admin.php:988 -msgid "Site admin" -msgstr "Site administrátor" - -#: ../../mod/admin.php:989 -msgid "Account expired" -msgstr "Účtu vypršela platnost" - -#: ../../mod/admin.php:992 -msgid "New User" -msgstr "Nový uživatel" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Register date" -msgstr "Datum registrace" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Last login" -msgstr "Datum posledního přihlášení" - -#: ../../mod/admin.php:993 ../../mod/admin.php:994 -msgid "Last item" -msgstr "Poslední položka" - -#: ../../mod/admin.php:993 -msgid "Deleted since" -msgstr "Smazán od" - -#: ../../mod/admin.php:994 ../../mod/settings.php:36 -msgid "Account" -msgstr "Účet" - -#: ../../mod/admin.php:996 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Vybraní uživatelé budou smazáni!\\n\\n Vše, co tito uživatelé na těchto stránkách vytvořili, bude trvale odstraněno!\\n\\n Opravdu pokračovat?" - -#: ../../mod/admin.php:997 -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 "Uživatel {0} bude smazán!\\n\\n Vše, co tento uživatel na těchto stránkách vytvořil, bude trvale odstraněno!\\n\\n Opravdu pokračovat?" - -#: ../../mod/admin.php:1007 -msgid "Name of the new user." -msgstr "Jméno nového uživatele" - -#: ../../mod/admin.php:1008 -msgid "Nickname" -msgstr "Přezdívka" - -#: ../../mod/admin.php:1008 -msgid "Nickname of the new user." -msgstr "Přezdívka nového uživatele." - -#: ../../mod/admin.php:1009 -msgid "Email address of the new user." -msgstr "Emailová adresa nového uživatele." - -#: ../../mod/admin.php:1042 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s zakázán." - -#: ../../mod/admin.php:1046 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s povolen." - -#: ../../mod/admin.php:1056 ../../mod/admin.php:1272 -msgid "Disable" -msgstr "Zakázat" - -#: ../../mod/admin.php:1058 ../../mod/admin.php:1274 -msgid "Enable" -msgstr "Povolit" - -#: ../../mod/admin.php:1081 ../../mod/admin.php:1302 -msgid "Toggle" -msgstr "Přepnout" - -#: ../../mod/admin.php:1089 ../../mod/admin.php:1312 -msgid "Author: " -msgstr "Autor: " - -#: ../../mod/admin.php:1090 ../../mod/admin.php:1313 -msgid "Maintainer: " -msgstr "Správce: " - -#: ../../mod/admin.php:1232 -msgid "No themes found." -msgstr "Nenalezeny žádná témata." - -#: ../../mod/admin.php:1294 -msgid "Screenshot" -msgstr "Snímek obrazovky" - -#: ../../mod/admin.php:1340 -msgid "[Experimental]" -msgstr "[Experimentální]" - -#: ../../mod/admin.php:1341 -msgid "[Unsupported]" -msgstr "[Nepodporováno]" - -#: ../../mod/admin.php:1368 -msgid "Log settings updated." -msgstr "Nastavení protokolu aktualizováno." - -#: ../../mod/admin.php:1424 -msgid "Clear" -msgstr "Vyčistit" - -#: ../../mod/admin.php:1430 -msgid "Enable Debugging" -msgstr "Povolit ladění" - -#: ../../mod/admin.php:1431 -msgid "Log file" -msgstr "Soubor s logem" - -#: ../../mod/admin.php:1431 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Musí být editovatelné web serverem. Relativní cesta k vašemu kořenovému adresáři Friendica" - -#: ../../mod/admin.php:1432 -msgid "Log level" -msgstr "Úroveň auditu" - -#: ../../mod/admin.php:1481 ../../mod/contacts.php:498 -msgid "Update now" -msgstr "Aktualizovat" - -#: ../../mod/admin.php:1482 -msgid "Close" -msgstr "Zavřít" - -#: ../../mod/admin.php:1488 -msgid "FTP Host" -msgstr "Hostitel FTP" - -#: ../../mod/admin.php:1489 -msgid "FTP Path" -msgstr "Cesta FTP" - -#: ../../mod/admin.php:1490 -msgid "FTP User" -msgstr "FTP uživatel" - -#: ../../mod/admin.php:1491 -msgid "FTP Password" -msgstr "FTP heslo" - -#: ../../mod/_search.php:99 ../../mod/search.php:99 ../../include/text.php:953 -#: ../../include/text.php:954 ../../include/nav.php:119 -msgid "Search" -msgstr "Vyhledávání" - -#: ../../mod/_search.php:180 ../../mod/_search.php:206 -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Žádné výsledky." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Tipy pro nové členy" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "odkaz" - -#: ../../mod/tagger.php:95 ../../include/conversation.php:266 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s označen uživatelem %2$s %3$s s %4$s" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Položka nenalezena" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Upravit příspěvek" - -#: ../../mod/editpost.php:109 ../../mod/notes.php:63 ../../mod/filer.php:31 -#: ../../include/text.php:956 -msgid "Save" -msgstr "Uložit" - -#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 -msgid "upload photo" -msgstr "nahrát fotky" - -#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 -msgid "Attach file" -msgstr "Přiložit soubor" - -#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 -msgid "attach file" -msgstr "přidat soubor" - -#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 -msgid "web link" -msgstr "webový odkaz" - -#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 -msgid "Insert video link" -msgstr "Zadejte odkaz na video" - -#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 -msgid "video link" -msgstr "odkaz na video" - -#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 -msgid "Insert audio link" -msgstr "Zadejte odkaz na zvukový záznam" - -#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 -msgid "audio link" -msgstr "odkaz na audio" - -#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 -msgid "Set your location" -msgstr "Nastavte vaši polohu" - -#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 -msgid "set location" -msgstr "nastavit místo" - -#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 -msgid "Clear browser location" -msgstr "Odstranit adresu v prohlížeči" - -#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 -msgid "clear location" -msgstr "vymazat místo" - -#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 -msgid "Permission settings" -msgstr "Nastavení oprávnění" - -#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 -msgid "CC: email addresses" -msgstr "skrytá kopie: e-mailové adresy" - -#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 -msgid "Public post" -msgstr "Veřejný příspěvek" - -#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 -msgid "Set title" -msgstr "Nastavit titulek" - -#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 -msgid "Categories (comma-separated list)" -msgstr "Kategorie (čárkou oddělený seznam)" - -#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Příklad: bob@example.com, mary@example.com" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Položka není k dispozici." - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Položka nebyla nalezena." - -#: ../../mod/regmod.php:55 -msgid "Account approved." -msgstr "Účet schválen." - -#: ../../mod/regmod.php:92 -#, php-format -msgid "Registration revoked for %s" -msgstr "Registrace zrušena pro %s" - -#: ../../mod/regmod.php:104 -msgid "Please login." -msgstr "Přihlaste se, prosím." - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "Nalézt na tomto webu" - -#: ../../mod/directory.php:61 ../../mod/contacts.php:707 -msgid "Finding: " -msgstr "Zjištění: " - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "Adresář serveru" - -#: ../../mod/directory.php:63 ../../mod/contacts.php:708 -#: ../../include/contact_widgets.php:34 -msgid "Find" -msgstr "Najít" - -#: ../../mod/directory.php:113 ../../mod/profiles.php:735 -msgid "Age: " -msgstr "Věk: " - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "Pohlaví: " - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "Žádné záznamy (některé položky mohou být skryty)." - -#: ../../mod/crepair.php:106 -msgid "Contact settings applied." -msgstr "Nastavení kontaktu změněno" - -#: ../../mod/crepair.php:108 -msgid "Contact update failed." -msgstr "Aktualizace kontaktu selhala." - -#: ../../mod/crepair.php:139 -msgid "Repair Contact Settings" -msgstr "Opravit nastavení kontaktu" - -#: ../../mod/crepair.php:141 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "Varování: Toto je velmi pokročilé a pokud zadáte nesprávné informace, Vaše komunikace s tímto kontaktem může přestat fungovat." - -#: ../../mod/crepair.php:142 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Prosím použijte ihned v prohlížeči tlačítko \"zpět\" pokud si nejste jistí co dělat na této stránce." - -#: ../../mod/crepair.php:148 -msgid "Return to contact editor" -msgstr "Návrat k editoru kontaktu" - -#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 -msgid "No mirroring" -msgstr "Žádné zrcadlení" - -#: ../../mod/crepair.php:159 -msgid "Mirror as forwarded posting" -msgstr "Zrcadlit pro přeposlané příspěvky" - -#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 -msgid "Mirror as my own posting" -msgstr "Zrcadlit jako mé vlastní příspěvky" - -#: ../../mod/crepair.php:166 -msgid "Account Nickname" -msgstr "Přezdívka účtu" - -#: ../../mod/crepair.php:167 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@Tagname - upřednostněno před Jménem/Přezdívkou" - -#: ../../mod/crepair.php:168 -msgid "Account URL" -msgstr "URL adresa účtu" - -#: ../../mod/crepair.php:169 -msgid "Friend Request URL" -msgstr "Žádost o přátelství URL" - -#: ../../mod/crepair.php:170 -msgid "Friend Confirm URL" -msgstr "URL adresa potvrzení přátelství" - -#: ../../mod/crepair.php:171 -msgid "Notification Endpoint URL" -msgstr "Notifikační URL adresa" - -#: ../../mod/crepair.php:172 -msgid "Poll/Feed URL" -msgstr "Poll/Feed URL adresa" - -#: ../../mod/crepair.php:173 -msgid "New photo from this URL" -msgstr "Nové foto z této URL adresy" - -#: ../../mod/crepair.php:174 -msgid "Remote Self" -msgstr "Remote Self" - -#: ../../mod/crepair.php:176 -msgid "Mirror postings from this contact" -msgstr "Zrcadlení správ od tohoto kontaktu" - -#: ../../mod/crepair.php:176 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "Označit tento kontakt jako \"remote_self\", s tímto nastavením freindica bude přeposílat všechny nové příspěvky od tohoto kontaktu." - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Přesunout účet" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Můžete importovat účet z jiného Friendica serveru." - -#: ../../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 "Musíte exportovat svůj účet na sterém serveru a nahrát ho zde. My následně vytvoříme Váš původní účet zde včetně všech kontaktů. Zároveň se pokusíme informovat všechny Vaše přátele, že jste se sem přestěhovali." - -#: ../../mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Tato funkčnost je experimentální. Nemůžeme importovat kontakty z OSStatus sítí (statusnet/identi.ca) nebo z Diaspory" - -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "Soubor s účtem" - -#: ../../mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "K exportu Vašeho účtu, jděte do \"Nastavení->Export vašich osobních dat\" a zvolte \" Export účtu\"" - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Vzdálené soukromé informace nejsou k dispozici." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Viditelné pro:" +"If you wish for %s to respond, please check that the privacy settings on " +"your site allow private mail from unknown senders." +msgstr "Pokud si přejete, aby uživatel %s mohl odpovědět, ověřte si zda-li máte povoleno na svém serveru zasílání soukromých zpráv od neznámých odesilatelů." #: ../../mod/help.php:79 msgid "Help:" @@ -3336,538 +3561,75 @@ msgstr "Nápověda:" msgid "Help" msgstr "Nápověda" -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "Žádný profil" +#: ../../mod/help.php:90 ../../index.php:256 +msgid "Not Found" +msgstr "Nenalezen" -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "Toto pozvání již bylo přijato." +#: ../../mod/help.php:93 ../../index.php:259 +msgid "Page not found." +msgstr "Stránka nenalezena" -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "Adresa profilu není platná nebo neobsahuje profilové informace" - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Varování: umístění profilu nemá žádné identifikovatelné jméno vlastníka" - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "Varování: umístění profilu nemá žádnou profilovou fotografii." - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 #, 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 požadovaný parametr nebyl nalezen na daném místě" -msgstr[1] "%d požadované parametry nebyly nalezeny na daném místě" -msgstr[2] "%d požadované parametry nebyly nalezeny na daném místě" +msgid "%1$s welcomes %2$s" +msgstr "%1$s vítá %2$s" -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "Představení dokončeno." - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "Neopravitelná chyba protokolu" - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "Profil není k dispozici." - -#: ../../mod/dfrn_request.php:267 +#: ../../mod/home.php:35 #, php-format -msgid "%s has received too many connection requests today." -msgstr "%s dnes obdržel příliš mnoho požadavků na připojení." +msgid "Welcome to %s" +msgstr "Vítá Vás %s" -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "Ochrana proti spamu byla aktivována" +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Omlouváme se, možná je Váš soubor větší než je povolené maximum dle nastavení PHP" -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Přátelům se doporučuje to zkusit znovu za 24 hodin." +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "Nebo - nenahrával jste prázdný soubor?" -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "Neplatný odkaz" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "Neplatná emailová adresa" - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "Tento účet nebyl nastaven pro email. Požadavek nesplněn." - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "Nepodařilo se zjistit Vaše jméno na zadané adrese." - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "Již jste se zde zavedli." - -#: ../../mod/dfrn_request.php:480 +#: ../../mod/wall_attach.php:81 #, php-format -msgid "Apparently you are already friends with %s." -msgstr "Zřejmě jste již přátelé se %s." - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "Neplatné URL profilu." - -#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 -msgid "Disallowed profile URL." -msgstr "Nepovolené URL profilu." - -#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:188 -msgid "Failed to update contact record." -msgstr "Nepodařilo se aktualizovat kontakt." - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "Vaše žádost o propojení byla odeslána." - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "Prosím přihlašte se k potvrzení žádosti o propojení." - -#: ../../mod/dfrn_request.php:660 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Jste přihlášeni pod nesprávnou identitou Prosím, přihlaste se do tohoto profilu." - -#: ../../mod/dfrn_request.php:671 -msgid "Hide this contact" -msgstr "Skrýt tento kontakt" - -#: ../../mod/dfrn_request.php:674 -#, php-format -msgid "Welcome home %s." -msgstr "Vítejte doma %s." - -#: ../../mod/dfrn_request.php:675 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Prosím potvrďte Vaši žádost o propojení %s." - -#: ../../mod/dfrn_request.php:676 -msgid "Confirm" -msgstr "Potvrdit" - -#: ../../mod/dfrn_request.php:804 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Prosím zadejte Vaši adresu identity jedné z následujících podporovaných komunikačních sítí:" - -#: ../../mod/dfrn_request.php:824 -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 "Pokud ještě nejste členem svobodné sociální sítě, následujte tento odkaz k nalezení veřejného Friendica serveru a přidejte se k nám ještě dnes." - -#: ../../mod/dfrn_request.php:827 -msgid "Friend/Connection Request" -msgstr "Požadavek o přátelství / kontaktování" - -#: ../../mod/dfrn_request.php:828 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Příklady: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" - -#: ../../mod/dfrn_request.php:829 -msgid "Please answer the following:" -msgstr "Odpovězte, prosím, následující:" - -#: ../../mod/dfrn_request.php:830 -#, php-format -msgid "Does %s know you?" -msgstr "Zná Vás uživatel %s ?" - -#: ../../mod/dfrn_request.php:834 -msgid "Add a personal note:" -msgstr "Přidat osobní poznámku:" - -#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 -msgid "Friendica" -msgstr "Friendica" - -#: ../../mod/dfrn_request.php:837 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet / Federativní Sociální Web" - -#: ../../mod/dfrn_request.php:838 ../../mod/settings.php:736 -#: ../../include/contact_selectors.php:80 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../mod/dfrn_request.php:839 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - prosím nepoužívejte tento formulář. Místo toho zadejte %s do Vašeho Diaspora vyhledávacího pole." - -#: ../../mod/dfrn_request.php:840 -msgid "Your Identity Address:" -msgstr "Verze PHP pro příkazový řádek na Vašem systému nemá povolen \"register_argc_argv\"." - -#: ../../mod/dfrn_request.php:843 -msgid "Submit Request" -msgstr "Odeslat žádost" - -#: ../../mod/update_profile.php:41 ../../mod/update_network.php:25 -#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 -#: ../../mod/update_notes.php:37 -msgid "[Embedded content - reload page to view]" -msgstr "[Vložený obsah - obnovte stránku pro zobrazení]" - -#: ../../mod/content.php:497 ../../include/conversation.php:690 -msgid "View in context" -msgstr "Pohled v kontextu" - -#: ../../mod/contacts.php:108 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "%d kontakt upraven." -msgstr[1] "%d kontakty upraveny" -msgstr[2] "%d kontaktů upraveno" - -#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 -msgid "Could not access contact record." -msgstr "Nelze získat přístup k záznamu kontaktu." - -#: ../../mod/contacts.php:153 -msgid "Could not locate selected profile." -msgstr "Nelze nalézt vybraný profil." - -#: ../../mod/contacts.php:186 -msgid "Contact updated." -msgstr "Kontakt aktualizován." - -#: ../../mod/contacts.php:287 -msgid "Contact has been blocked" -msgstr "Kontakt byl zablokován" - -#: ../../mod/contacts.php:287 -msgid "Contact has been unblocked" -msgstr "Kontakt byl odblokován" - -#: ../../mod/contacts.php:298 -msgid "Contact has been ignored" -msgstr "Kontakt bude ignorován" - -#: ../../mod/contacts.php:298 -msgid "Contact has been unignored" -msgstr "Kontakt přestal být ignorován" - -#: ../../mod/contacts.php:310 -msgid "Contact has been archived" -msgstr "Kontakt byl archivován" - -#: ../../mod/contacts.php:310 -msgid "Contact has been unarchived" -msgstr "Kontakt byl vrácen z archívu." - -#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 -msgid "Do you really want to delete this contact?" -msgstr "Opravdu chcete smazat tento kontakt?" - -#: ../../mod/contacts.php:352 -msgid "Contact has been removed." -msgstr "Kontakt byl odstraněn." - -#: ../../mod/contacts.php:390 -#, php-format -msgid "You are mutual friends with %s" -msgstr "Jste vzájemní přátelé s uživatelem %s" - -#: ../../mod/contacts.php:394 -#, php-format -msgid "You are sharing with %s" -msgstr "Sdílíte s uživatelem %s" - -#: ../../mod/contacts.php:399 -#, php-format -msgid "%s is sharing with you" -msgstr "uživatel %s sdílí s vámi" - -#: ../../mod/contacts.php:416 -msgid "Private communications are not available for this contact." -msgstr "Soukromá komunikace není dostupná pro tento kontakt." - -#: ../../mod/contacts.php:423 -msgid "(Update was successful)" -msgstr "(Aktualizace byla úspěšná)" - -#: ../../mod/contacts.php:423 -msgid "(Update was not successful)" -msgstr "(Aktualizace nebyla úspěšná)" - -#: ../../mod/contacts.php:425 -msgid "Suggest friends" -msgstr "Navrhněte přátelé" - -#: ../../mod/contacts.php:429 -#, php-format -msgid "Network type: %s" -msgstr "Typ sítě: %s" - -#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 -#, php-format -msgid "%d contact in common" -msgid_plural "%d contacts in common" -msgstr[0] "%d sdílený kontakt" -msgstr[1] "%d sdílených kontaktů" -msgstr[2] "%d sdílených kontaktů" - -#: ../../mod/contacts.php:437 -msgid "View all contacts" -msgstr "Zobrazit všechny kontakty" - -#: ../../mod/contacts.php:445 -msgid "Toggle Blocked status" -msgstr "Přepnout stav Blokováno" - -#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 -#: ../../mod/contacts.php:715 -msgid "Unignore" -msgstr "Přestat ignorovat" - -#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 -#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 -#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 -msgid "Ignore" -msgstr "Ignorovat" - -#: ../../mod/contacts.php:451 -msgid "Toggle Ignored status" -msgstr "Přepnout stav Ignorováno" - -#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 -msgid "Unarchive" -msgstr "Vrátit z archívu" - -#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 -msgid "Archive" -msgstr "Archivovat" - -#: ../../mod/contacts.php:458 -msgid "Toggle Archive status" -msgstr "Přepnout stav Archivováno" - -#: ../../mod/contacts.php:461 -msgid "Repair" -msgstr "Opravit" - -#: ../../mod/contacts.php:464 -msgid "Advanced Contact Settings" -msgstr "Pokročilé nastavení kontaktu" - -#: ../../mod/contacts.php:470 -msgid "Communications lost with this contact!" -msgstr "Komunikace s tímto kontaktem byla ztracena!" - -#: ../../mod/contacts.php:473 -msgid "Contact Editor" -msgstr "Editor kontaktu" - -#: ../../mod/contacts.php:476 -msgid "Profile Visibility" -msgstr "Viditelnost profilu" - -#: ../../mod/contacts.php:477 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "Vyberte prosím profil, který chcete zobrazit %s při zabezpečeném prohlížení vašeho profilu." - -#: ../../mod/contacts.php:478 -msgid "Contact Information / Notes" -msgstr "Kontaktní informace / poznámky" - -#: ../../mod/contacts.php:479 -msgid "Edit contact notes" -msgstr "Editovat poznámky kontaktu" - -#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 -#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Navštivte profil uživatele %s [%s]" - -#: ../../mod/contacts.php:485 -msgid "Block/Unblock contact" -msgstr "Blokovat / Odblokovat kontakt" - -#: ../../mod/contacts.php:486 -msgid "Ignore contact" -msgstr "Ignorovat kontakt" - -#: ../../mod/contacts.php:487 -msgid "Repair URL settings" -msgstr "Opravit nastavení adresy URL " - -#: ../../mod/contacts.php:488 -msgid "View conversations" -msgstr "Zobrazit konverzace" - -#: ../../mod/contacts.php:490 -msgid "Delete contact" -msgstr "Odstranit kontakt" - -#: ../../mod/contacts.php:494 -msgid "Last update:" -msgstr "Poslední aktualizace:" - -#: ../../mod/contacts.php:496 -msgid "Update public posts" -msgstr "Aktualizovat veřejné příspěvky" - -#: ../../mod/contacts.php:505 -msgid "Currently blocked" -msgstr "V současnosti zablokováno" - -#: ../../mod/contacts.php:506 -msgid "Currently ignored" -msgstr "V současnosti ignorováno" - -#: ../../mod/contacts.php:507 -msgid "Currently archived" -msgstr "Aktuálně archivován" - -#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 -#: ../../mod/notifications.php:204 -msgid "Hide this contact from others" -msgstr "Skrýt tento kontakt před ostatními" - -#: ../../mod/contacts.php:508 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "Odpovědi/Libí se na Vaše veřejné příspěvky mohou být stále viditelné" - -#: ../../mod/contacts.php:509 -msgid "Notification for new posts" -msgstr "Upozornění na nové příspěvky" - -#: ../../mod/contacts.php:509 -msgid "Send a notification of every new post of this contact" -msgstr "Poslat upozornění při každém novém příspěvku tohoto kontaktu" - -#: ../../mod/contacts.php:510 -msgid "Fetch further information for feeds" -msgstr "Načítat další informace pro kanál" - -#: ../../mod/contacts.php:511 -msgid "Disabled" -msgstr "Zakázáno" - -#: ../../mod/contacts.php:511 -msgid "Fetch information" -msgstr "Načítat informace" - -#: ../../mod/contacts.php:511 -msgid "Fetch information and keywords" -msgstr "Načítat informace a klíčová slova" - -#: ../../mod/contacts.php:513 -msgid "Blacklisted keywords" -msgstr "Zakázaná klíčová slova" - -#: ../../mod/contacts.php:513 -msgid "" -"Comma separated list of keywords that should not be converted to hashtags, " -"when \"Fetch information and keywords\" is selected" -msgstr "Čárkou oddělený seznam klíčových slov, které by neměly být převáděna na hashtagy, když je zvoleno \"Načítat informace a klíčová slova\"" - -#: ../../mod/contacts.php:564 -msgid "Suggestions" -msgstr "Doporučení" - -#: ../../mod/contacts.php:567 -msgid "Suggest potential friends" -msgstr "Navrhnout potenciální přátele" - -#: ../../mod/contacts.php:570 ../../mod/group.php:194 -msgid "All Contacts" -msgstr "Všechny kontakty" - -#: ../../mod/contacts.php:573 -msgid "Show all contacts" -msgstr "Zobrazit všechny kontakty" - -#: ../../mod/contacts.php:576 -msgid "Unblocked" -msgstr "Odblokován" - -#: ../../mod/contacts.php:579 -msgid "Only show unblocked contacts" -msgstr "Zobrazit pouze neblokované kontakty" - -#: ../../mod/contacts.php:583 -msgid "Blocked" -msgstr "Blokován" - -#: ../../mod/contacts.php:586 -msgid "Only show blocked contacts" -msgstr "Zobrazit pouze blokované kontakty" - -#: ../../mod/contacts.php:590 -msgid "Ignored" -msgstr "Ignorován" - -#: ../../mod/contacts.php:593 -msgid "Only show ignored contacts" -msgstr "Zobrazit pouze ignorované kontakty" - -#: ../../mod/contacts.php:597 -msgid "Archived" -msgstr "Archivován" - -#: ../../mod/contacts.php:600 -msgid "Only show archived contacts" -msgstr "Zobrazit pouze archivované kontakty" - -#: ../../mod/contacts.php:604 -msgid "Hidden" -msgstr "Skrytý" - -#: ../../mod/contacts.php:607 -msgid "Only show hidden contacts" -msgstr "Zobrazit pouze skryté kontakty" - -#: ../../mod/contacts.php:655 -msgid "Mutual Friendship" -msgstr "Vzájemné přátelství" - -#: ../../mod/contacts.php:659 -msgid "is a fan of yours" -msgstr "je Váš fanoušek" - -#: ../../mod/contacts.php:663 -msgid "you are a fan of" -msgstr "jste fanouškem" - -#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "Editovat kontakt" - -#: ../../mod/contacts.php:706 -msgid "Search your contacts" -msgstr "Prohledat Vaše kontakty" - -#: ../../mod/contacts.php:713 ../../mod/settings.php:132 -#: ../../mod/settings.php:640 -msgid "Update" -msgstr "Aktualizace" +msgid "File exceeds size limit of %d" +msgstr "Velikost souboru přesáhla limit %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Nahrání souboru se nezdařilo." + +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "Shoda profilu" + +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "Žádná klíčová slova k porovnání. Prosím, přidejte klíčová slova do Vašeho výchozího profilu." + +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "zajímá se o:" + +#: ../../mod/match.php:58 ../../mod/suggest.php:90 ../../boot.php:1568 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "Spojit" + +#: ../../mod/share.php:44 +msgid "link" +msgstr "odkaz" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Není k dispozici." + +#: ../../mod/community.php:32 ../../include/nav.php:129 +#: ../../include/nav.php:131 ../../view/theme/diabook/theme.php:129 +msgid "Community" +msgstr "Komunita" + +#: ../../mod/community.php:62 ../../mod/community.php:71 +#: ../../mod/search.php:168 ../../mod/search.php:192 +msgid "No results." +msgstr "Žádné výsledky." #: ../../mod/settings.php:29 ../../mod/photos.php:80 msgid "everybody" @@ -3885,7 +3647,7 @@ msgstr "Zobrazení" msgid "Social Networks" msgstr "Sociální sítě" -#: ../../mod/settings.php:62 ../../include/nav.php:168 +#: ../../mod/settings.php:62 ../../include/nav.php:170 msgid "Delegations" msgstr "Delegace" @@ -4039,6 +3801,11 @@ msgstr "Další Funkčnosti" msgid "Built-in support for %s connectivity is %s" msgstr "Vestavěná podpora pro připojení s %s je %s" +#: ../../mod/settings.php:736 ../../mod/dfrn_request.php:838 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + #: ../../mod/settings.php:736 ../../mod/settings.php:737 msgid "enabled" msgstr "povoleno" @@ -4226,6 +3993,18 @@ msgstr "(Volitelné) Povolit OpenID pro přihlášení k tomuto účtu." msgid "Publish your default profile in your local site directory?" msgstr "Publikovat Váš výchozí profil v místním adresáři webu?" +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:234 ../../mod/profiles.php:661 +#: ../../mod/profiles.php:665 ../../mod/api.php:106 +msgid "No" +msgstr "Ne" + #: ../../mod/settings.php:1016 msgid "Publish your default profile in the global social directory?" msgstr "Publikovat Váš výchozí profil v globální sociálním adresáři?" @@ -4264,10 +4043,6 @@ msgstr "Povolit neznámým lidem Vám zasílat soukromé zprávy?" msgid "Profile is not published." msgstr "Profil není zveřejněn." -#: ../../mod/settings.php:1062 ../../mod/profile_photo.php:248 -msgid "or" -msgstr "nebo" - #: ../../mod/settings.php:1067 msgid "Your Identity Address is" msgstr "Vaše adresa identity je" @@ -4496,6 +4271,413 @@ msgstr "Pokud jste přemístil tento profil z jiného serveru a nějaký z vaši msgid "Resend relocate message to contacts" msgstr "Znovu odeslat správu o změně umístění Vašim kontaktům" +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Toto pozvání již bylo přijato." + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "Adresa profilu není platná nebo neobsahuje profilové informace" + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Varování: umístění profilu nemá žádné identifikovatelné jméno vlastníka" + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Varování: umístění profilu nemá žádnou profilovou fotografii." + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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 požadovaný parametr nebyl nalezen na daném místě" +msgstr[1] "%d požadované parametry nebyly nalezeny na daném místě" +msgstr[2] "%d požadované parametry nebyly nalezeny na daném místě" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Představení dokončeno." + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Neopravitelná chyba protokolu" + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profil není k dispozici." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s dnes obdržel příliš mnoho požadavků na připojení." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Ochrana proti spamu byla aktivována" + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Přátelům se doporučuje to zkusit znovu za 24 hodin." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Neplatný odkaz" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Neplatná emailová adresa" + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Tento účet nebyl nastaven pro email. Požadavek nesplněn." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Nepodařilo se zjistit Vaše jméno na zadané adrese." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Již jste se zde zavedli." + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Zřejmě jste již přátelé se %s." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "Neplatné URL profilu." + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "Nepovolené URL profilu." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "Vaše žádost o propojení byla odeslána." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Prosím přihlašte se k potvrzení žádosti o propojení." + +#: ../../mod/dfrn_request.php:660 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Jste přihlášeni pod nesprávnou identitou Prosím, přihlaste se do tohoto profilu." + +#: ../../mod/dfrn_request.php:671 +msgid "Hide this contact" +msgstr "Skrýt tento kontakt" + +#: ../../mod/dfrn_request.php:674 +#, php-format +msgid "Welcome home %s." +msgstr "Vítejte doma %s." + +#: ../../mod/dfrn_request.php:675 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Prosím potvrďte Vaši žádost o propojení %s." + +#: ../../mod/dfrn_request.php:676 +msgid "Confirm" +msgstr "Potvrdit" + +#: ../../mod/dfrn_request.php:804 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Prosím zadejte Vaši adresu identity jedné z následujících podporovaných komunikačních sítí:" + +#: ../../mod/dfrn_request.php:824 +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 "Pokud ještě nejste členem svobodné sociální sítě, následujte tento odkaz k nalezení veřejného Friendica serveru a přidejte se k nám ještě dnes." + +#: ../../mod/dfrn_request.php:827 +msgid "Friend/Connection Request" +msgstr "Požadavek o přátelství / kontaktování" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Příklady: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:829 +msgid "Please answer the following:" +msgstr "Odpovězte, prosím, následující:" + +#: ../../mod/dfrn_request.php:830 +#, php-format +msgid "Does %s know you?" +msgstr "Zná Vás uživatel %s ?" + +#: ../../mod/dfrn_request.php:834 +msgid "Add a personal note:" +msgstr "Přidat osobní poznámku:" + +#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:837 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet / Federativní Sociální Web" + +#: ../../mod/dfrn_request.php:839 +#, php-format +msgid "" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - prosím nepoužívejte tento formulář. Místo toho zadejte %s do Vašeho Diaspora vyhledávacího pole." + +#: ../../mod/dfrn_request.php:840 +msgid "Your Identity Address:" +msgstr "Verze PHP pro příkazový řádek na Vašem systému nemá povolen \"register_argc_argv\"." + +#: ../../mod/dfrn_request.php:843 +msgid "Submit Request" +msgstr "Odeslat žádost" + +#: ../../mod/register.php:90 +msgid "" +"Registration successful. Please check your email for further instructions." +msgstr "Registrace úspěšná. Zkontrolujte prosím svůj e-mail pro další instrukce." + +#: ../../mod/register.php:96 +#, php-format +msgid "" +"Failed to send email message. Here your accout details:
    login: %s
    " +"password: %s

    You can change your password after login." +msgstr "Nepovedlo se odeslat emailovou zprávu. Zde jsou detaily Vašeho účtu:
    login: %s
    heslo: %s

    Své heslo můžete změnit po přihlášení." + +#: ../../mod/register.php:105 +msgid "Your registration can not be processed." +msgstr "Vaši registraci nelze zpracovat." + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "Vaše registrace čeká na schválení vlastníkem serveru." + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Došlo k překročení maximálního povoleného počtu registrací za den na tomto serveru. Zkuste to zítra znovu." + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Tento formulář můžete (volitelně) vyplnit s pomocí OpenID tím, že vyplníte své OpenID a kliknutete na tlačítko 'Zaregistrovat'." + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Pokud nepoužíváte OpenID, nechte prosím toto pole prázdné a vyplňte zbylé položky." + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "Vaše OpenID (nepovinné): " + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "Toto je Váš veřejný profil.
    Ten může být viditelný kýmkoliv na internetu." + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "Členství na tomto webu je pouze na pozvání." + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "Vaše pozvání ID:" + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Vaše celé jméno (např. Jan Novák):" + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "Vaše e-mailová adresa:" + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Vyberte přezdívku k profilu. Ta musí začít s textovým znakem. Vaše profilová adresa na tomto webu pak bude \"přezdívka@$sitename\"." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "Vyberte přezdívku:" + +#: ../../mod/register.php:269 ../../boot.php:1241 ../../include/nav.php:109 +msgid "Register" +msgstr "Registrovat" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Import" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "Import Vašeho profilu do této friendica instance" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "Systém vypnut z důvodů údržby" + +#: ../../mod/search.php:99 ../../include/text.php:953 +#: ../../include/text.php:954 ../../include/nav.php:119 +msgid "Search" +msgstr "Vyhledávání" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "Globální adresář" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Nalézt na tomto webu" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Adresář serveru" + +#: ../../mod/directory.php:113 ../../mod/profiles.php:750 +msgid "Age: " +msgstr "Věk: " + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Pohlaví: " + +#: ../../mod/directory.php:138 ../../boot.php:1650 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "Pohlaví:" + +#: ../../mod/directory.php:140 ../../boot.php:1653 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "Status:" + +#: ../../mod/directory.php:142 ../../boot.php:1655 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "Domácí stránka:" + +#: ../../mod/directory.php:144 ../../boot.php:1657 +#: ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "O mě:" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Žádné záznamy (některé položky mohou být skryty)." + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "Žádní potenciální delegáti stránky nenalezeni." + +#: ../../mod/delegate.php:130 ../../include/nav.php:170 +msgid "Delegate Page Management" +msgstr "Správa delegátů stránky" + +#: ../../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 "Delegáti jsou schopni řídit všechny aspekty tohoto účtu / stránky, kromě základních nastavení účtu. Prosím, nepředávejte svůj osobní účet nikomu, komu úplně nevěříte.." + +#: ../../mod/delegate.php:133 +msgid "Existing Page Managers" +msgstr "Stávající správci stránky" + +#: ../../mod/delegate.php:135 +msgid "Existing Page Delegates" +msgstr "Stávající delegáti stránky " + +#: ../../mod/delegate.php:137 +msgid "Potential Delegates" +msgstr "Potenciální delegáti" + +#: ../../mod/delegate.php:140 +msgid "Add" +msgstr "Přidat" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "Žádné záznamy." + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Společní přátelé" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Žádné společné kontakty." + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Exportovat účet" + +#: ../../mod/uexport.php:77 +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 "Exportujte svůj účet a své kontakty. Použijte tuto funkci pro vytvoření zálohy svého účtu a/nebo k přesunu na jiný server." + +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Exportovat vše" + +#: ../../mod/uexport.php:78 +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 "Exportujte své informace k účtu, kontakty a vše své položky jako json. To může být velmi velký soubor a může to zabrat spoustu času. Tuto funkci použijte pro úplnou zálohu svého účtu(fotografie se neexportují)" + +#: ../../mod/mood.php:62 ../../include/conversation.php:227 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "%1$s je právě %2$s" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "Nálada" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "Nastavte svou aktuální náladu a řekněte to Vašim přátelům" + +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "Opravdu chcete smazat tento návrh?" + +#: ../../mod/suggest.php:68 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:527 +msgid "Friend Suggestions" +msgstr "Návrhy přátel" + +#: ../../mod/suggest.php:74 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Nejsou dostupné žádné návrhy. Pokud je toto nový server, zkuste to znovu za 24 hodin." + +#: ../../mod/suggest.php:92 +msgid "Ignore/Hide" +msgstr "Ignorovat / skrýt" + #: ../../mod/profiles.php:37 msgid "Profile deleted." msgstr "Profil smazán." @@ -4556,7 +4738,7 @@ msgstr "Sexuální orientace" msgid "Homepage" msgstr "Domácí stránka" -#: ../../mod/profiles.php:379 ../../mod/profiles.php:683 +#: ../../mod/profiles.php:379 ../../mod/profiles.php:698 msgid "Interests" msgstr "Zájmy" @@ -4564,7 +4746,7 @@ msgstr "Zájmy" msgid "Address" msgstr "Adresa" -#: ../../mod/profiles.php:390 ../../mod/profiles.php:679 +#: ../../mod/profiles.php:390 ../../mod/profiles.php:694 msgid "Location" msgstr "Lokace" @@ -4572,436 +4754,400 @@ msgstr "Lokace" msgid "Profile updated." msgstr "Profil aktualizován." -#: ../../mod/profiles.php:553 +#: ../../mod/profiles.php:568 msgid " and " msgstr " a " -#: ../../mod/profiles.php:561 +#: ../../mod/profiles.php:576 msgid "public profile" msgstr "veřejný profil" -#: ../../mod/profiles.php:564 +#: ../../mod/profiles.php:579 #, php-format msgid "%1$s changed %2$s to “%3$s”" msgstr "%1$s změnil %2$s na “%3$s”" -#: ../../mod/profiles.php:565 +#: ../../mod/profiles.php:580 #, php-format msgid " - Visit %1$s's %2$s" msgstr " - Navštivte %2$s uživatele %1$s" -#: ../../mod/profiles.php:568 +#: ../../mod/profiles.php:583 #, php-format msgid "%1$s has an updated %2$s, changing %3$s." msgstr "%1$s aktualizoval %2$s, změnou %3$s." -#: ../../mod/profiles.php:643 +#: ../../mod/profiles.php:658 msgid "Hide contacts and friends:" msgstr "Skrýt kontakty a přátele:" -#: ../../mod/profiles.php:648 +#: ../../mod/profiles.php:663 msgid "Hide your contact/friend list from viewers of this profile?" msgstr "Skrýt u tohoto profilu Vaše kontakty / seznam přátel před před dalšími uživateli zobrazující si tento profil?" -#: ../../mod/profiles.php:670 +#: ../../mod/profiles.php:685 msgid "Edit Profile Details" msgstr "Upravit podrobnosti profilu " -#: ../../mod/profiles.php:672 +#: ../../mod/profiles.php:687 msgid "Change Profile Photo" msgstr "Změna Profilové fotky" -#: ../../mod/profiles.php:673 +#: ../../mod/profiles.php:688 msgid "View this profile" msgstr "Zobrazit tento profil" -#: ../../mod/profiles.php:674 +#: ../../mod/profiles.php:689 msgid "Create a new profile using these settings" msgstr "Vytvořit nový profil pomocí tohoto nastavení" -#: ../../mod/profiles.php:675 +#: ../../mod/profiles.php:690 msgid "Clone this profile" msgstr "Klonovat tento profil" -#: ../../mod/profiles.php:676 +#: ../../mod/profiles.php:691 msgid "Delete this profile" msgstr "Smazat tento profil" -#: ../../mod/profiles.php:677 +#: ../../mod/profiles.php:692 msgid "Basic information" msgstr "Základní informace" -#: ../../mod/profiles.php:678 +#: ../../mod/profiles.php:693 msgid "Profile picture" msgstr "Profilový obrázek" -#: ../../mod/profiles.php:680 +#: ../../mod/profiles.php:695 msgid "Preferences" msgstr "Nastavení" -#: ../../mod/profiles.php:681 +#: ../../mod/profiles.php:696 msgid "Status information" msgstr "Statusové informace" -#: ../../mod/profiles.php:682 +#: ../../mod/profiles.php:697 msgid "Additional information" msgstr "Dodatečné informace" -#: ../../mod/profiles.php:685 +#: ../../mod/profiles.php:700 msgid "Profile Name:" msgstr "Jméno profilu:" -#: ../../mod/profiles.php:686 +#: ../../mod/profiles.php:701 msgid "Your Full Name:" msgstr "Vaše celé jméno:" -#: ../../mod/profiles.php:687 +#: ../../mod/profiles.php:702 msgid "Title/Description:" msgstr "Název / Popis:" -#: ../../mod/profiles.php:688 +#: ../../mod/profiles.php:703 msgid "Your Gender:" msgstr "Vaše pohlaví:" -#: ../../mod/profiles.php:689 +#: ../../mod/profiles.php:704 #, php-format msgid "Birthday (%s):" msgstr "Narozeniny uživatele (%s):" -#: ../../mod/profiles.php:690 +#: ../../mod/profiles.php:705 msgid "Street Address:" msgstr "Ulice:" -#: ../../mod/profiles.php:691 +#: ../../mod/profiles.php:706 msgid "Locality/City:" msgstr "Město:" -#: ../../mod/profiles.php:692 +#: ../../mod/profiles.php:707 msgid "Postal/Zip Code:" msgstr "PSČ:" -#: ../../mod/profiles.php:693 +#: ../../mod/profiles.php:708 msgid "Country:" msgstr "Země:" -#: ../../mod/profiles.php:694 +#: ../../mod/profiles.php:709 msgid "Region/State:" msgstr "Region / stát:" -#: ../../mod/profiles.php:695 +#: ../../mod/profiles.php:710 msgid " Marital Status:" msgstr " Rodinný stav:" -#: ../../mod/profiles.php:696 +#: ../../mod/profiles.php:711 msgid "Who: (if applicable)" msgstr "Kdo: (pokud je možné)" -#: ../../mod/profiles.php:697 +#: ../../mod/profiles.php:712 msgid "Examples: cathy123, Cathy Williams, cathy@example.com" msgstr "Příklady: jan123, Jan Novák, jan@seznam.cz" -#: ../../mod/profiles.php:698 +#: ../../mod/profiles.php:713 msgid "Since [date]:" msgstr "Od [data]:" -#: ../../mod/profiles.php:699 ../../include/profile_advanced.php:46 +#: ../../mod/profiles.php:714 ../../include/profile_advanced.php:46 msgid "Sexual Preference:" msgstr "Sexuální preference:" -#: ../../mod/profiles.php:700 +#: ../../mod/profiles.php:715 msgid "Homepage URL:" msgstr "Odkaz na domovskou stránku:" -#: ../../mod/profiles.php:701 ../../include/profile_advanced.php:50 +#: ../../mod/profiles.php:716 ../../include/profile_advanced.php:50 msgid "Hometown:" msgstr "Rodné město" -#: ../../mod/profiles.php:702 ../../include/profile_advanced.php:54 +#: ../../mod/profiles.php:717 ../../include/profile_advanced.php:54 msgid "Political Views:" msgstr "Politické přesvědčení:" -#: ../../mod/profiles.php:703 +#: ../../mod/profiles.php:718 msgid "Religious Views:" msgstr "Náboženské přesvědčení:" -#: ../../mod/profiles.php:704 +#: ../../mod/profiles.php:719 msgid "Public Keywords:" msgstr "Veřejná klíčová slova:" -#: ../../mod/profiles.php:705 +#: ../../mod/profiles.php:720 msgid "Private Keywords:" msgstr "Soukromá klíčová slova:" -#: ../../mod/profiles.php:706 ../../include/profile_advanced.php:62 +#: ../../mod/profiles.php:721 ../../include/profile_advanced.php:62 msgid "Likes:" msgstr "Líbí se:" -#: ../../mod/profiles.php:707 ../../include/profile_advanced.php:64 +#: ../../mod/profiles.php:722 ../../include/profile_advanced.php:64 msgid "Dislikes:" msgstr "Nelibí se:" -#: ../../mod/profiles.php:708 +#: ../../mod/profiles.php:723 msgid "Example: fishing photography software" msgstr "Příklad: fishing photography software" -#: ../../mod/profiles.php:709 +#: ../../mod/profiles.php:724 msgid "(Used for suggesting potential friends, can be seen by others)" msgstr "(Používá se pro doporučování potenciálních přátel, může být viděno ostatními)" -#: ../../mod/profiles.php:710 +#: ../../mod/profiles.php:725 msgid "(Used for searching profiles, never shown to others)" msgstr "(Používá se pro vyhledávání profilů, není nikdy zobrazeno ostatním)" -#: ../../mod/profiles.php:711 +#: ../../mod/profiles.php:726 msgid "Tell us about yourself..." msgstr "Řekněte nám něco o sobě ..." -#: ../../mod/profiles.php:712 +#: ../../mod/profiles.php:727 msgid "Hobbies/Interests" msgstr "Koníčky/zájmy" -#: ../../mod/profiles.php:713 +#: ../../mod/profiles.php:728 msgid "Contact information and Social Networks" msgstr "Kontaktní informace a sociální sítě" -#: ../../mod/profiles.php:714 +#: ../../mod/profiles.php:729 msgid "Musical interests" msgstr "Hudební vkus" -#: ../../mod/profiles.php:715 +#: ../../mod/profiles.php:730 msgid "Books, literature" msgstr "Knihy, literatura" -#: ../../mod/profiles.php:716 +#: ../../mod/profiles.php:731 msgid "Television" msgstr "Televize" -#: ../../mod/profiles.php:717 +#: ../../mod/profiles.php:732 msgid "Film/dance/culture/entertainment" msgstr "Film/tanec/kultura/zábava" -#: ../../mod/profiles.php:718 +#: ../../mod/profiles.php:733 msgid "Love/romance" msgstr "Láska/romantika" -#: ../../mod/profiles.php:719 +#: ../../mod/profiles.php:734 msgid "Work/employment" msgstr "Práce/zaměstnání" -#: ../../mod/profiles.php:720 +#: ../../mod/profiles.php:735 msgid "School/education" msgstr "Škola/vzdělání" -#: ../../mod/profiles.php:725 +#: ../../mod/profiles.php:740 msgid "" "This is your public profile.
    It may " "be visible to anybody using the internet." msgstr "Toto je váš veřejný profil.
    Ten může být viditelný kýmkoliv na internetu." -#: ../../mod/profiles.php:788 +#: ../../mod/profiles.php:803 msgid "Edit/Manage Profiles" msgstr "Upravit / Spravovat profily" -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Skupina vytvořena." +#: ../../mod/profiles.php:804 ../../boot.php:1611 ../../boot.php:1637 +msgid "Change profile photo" +msgstr "Změnit profilovou fotografii" -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "Nelze vytvořit skupinu." +#: ../../mod/profiles.php:805 ../../boot.php:1612 +msgid "Create New Profile" +msgstr "Vytvořit nový profil" -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Skupina nenalezena." +#: ../../mod/profiles.php:816 ../../boot.php:1622 +msgid "Profile Image" +msgstr "Profilový obrázek" -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Název skupiny byl změněn." +#: ../../mod/profiles.php:818 ../../boot.php:1625 +msgid "visible to everybody" +msgstr "viditelné pro všechny" -#: ../../mod/group.php:87 -msgid "Save Group" -msgstr "Uložit Skupinu" +#: ../../mod/profiles.php:819 ../../boot.php:1626 +msgid "Edit visibility" +msgstr "Upravit viditelnost" -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Vytvořit skupinu kontaktů / přátel." +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Položka nenalezena" -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Název skupiny: " +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Upravit příspěvek" -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Skupina odstraněna. " +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "nahrát fotky" -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Nelze odstranit skupinu." +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "Přiložit soubor" -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Editor skupin" +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "přidat soubor" -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Členové" +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "webový odkaz" -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." -msgstr "Klikněte na kontakt pro přidání nebo odebrání" +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "Zadejte odkaz na video" -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Zdrojový text (bbcode):" +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "odkaz na video" -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Zdrojový (Diaspora) text k převedení do BB kódování:" +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "Zadejte odkaz na zvukový záznam" -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Zdrojový vstup: " +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "odkaz na audio" -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (raw HTML): " +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "Nastavte vaši polohu" -#: ../../mod/babel.php:39 -msgid "bb2html: " -msgstr "bb2html: " +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "nastavit místo" -#: ../../mod/babel.php:43 -msgid "bb2html2bb: " -msgstr "bb2html2bb: " +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "Odstranit adresu v prohlížeči" -#: ../../mod/babel.php:47 -msgid "bb2md: " -msgstr "bb2md: " +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "vymazat místo" -#: ../../mod/babel.php:51 -msgid "bb2md2html: " -msgstr "bb2md2html: " +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "Nastavení oprávnění" -#: ../../mod/babel.php:55 -msgid "bb2dia2bb: " -msgstr "bb2dia2bb: " +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "skrytá kopie: e-mailové adresy" -#: ../../mod/babel.php:59 -msgid "bb2md2html2bb: " -msgstr "bb2md2html2bb: " +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "Veřejný příspěvek" -#: ../../mod/babel.php:69 -msgid "Source input (Diaspora format): " -msgstr "Vstupní data (ve formátu Diaspora): " +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "Nastavit titulek" -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "Kategorie (čárkou oddělený seznam)" -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "Není k dispozici." +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Příklad: bob@example.com, mary@example.com" -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Kontakt přidán" +#: ../../mod/friendica.php:59 +msgid "This is Friendica, version" +msgstr "Toto je Friendica, verze" -#: ../../mod/notify.php:75 ../../mod/notifications.php:336 -msgid "No more system notifications." -msgstr "Žádné další systémová upozornění." +#: ../../mod/friendica.php:60 +msgid "running at web location" +msgstr "běžící na webu" -#: ../../mod/notify.php:79 ../../mod/notifications.php:340 -msgid "System Notifications" -msgstr "Systémová upozornění" - -#: ../../mod/message.php:9 ../../include/nav.php:162 -msgid "New Message" -msgstr "Nová zpráva" - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "Nepodařilo se najít kontaktní informace." - -#: ../../mod/message.php:182 ../../include/nav.php:159 -msgid "Messages" -msgstr "Zprávy" - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Opravdu chcete smazat tuto zprávu?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Zpráva odstraněna." - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Konverzace odstraněna." - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Žádné zprávy." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "Neznámý odesilatel - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Vy a %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s a Vy" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Odstranit konverzaci" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D M R - g:i A" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d zpráva" -msgstr[1] "%d zprávy" -msgstr[2] "%d zpráv" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Zpráva není k dispozici." - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Smazat zprávu" - -#: ../../mod/message.php:548 +#: ../../mod/friendica.php:62 msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Není k dispozici zabezpečená komunikace. Možná budete schopni reagovat z odesilatelovy profilové stránky." +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Pro získání dalších informací o projektu Friendica navštivte prosím Friendica.com." -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Poslat odpověď" +#: ../../mod/friendica.php:64 +msgid "Bug reports and issues: please visit" +msgstr "Pro hlášení chyb a námětů na změny navštivte:" -#: ../../mod/like.php:168 ../../include/conversation.php:140 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s nemá rád %2$s na %3$s" +#: ../../mod/friendica.php:65 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Návrhy, chválu, dary, apod. - prosím piště na \"info\" na Friendica - tečka com" -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Příspěvek úspěšně odeslán" +#: ../../mod/friendica.php:79 +msgid "Installed plugins/addons/apps:" +msgstr "Instalované pluginy/doplňky/aplikace:" -#: ../../mod/localtime.php:12 ../../include/event.php:11 -#: ../../include/bb2diaspora.php:148 +#: ../../mod/friendica.php:92 +msgid "No installed plugins/addons/apps" +msgstr "Nejsou žádné nainstalované doplňky/aplikace" + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Povolit připojení aplikacím" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Vraťte se do vaší aplikace a zadejte tento bezpečnostní kód:" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Pro pokračování se prosím přihlaste." + +#: ../../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 "Chcete umožnit této aplikaci přístup k vašim příspěvkům a kontaktům a/nebo k vytváření Vašich nových příspěvků?" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Vzdálené soukromé informace nejsou k dispozici." + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Viditelné pro:" + +#: ../../mod/notes.php:44 ../../boot.php:2150 +msgid "Personal Notes" +msgstr "Osobní poznámky" + +#: ../../mod/localtime.php:12 ../../include/bb2diaspora.php:148 +#: ../../include/event.php:11 msgid "l F d, Y \\@ g:i A" msgstr "l F d, Y \\@ g:i A" @@ -5034,46 +5180,129 @@ msgstr "Převedený lokální čas : %s" msgid "Please select your timezone:" msgstr "Prosím, vyberte své časové pásmo:" -#: ../../mod/filer.php:30 ../../include/conversation.php:1006 -#: ../../include/conversation.php:1024 -msgid "Save to Folder:" -msgstr "Uložit do složky:" +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Šťouchanec" -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- vyber -" +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "někoho šťouchnout nebo mu provést jinou věc" -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Neplatný identifikátor profilu." +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "Příjemce" -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Editor viditelnosti profilu " +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Vyberte, co si přejete příjemci udělat" -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Viditelný pro" +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Změnit tento příspěvek na soukromý" -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Všechny kontakty (se zabezpečeným přístupovým profilem )" +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "Celkový limit pozvánek byl překročen" -#: ../../mod/viewcontacts.php:41 -msgid "No contacts." -msgstr "Žádné kontakty." +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : není platná e-mailová adresa." -#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 -msgid "View Contacts" -msgstr "Zobrazit kontakty" +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Prosím přidejte se k nám na Friendice" -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "Vyhledávání lidí" +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limit pozvánek byl překročen. Prosím kontaktujte vašeho administrátora webu." -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "Žádné shody" +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s : Doručení zprávy se nezdařilo." + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d zpráva odeslána." +msgstr[1] "%d zprávy odeslány." +msgstr[2] "%d zprávy odeslány." + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Nemáte k dispozici žádné další pozvánky" + +#: ../../mod/invite.php:120 +#, 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 "Navštivte %s pro seznam veřejných serverů, na kterých se můžete přidat. Členové Friendica se mohou navzájem propojovat, stejně tak jako se mohou přiopojit se členy mnoha dalších sociálních sítí." + +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "K akceptaci této pozvánky prosím navštivte a registrujte se na %s nebo na kterékoliv jiném veřejném Friendica serveru." + +#: ../../mod/invite.php:123 +#, 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 servery jsou všechny propojené a vytváří tak rozsáhlou sociální síť s důrazem na soukromý a je pod kontrolou svých členů. Členové se mohou propojovat s mnoha dalšími tradičními sociálními sítěmi. Navštivte %s pro seznam alternativních Friendica serverů kde se můžete přidat." + +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Omlouváme se. Systém nyní není nastaven tak, aby se připojil k ostatním veřejným serverům nebo umožnil pozvat nové členy." + +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Poslat pozvánky" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "Zadejte e-mailové adresy, jednu na řádek:" + +#: ../../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 "Jste srdečně pozván se připojit ke mně a k mým blízkým přátelům na Friendica - a pomoci nám vytvořit lepší sociální síť." + +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Budete muset zadat kód této pozvánky: $invite_code" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Jakmile se zaregistrujete, prosím spojte se se mnou přes mou profilovu stránku 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 "Pro více informací o Friendica projektu a o tom, proč je tak důležitý, prosím navštivte http://friendica.com" + +#: ../../mod/photos.php:52 ../../boot.php:2129 +msgid "Photo Albums" +msgstr "Fotoalba" + +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 +#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" +msgstr "Fotogalerie kontaktu" #: ../../mod/photos.php:67 ../../mod/photos.php:1262 ../../mod/photos.php:1819 msgid "Upload New Photos" @@ -5120,24 +5349,10 @@ msgstr "Velikost obrázku překračuje limit velikosti" msgid "Image file is empty." msgstr "Soubor obrázku je prázdný." -#: ../../mod/photos.php:807 ../../mod/wall_upload.php:144 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Obrázek není možné zprocesovat" - -#: ../../mod/photos.php:834 ../../mod/wall_upload.php:172 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Nahrání obrázku selhalo." - #: ../../mod/photos.php:930 msgid "No photos selected" msgstr "Není vybrána žádná fotografie" -#: ../../mod/photos.php:1031 ../../mod/videos.php:226 -msgid "Access to this item is restricted." -msgstr "Přístup k této položce je omezen." - #: ../../mod/photos.php:1094 #, php-format msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." @@ -5256,719 +5471,270 @@ msgstr "Veřejné fotografie" msgid "Share" msgstr "Sdílet" -#: ../../mod/photos.php:1808 ../../mod/videos.php:308 -msgid "View Album" -msgstr "Zobrazit album" - #: ../../mod/photos.php:1817 msgid "Recent Photos" msgstr "Aktuální fotografie" -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Omlouváme se, možná je Váš soubor větší než je povolené maximum dle nastavení PHP" +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "Účet schválen." -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "Nebo - nenahrával jste prázdný soubor?" - -#: ../../mod/wall_attach.php:81 +#: ../../mod/regmod.php:92 #, php-format -msgid "File exceeds size limit of %d" -msgstr "Velikost souboru přesáhla limit %d" +msgid "Registration revoked for %s" +msgstr "Registrace zrušena pro %s" -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "Nahrání souboru se nezdařilo." +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "Přihlaste se, prosím." -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "Není vybráno žádné video" +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Přesunout účet" -#: ../../mod/videos.php:301 ../../include/text.php:1405 -msgid "View Video" -msgstr "Zobrazit video" +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Můžete importovat účet z jiného Friendica serveru." -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Aktuální Videa" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Nahrát nová videa" - -#: ../../mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Šťouchanec" - -#: ../../mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "někoho šťouchnout nebo mu provést jinou věc" - -#: ../../mod/poke.php:194 -msgid "Recipient" -msgstr "Příjemce" - -#: ../../mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Vyberte, co si přejete příjemci udělat" - -#: ../../mod/poke.php:198 -msgid "Make this post private" -msgstr "Změnit tento příspěvek na soukromý" - -#: ../../mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s následuje %3$s uživatele %2$s" - -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Exportovat účet" - -#: ../../mod/uexport.php:77 +#: ../../mod/uimport.php:68 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 "Exportujte svůj účet a své kontakty. Použijte tuto funkci pro vytvoření zálohy svého účtu a/nebo k přesunu na jiný server." +"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 "Musíte exportovat svůj účet na sterém serveru a nahrát ho zde. My následně vytvoříme Váš původní účet zde včetně všech kontaktů. Zároveň se pokusíme informovat všechny Vaše přátele, že jste se sem přestěhovali." -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Exportovat vše" - -#: ../../mod/uexport.php:78 +#: ../../mod/uimport.php:69 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 "Exportujte své informace k účtu, kontakty a vše své položky jako json. To může být velmi velký soubor a může to zabrat spoustu času. Tuto funkci použijte pro úplnou zálohu svého účtu(fotografie se neexportují)" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Tato funkčnost je experimentální. Nemůžeme importovat kontakty z OSStatus sítí (statusnet/identi.ca) nebo z Diaspory" -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Společní přátelé" +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "Soubor s účtem" -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Žádné společné kontakty." - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "Obrázek překročil limit velikosti %d" - -#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 -#: ../../mod/wall_upload.php:185 ../../mod/item.php:484 -#: ../../include/Photo.php:916 ../../include/Photo.php:931 -#: ../../include/Photo.php:938 ../../include/Photo.php:960 -#: ../../include/message.php:144 -msgid "Wall Photos" -msgstr "Fotografie na zdi" - -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "Obrázek byl odeslán, ale jeho oříznutí se nesdařilo." - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Nepodařilo se snížit velikost obrázku [%s]." - -#: ../../mod/profile_photo.php:118 +#: ../../mod/uimport.php:70 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Znovu načtěte stránku (Shift+F5) nebo vymažte cache prohlížeče, pokud se nové fotografie nezobrazí okamžitě." +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "K exportu Vašeho účtu, jděte do \"Nastavení->Export vašich osobních dat\" a zvolte \" Export účtu\"" -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "Obrázek nelze zpracovat " +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Položka není k dispozici." -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "Nahrát soubor:" +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Položka nebyla nalezena." -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "Vybrat profil:" +#: ../../boot.php:749 +msgid "Delete this item?" +msgstr "Odstranit tuto položku?" -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "Nahrát" +#: ../../boot.php:752 +msgid "show fewer" +msgstr "zobrazit méně" -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "přeskočit tento krok " - -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "Vybrat fotografii z Vašich fotoalb" - -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "Oříznout obrázek" - -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Prosím, ořízněte tento obrázek pro optimální zobrazení." - -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "Editace dokončena" - -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "Obrázek byl úspěšně nahrán." - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Aplikace" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Žádné nainstalované aplikace." - -#: ../../mod/navigation.php:20 ../../include/nav.php:34 -msgid "Nothing new here" -msgstr "Zde není nic nového" - -#: ../../mod/navigation.php:24 ../../include/nav.php:38 -msgid "Clear notifications" -msgstr "Smazat notifikace" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "Shoda profilu" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "Žádná klíčová slova k porovnání. Prosím, přidejte klíčová slova do Vašeho výchozího profilu." - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "zajímá se o:" - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Štítek odstraněn" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Odebrat štítek položky" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Vyberte štítek k odebrání: " - -#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 -msgid "Remove" -msgstr "Odstranit" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Název události a datum začátku jsou vyžadovány." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l, F j" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Editovat událost" - -#: ../../mod/events.php:335 ../../include/text.php:1647 -#: ../../include/text.php:1657 -msgid "link to source" -msgstr "odkaz na zdroj" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Vytvořit novou událost" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Předchozí" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "hodina:minuta" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Detaily události" - -#: ../../mod/events.php:457 +#: ../../boot.php:1122 #, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "Formát je %s %s. Datum začátku a Název jsou vyžadovány." +msgid "Update %s failed. See error logs." +msgstr "Aktualizace %s selhala. Zkontrolujte protokol chyb." -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "Událost začíná:" +#: ../../boot.php:1240 +msgid "Create a New Account" +msgstr "Vytvořit nový účet" -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Vyžadováno" +#: ../../boot.php:1265 ../../include/nav.php:73 +msgid "Logout" +msgstr "Odhlásit se" -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "Datum/čas konce není zadán nebo není relevantní" +#: ../../boot.php:1268 +msgid "Nickname or Email address: " +msgstr "Přezdívka nebo e-mailová adresa:" -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "Akce končí:" +#: ../../boot.php:1269 +msgid "Password: " +msgstr "Heslo: " -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "Nastavit časové pásmo pro uživatele s právem pro čtení" +#: ../../boot.php:1270 +msgid "Remember me" +msgstr "Pamatuj si mne" -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Popis:" +#: ../../boot.php:1273 +msgid "Or login using OpenID: " +msgstr "Nebo přihlášení pomocí OpenID: " -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Název:" +#: ../../boot.php:1279 +msgid "Forgot your password?" +msgstr "Zapomněli jste své heslo?" -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Sdílet tuto událost" +#: ../../boot.php:1282 +msgid "Website Terms of Service" +msgstr "Podmínky použití serveru" -#: ../../mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Žádní potenciální delegáti stránky nenalezeni." +#: ../../boot.php:1283 +msgid "terms of service" +msgstr "podmínky použití" -#: ../../mod/delegate.php:130 ../../include/nav.php:168 -msgid "Delegate Page Management" -msgstr "Správa delegátů stránky" +#: ../../boot.php:1285 +msgid "Website Privacy Policy" +msgstr "Pravidla ochrany soukromí serveru" -#: ../../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 "Delegáti jsou schopni řídit všechny aspekty tohoto účtu / stránky, kromě základních nastavení účtu. Prosím, nepředávejte svůj osobní účet nikomu, komu úplně nevěříte.." +#: ../../boot.php:1286 +msgid "privacy policy" +msgstr "Ochrana soukromí" -#: ../../mod/delegate.php:133 -msgid "Existing Page Managers" -msgstr "Stávající správci stránky" +#: ../../boot.php:1419 +msgid "Requested account is not available." +msgstr "Požadovaný účet není dostupný." -#: ../../mod/delegate.php:135 -msgid "Existing Page Delegates" -msgstr "Stávající delegáti stránky " +#: ../../boot.php:1501 ../../boot.php:1635 +#: ../../include/profile_advanced.php:84 +msgid "Edit profile" +msgstr "Upravit profil" -#: ../../mod/delegate.php:137 -msgid "Potential Delegates" -msgstr "Potenciální delegáti" +#: ../../boot.php:1600 +msgid "Message" +msgstr "Zpráva" -#: ../../mod/delegate.php:140 -msgid "Add" -msgstr "Přidat" +#: ../../boot.php:1606 ../../include/nav.php:175 +msgid "Profiles" +msgstr "Profily" -#: ../../mod/delegate.php:141 -msgid "No entries." -msgstr "Žádné záznamy." +#: ../../boot.php:1606 +msgid "Manage/edit profiles" +msgstr "Spravovat/upravit profily" -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Kontakty, které nejsou členy skupiny" +#: ../../boot.php:1706 +msgid "Network:" +msgstr "Síť:" -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "Soubory" +#: ../../boot.php:1736 ../../boot.php:1822 +msgid "g A l F d" +msgstr "g A l F d" -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "Systém vypnut z důvodů údržby" +#: ../../boot.php:1737 ../../boot.php:1823 +msgid "F d" +msgstr "d. F" -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Odstranit můj účet" +#: ../../boot.php:1782 ../../boot.php:1863 +msgid "[today]" +msgstr "[Dnes]" -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Tímto bude kompletně odstraněn váš účet. Jakmile bude účet odstraněn, nebude už možné ho obnovit." +#: ../../boot.php:1794 +msgid "Birthday Reminders" +msgstr "Připomínka narozenin" -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Prosím, zadejte své heslo pro ověření:" +#: ../../boot.php:1795 +msgid "Birthdays this week:" +msgstr "Narozeniny tento týden:" -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Návrhy přátelství odeslány " +#: ../../boot.php:1856 +msgid "[No description]" +msgstr "[Žádný popis]" -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Navrhněte přátelé" +#: ../../boot.php:1874 +msgid "Event Reminders" +msgstr "Připomenutí událostí" -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Navrhněte přátelé pro uživatele %s" +#: ../../boot.php:1875 +msgid "Events this week:" +msgstr "Události tohoto týdne:" -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "Nelze nalézt původní příspěvek." +#: ../../boot.php:2112 ../../include/nav.php:76 +msgid "Status" +msgstr "Stav" -#: ../../mod/item.php:345 -msgid "Empty post discarded." -msgstr "Prázdný příspěvek odstraněn." +#: ../../boot.php:2115 +msgid "Status Messages and Posts" +msgstr "Statusové zprávy a příspěvky " -#: ../../mod/item.php:938 -msgid "System error. Post not saved." -msgstr "Chyba systému. Příspěvek nebyl uložen." +#: ../../boot.php:2122 +msgid "Profile Details" +msgstr "Detaily profilu" -#: ../../mod/item.php:964 +#: ../../boot.php:2133 ../../boot.php:2136 ../../include/nav.php:79 +msgid "Videos" +msgstr "Videa" + +#: ../../boot.php:2146 +msgid "Events and Calendar" +msgstr "Události a kalendář" + +#: ../../boot.php:2153 +msgid "Only You Can See This" +msgstr "Toto můžete vidět jen Vy" + +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "Tento záznam byl editován" + +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "ignorovat vlákno" + +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "přestat ignorovat vlákno" + +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "přepnout stav Ignorování" + +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "ignorován" + +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "Kategorie:" + +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "Vyplněn pod:" + +#: ../../object/Item.php:329 +msgid "via" +msgstr "přes" + +#: ../../include/dbstructure.php:26 #, php-format msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Tato zpráva vám byla zaslána od %s, člena sociální sítě Friendica." +"\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 "\n\t\t\tThe friendica vývojáři uvolnili nedávno aktualizaci %s,\n\t\t\tale při pokusu o její instalaci se něco velmi nepovedlo.\n\t\t\tJe třeba to opravit a já to sám nedokážu. Prosím kontaktuj\n\t\t\tfriendica vývojáře, pokud mi s tím nepomůžeš ty sám. Moje databáze může být poškozena." -#: ../../mod/item.php:966 -#, php-format -msgid "You may visit them online at %s" -msgstr "Můžete je navštívit online na adrese %s" - -#: ../../mod/item.php:967 -msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Pokud nechcete dostávat tyto zprávy, kontaktujte prosím odesilatele odpovědí na tento záznam." - -#: ../../mod/item.php:971 -#, php-format -msgid "%s posted an update." -msgstr "%s poslal aktualizaci." - -#: ../../mod/ping.php:240 -msgid "{0} wants to be your friend" -msgstr "{0} chce být Vaším přítelem" - -#: ../../mod/ping.php:245 -msgid "{0} sent you a message" -msgstr "{0} vám poslal zprávu" - -#: ../../mod/ping.php:250 -msgid "{0} requested registration" -msgstr "{0} požaduje registraci" - -#: ../../mod/ping.php:256 -#, php-format -msgid "{0} commented %s's post" -msgstr "{0} komentoval příspěvek uživatele %s" - -#: ../../mod/ping.php:261 -#, php-format -msgid "{0} liked %s's post" -msgstr "{0} má rád příspěvek uživatele %s" - -#: ../../mod/ping.php:266 -#, php-format -msgid "{0} disliked %s's post" -msgstr "{0} nemá rád příspěvek uživatele %s" - -#: ../../mod/ping.php:271 -#, php-format -msgid "{0} is now friends with %s" -msgstr "{0} se skamarádil s %s" - -#: ../../mod/ping.php:276 -msgid "{0} posted" -msgstr "{0} zasláno" - -#: ../../mod/ping.php:281 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "{0} označen %s' příspěvek s #%s" - -#: ../../mod/ping.php:287 -msgid "{0} mentioned you in a post" -msgstr "{0} vás zmínil v příspěvku" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Chyba OpenID protokolu. Navrátilo se žádné ID." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "Nenalezen účet a OpenID registrace na tomto serveru není dovolena." - -#: ../../mod/openid.php:93 ../../include/auth.php:112 -#: ../../include/auth.php:175 -msgid "Login failed." -msgstr "Přihlášení se nezdařilo." - -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "Neplatný identifikátor požadavku." - -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "Odstranit" - -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "Systém" - -#: ../../mod/notifications.php:83 ../../include/nav.php:143 -msgid "Network" -msgstr "Síť" - -#: ../../mod/notifications.php:98 ../../include/nav.php:152 -msgid "Introductions" -msgstr "Představení" - -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "Zobrazit ignorované žádosti" - -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "Skrýt ignorované žádosti" - -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "Typ oznámení: " - -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "Návrh přátelství" - -#: ../../mod/notifications.php:152 -#, php-format -msgid "suggested by %s" -msgstr "navrhl %s" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "Zveřejnit aktivitu nového přítele." - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "je-li použitelné" - -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "Vaši údajní známí: " - -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "ano" - -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "ne" - -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "Schválit jako: " - -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "Přítel" - -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "Sdílené" - -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "Fanoušek / obdivovatel" - -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "Přítel / žádost o připojení" - -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "Nový následovník" - -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "Žádné představení." - -#: ../../mod/notifications.php:220 ../../include/nav.php:153 -msgid "Notifications" -msgstr "Upozornění" - -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "Uživateli %s se líbí příspěvek uživatele %s" - -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "Uživateli %s se nelíbí příspěvek uživatele %s" - -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s se nyní přátelí s %s" - -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "%s vytvořil nový příspěvek" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s okomentoval příspěvek uživatele %s'" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "Žádné další síťové upozornění." - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "Upozornění Sítě" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "Žádné další osobní upozornění." - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "Osobní upozornění" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "Žádné další domácí upozornění." - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "Upozornění na vstupní straně" - -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Celkový limit pozvánek byl překročen" - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s : není platná e-mailová adresa." - -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Prosím přidejte se k nám na Friendice" - -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limit pozvánek byl překročen. Prosím kontaktujte vašeho administrátora webu." - -#: ../../mod/invite.php:89 -#, php-format -msgid "%s : Message delivery failed." -msgstr "%s : Doručení zprávy se nezdařilo." - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d zpráva odeslána." -msgstr[1] "%d zprávy odeslány." -msgstr[2] "%d zprávy odeslány." - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Nemáte k dispozici žádné další pozvánky" - -#: ../../mod/invite.php:120 +#: ../../include/dbstructure.php:31 #, 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 "Navštivte %s pro seznam veřejných serverů, na kterých se můžete přidat. Členové Friendica se mohou navzájem propojovat, stejně tak jako se mohou přiopojit se členy mnoha dalších sociálních sítí." +"The error message is\n" +"[pre]%s[/pre]" +msgstr "Chybová zpráva je\n[pre]%s[/pre]" -#: ../../mod/invite.php:122 -#, php-format +#: ../../include/dbstructure.php:162 +msgid "Errors encountered creating database tables." +msgstr "Při vytváření databázových tabulek došlo k chybám." + +#: ../../include/dbstructure.php:220 +msgid "Errors encountered performing database changes." +msgstr "Při provádění databázových změn došlo k chybám." + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Odhlášen." + +#: ../../include/auth.php:128 ../../include/user.php:67 msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "K akceptaci této pozvánky prosím navštivte a registrujte se na %s nebo na kterékoliv jiném veřejném Friendica serveru." +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Zaznamenali jsme problém s Vaším přihlášením prostřednictvím Vámi zadaným OpenID. Prosím ověřte si, že jste ID zadali správně. " -#: ../../mod/invite.php:123 -#, 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 servery jsou všechny propojené a vytváří tak rozsáhlou sociální síť s důrazem na soukromý a je pod kontrolou svých členů. Členové se mohou propojovat s mnoha dalšími tradičními sociálními sítěmi. Navštivte %s pro seznam alternativních Friendica serverů kde se můžete přidat." - -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Omlouváme se. Systém nyní není nastaven tak, aby se připojil k ostatním veřejným serverům nebo umožnil pozvat nové členy." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Poslat pozvánky" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Zadejte e-mailové adresy, jednu na řádek:" - -#: ../../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 "Jste srdečně pozván se připojit ke mně a k mým blízkým přátelům na Friendica - a pomoci nám vytvořit lepší sociální síť." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Budete muset zadat kód této pozvánky: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Jakmile se zaregistrujete, prosím spojte se se mnou přes mou profilovu stránku 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 "Pro více informací o Friendica projektu a o tom, proč je tak důležitý, prosím navštivte http://friendica.com" - -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Správa identit a / nebo stránek" - -#: ../../mod/manage.php:107 -msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Přepnutí mezi různými identitami nebo komunitními/skupinovými stránkami, které sdílí Vaše detaily účtu, nebo kterým jste přidělili oprávnění nastavovat přístupová práva." - -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Vyberte identitu pro správu: " - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Vítá Vás %s" - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "Přátelé uživatele %s" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "Žádní přátelé k zobrazení" +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Chybová zpráva byla:" #: ../../include/contact_widgets.php:6 msgid "Add New Contact" @@ -6006,10 +5772,18 @@ msgstr "Připojit / Následovat" msgid "Examples: Robert Morgenstein, Fishing" msgstr "Příklady: Robert Morgenstein, rybaření" +#: ../../include/contact_widgets.php:36 ../../view/theme/diabook/theme.php:526 +msgid "Similar Interests" +msgstr "Podobné zájmy" + #: ../../include/contact_widgets.php:37 msgid "Random Profile" msgstr "Náhodný Profil" +#: ../../include/contact_widgets.php:38 ../../view/theme/diabook/theme.php:528 +msgid "Invite Friends" +msgstr "Pozvat přátele" + #: ../../include/contact_widgets.php:71 msgid "Networks" msgstr "Sítě" @@ -6030,210 +5804,419 @@ msgstr "Všechno" msgid "Categories" msgstr "Kategorie" -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Klikněte zde pro aktualizaci." +#: ../../include/features.php:23 +msgid "General Features" +msgstr "Obecné funkčnosti" -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Tato akce překročí limit nastavené Vaším předplatným." +#: ../../include/features.php:25 +msgid "Multiple Profiles" +msgstr "Vícenásobné profily" -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Tato akce není v rámci Vašeho předplatného dostupná." +#: ../../include/features.php:25 +msgid "Ability to create multiple profiles" +msgstr "Schopnost vytvořit vícenásobné profily" -#: ../../include/api.php:304 ../../include/api.php:315 -#: ../../include/api.php:416 ../../include/api.php:1063 -#: ../../include/api.php:1065 -msgid "User not found." -msgstr "Uživatel nenalezen" +#: ../../include/features.php:30 +msgid "Post Composition Features" +msgstr "Nastavení vytváření příspěvků" -#: ../../include/api.php:771 -#, php-format -msgid "Daily posting limit of %d posts reached. The post was rejected." -msgstr "Bylo dosaženo denního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut." +#: ../../include/features.php:31 +msgid "Richtext Editor" +msgstr "Richtext Editor" -#: ../../include/api.php:790 -#, php-format -msgid "Weekly posting limit of %d posts reached. The post was rejected." -msgstr "Bylo týdenního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut." +#: ../../include/features.php:31 +msgid "Enable richtext editor" +msgstr "Povolit richtext editor" -#: ../../include/api.php:809 -#, php-format -msgid "Monthly posting limit of %d posts reached. The post was rejected." -msgstr "Bylo dosaženo měsíčního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut." +#: ../../include/features.php:32 +msgid "Post Preview" +msgstr "Náhled příspěvku" -#: ../../include/api.php:1272 -msgid "There is no status with this id." -msgstr "Není tu žádný status s tímto id." +#: ../../include/features.php:32 +msgid "Allow previewing posts and comments before publishing them" +msgstr "Povolit náhledy příspěvků a komentářů před jejich zveřejněním" -#: ../../include/api.php:1342 -msgid "There is no conversation with this id." -msgstr "Nemáme žádnou konverzaci s tímto id." +#: ../../include/features.php:33 +msgid "Auto-mention Forums" +msgstr "Automaticky zmíněná Fóra" -#: ../../include/api.php:1614 -msgid "Invalid request." -msgstr "Neplatný požadavek." - -#: ../../include/api.php:1625 -msgid "Invalid item." -msgstr "Neplatná položka." - -#: ../../include/api.php:1635 -msgid "Invalid action. " -msgstr "Neplatná akce" - -#: ../../include/api.php:1643 -msgid "DB error" -msgstr "DB chyba" - -#: ../../include/network.php:895 -msgid "view full size" -msgstr "zobrazit v plné velikosti" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:154 -msgid "Starts:" -msgstr "Začíná:" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:162 -msgid "Finishes:" -msgstr "Končí:" - -#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 -#, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Nelze nalézt záznam v DNS pro databázový server '%s'" - -#: ../../include/notifier.php:786 ../../include/delivery.php:456 -msgid "(no subject)" -msgstr "(Bez předmětu)" - -#: ../../include/notifier.php:796 ../../include/enotify.php:33 -#: ../../include/delivery.php:467 -msgid "noreply" -msgstr "neodpovídat" - -#: ../../include/user.php:40 -msgid "An invitation is required." -msgstr "Pozvánka je vyžadována." - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "Pozvánka nemohla být ověřena." - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "Neplatný odkaz OpenID" - -#: ../../include/user.php:67 ../../include/auth.php:128 +#: ../../include/features.php:33 msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Zaznamenali jsme problém s Vaším přihlášením prostřednictvím Vámi zadaným OpenID. Prosím ověřte si, že jste ID zadali správně. " +"Add/remove mention when a fourm page is selected/deselected in ACL window." +msgstr "Přidat/odebrat zmínku, když stránka fóra je označena/odznačena v ACL okně" -#: ../../include/user.php:67 ../../include/auth.php:128 -msgid "The error message was:" -msgstr "Chybová zpráva byla:" +#: ../../include/features.php:38 +msgid "Network Sidebar Widgets" +msgstr "Síťové postranní widgety" -#: ../../include/user.php:74 -msgid "Please enter the required information." -msgstr "Zadejte prosím požadované informace." +#: ../../include/features.php:39 +msgid "Search by Date" +msgstr "Vyhledávat dle Data" -#: ../../include/user.php:88 -msgid "Please use a shorter name." -msgstr "Použijte prosím kratší jméno." +#: ../../include/features.php:39 +msgid "Ability to select posts by date ranges" +msgstr "Možnost označit příspěvky dle časového intervalu" -#: ../../include/user.php:90 -msgid "Name too short." -msgstr "Jméno je příliš krátké." +#: ../../include/features.php:40 +msgid "Group Filter" +msgstr "Skupinový Filtr" -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Nezdá se, že by to bylo vaše celé jméno (křestní jméno a příjmení)." +#: ../../include/features.php:40 +msgid "Enable widget to display Network posts only from selected group" +msgstr "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené skupiny" -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." -msgstr "Váš e-mailová doména není na tomto serveru mezi povolenými." +#: ../../include/features.php:41 +msgid "Network Filter" +msgstr "Síťový Filtr" -#: ../../include/user.php:113 -msgid "Not a valid email address." -msgstr "Neplatná e-mailová adresa." +#: ../../include/features.php:41 +msgid "Enable widget to display Network posts only from selected network" +msgstr "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené sítě" -#: ../../include/user.php:126 -msgid "Cannot use that email." -msgstr "Tento e-mail nelze použít." +#: ../../include/features.php:42 +msgid "Save search terms for re-use" +msgstr "Uložit kritéria vyhledávání pro znovupoužití" -#: ../../include/user.php:132 +#: ../../include/features.php:47 +msgid "Network Tabs" +msgstr "Síťové záložky" + +#: ../../include/features.php:48 +msgid "Network Personal Tab" +msgstr "Osobní síťový záložka " + +#: ../../include/features.php:48 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "Povolit záložku pro zobrazení pouze síťových příspěvků, na které jste reagoval " + +#: ../../include/features.php:49 +msgid "Network New Tab" +msgstr "Nová záložka síť" + +#: ../../include/features.php:49 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "Povolit záložku pro zobrazení pouze nových příspěvků (za posledních 12 hodin)" + +#: ../../include/features.php:50 +msgid "Network Shared Links Tab" +msgstr "záložka Síťové sdílené odkazy " + +#: ../../include/features.php:50 +msgid "Enable tab to display only Network posts with links in them" +msgstr "Povolit záložky pro zobrazování pouze Síťových příspěvků s vazbou na ně" + +#: ../../include/features.php:55 +msgid "Post/Comment Tools" +msgstr "Nástroje Příspěvků/Komentářů" + +#: ../../include/features.php:56 +msgid "Multiple Deletion" +msgstr "Násobné mazání" + +#: ../../include/features.php:56 +msgid "Select and delete multiple posts/comments at once" +msgstr "Označit a smazat více " + +#: ../../include/features.php:57 +msgid "Edit Sent Posts" +msgstr "Editovat Odeslané příspěvky" + +#: ../../include/features.php:57 +msgid "Edit and correct posts and comments after sending" +msgstr "Editovat a opravit příspěvky a komentáře po odeslání" + +#: ../../include/features.php:58 +msgid "Tagging" +msgstr "Štítkování" + +#: ../../include/features.php:58 +msgid "Ability to tag existing posts" +msgstr "Schopnost přidat štítky ke stávajícím příspvěkům" + +#: ../../include/features.php:59 +msgid "Post Categories" +msgstr "Kategorie příspěvků" + +#: ../../include/features.php:59 +msgid "Add categories to your posts" +msgstr "Přidat kategorie k Vašim příspěvkům" + +#: ../../include/features.php:60 +msgid "Ability to file posts under folders" +msgstr "Možnost řadit příspěvky do složek" + +#: ../../include/features.php:61 +msgid "Dislike Posts" +msgstr "Označit příspěvky jako neoblíbené" + +#: ../../include/features.php:61 +msgid "Ability to dislike posts/comments" +msgstr "Možnost označit příspěvky/komentáře jako neoblíbené" + +#: ../../include/features.php:62 +msgid "Star Posts" +msgstr "Příspěvky s hvězdou" + +#: ../../include/features.php:62 +msgid "Ability to mark special posts with a star indicator" +msgstr "Možnost označit příspěvky s indikátorem hvězdy" + +#: ../../include/features.php:63 +msgid "Mute Post Notifications" +msgstr "Utlumit upozornění na přísvěvky" + +#: ../../include/features.php:63 +msgid "Ability to mute notifications for a thread" +msgstr "Možnost stlumit upozornění pro vlákno" + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "Chybí URL adresa." + +#: ../../include/follow.php:59 msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr "Vaše \"přezdívka\" může obsahovat pouze \"a-z\", \"0-9\", \"-\", a \"_\", a musí začínat písmenem." +"This site is not configured to allow communications with other networks." +msgstr "Tento web není nakonfigurován tak, aby umožňoval komunikaci s ostatními sítěmi." -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." -msgstr "Přezdívka je již registrována. Prosím vyberte jinou." +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Nenalezen žádný kompatibilní komunikační protokol nebo kanál." -#: ../../include/user.php:148 +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "Uvedená adresa profilu neposkytuje dostatečné informace." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Autor nebo jméno nenalezeno" + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Této adrese neodpovídá žádné URL prohlížeče." + +#: ../../include/follow.php:86 msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Tato přezdívka již zde byla použita a nemůže být využita znovu. Prosím vyberete si jinou." +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Není možné namapovat adresu identity ve stylu @ s žádným možným protokolem ani emailovým kontaktem." -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "Závažná chyba: Generování bezpečnostních klíčů se nezdařilo." +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Použite mailo: před adresou k vynucení emailové kontroly." -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." -msgstr "Došlo k chybě při registraci. Zkuste to prosím znovu." +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "Zadaná adresa profilu patří do sítě, která byla na tomto serveru zakázána." -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." -msgstr "Došlo k chybě při vytváření Vašeho výchozího profilu. Zkuste to prosím znovu." +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Omezený profil. Tato osoba nebude schopna od Vás přijímat přímé / osobní sdělení." -#: ../../include/user.php:289 ../../include/user.php:293 -#: ../../include/profile_selectors.php:42 -msgid "Friends" -msgstr "Přátelé" +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Nepodařilo se získat kontaktní informace." -#: ../../include/user.php:377 +#: ../../include/follow.php:258 +msgid "following" +msgstr "následující" + +#: ../../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 "Dříve smazaná skupina s tímto jménem byla obnovena. Stávající oprávnění může ovlivnit tuto skupinu a její budoucí členy. Pokud to není to, co jste chtěli, vytvořte, prosím, další skupinu s jiným názvem." + +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Defaultní soukromá skrupina pro nové kontakty." + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Všichni" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "editovat" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Editovat skupinu" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Vytvořit novou skupinu" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Kontakty, které nejsou v žádné skupině" + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Různé" + +#: ../../include/datetime.php:153 ../../include/datetime.php:290 +msgid "year" +msgstr "rok" + +#: ../../include/datetime.php:158 ../../include/datetime.php:291 +msgid "month" +msgstr "měsíc" + +#: ../../include/datetime.php:163 ../../include/datetime.php:293 +msgid "day" +msgstr "den" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "nikdy" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "méně než před sekundou" + +#: ../../include/datetime.php:290 +msgid "years" +msgstr "let" + +#: ../../include/datetime.php:291 +msgid "months" +msgstr "měsíců" + +#: ../../include/datetime.php:292 +msgid "week" +msgstr "týdnem" + +#: ../../include/datetime.php:292 +msgid "weeks" +msgstr "týdny" + +#: ../../include/datetime.php:293 +msgid "days" +msgstr "dnů" + +#: ../../include/datetime.php:294 +msgid "hour" +msgstr "hodina" + +#: ../../include/datetime.php:294 +msgid "hours" +msgstr "hodin" + +#: ../../include/datetime.php:295 +msgid "minute" +msgstr "minuta" + +#: ../../include/datetime.php:295 +msgid "minutes" +msgstr "minut" + +#: ../../include/datetime.php:296 +msgid "second" +msgstr "sekunda" + +#: ../../include/datetime.php:296 +msgid "seconds" +msgstr "sekund" + +#: ../../include/datetime.php:305 #, 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 "\n\t\tDrahý %1$s,\n\t\t\tDěkujeme Vám za registraci na %2$s. Váš účet byl vytvořen.\n\t" +msgid "%1$d %2$s ago" +msgstr "před %1$d %2$s" -#: ../../include/user.php:381 +#: ../../include/datetime.php:477 ../../include/items.php:2211 #, php-format +msgid "%s's birthday" +msgstr "%s má narozeniny" + +#: ../../include/datetime.php:478 ../../include/items.php:2212 +#, php-format +msgid "Happy Birthday %s" +msgstr "Veselé narozeniny %s" + +#: ../../include/acl_selectors.php:333 +msgid "Visible to everybody" +msgstr "Viditelné pro všechny" + +#: ../../include/acl_selectors.php:334 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "show" +msgstr "zobrazit" + +#: ../../include/acl_selectors.php:335 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "don't show" +msgstr "nikdy nezobrazit" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[bez předmětu]" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "následování zastaveno" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "Šťouchnout" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "Zobrazit Status" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "Zobrazit Profil" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "Zobrazit Fotky" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "Zobrazit Příspěvky sítě" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "Editovat Kontakty" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Odstranit kontakt" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "Poslat soukromou zprávu" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Vítejte " + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Prosím nahrejte profilovou fotografii" + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Vítejte zpět " + +#: ../../include/security.php:366 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 "\n\t\tVaše přihlašovací údaje jsou následující:\n\t\t\tAdresa webu:\t%3$s\n\t\t\tpřihlašovací jméno:\t%1$s\n\t\t\theslo:\t%5$s\n\n\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou.\n\n\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné.\n\t\tPokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\n\t\tDíky a vítejte na %2$s." +"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 "Formulářový bezpečnostní token nebyl správný. To pravděpodobně nastalo kvůli tom, že formulář byl otevřen příliš dlouho (>3 hodiny) před jeho odesláním." + +#: ../../include/conversation.php:118 ../../include/conversation.php:246 +#: ../../include/text.php:1966 ../../view/theme/diabook/theme.php:463 +msgid "event" +msgstr "událost" #: ../../include/conversation.php:207 #, php-format @@ -6265,37 +6248,6 @@ msgstr "Smazat vybrané položky" msgid "Follow Thread" msgstr "Následovat vlákno" -#: ../../include/conversation.php:876 ../../include/Contact.php:229 -msgid "View Status" -msgstr "Zobrazit Status" - -#: ../../include/conversation.php:877 ../../include/Contact.php:230 -msgid "View Profile" -msgstr "Zobrazit Profil" - -#: ../../include/conversation.php:878 ../../include/Contact.php:231 -msgid "View Photos" -msgstr "Zobrazit Fotky" - -#: ../../include/conversation.php:879 ../../include/Contact.php:232 -#: ../../include/Contact.php:255 -msgid "Network Posts" -msgstr "Zobrazit Příspěvky sítě" - -#: ../../include/conversation.php:880 ../../include/Contact.php:233 -#: ../../include/Contact.php:255 -msgid "Edit Contact" -msgstr "Editovat Kontakty" - -#: ../../include/conversation.php:881 ../../include/Contact.php:235 -#: ../../include/Contact.php:255 -msgid "Send PM" -msgstr "Poslat soukromou zprávu" - -#: ../../include/conversation.php:882 ../../include/Contact.php:228 -msgid "Poke" -msgstr "Šťouchnout" - #: ../../include/conversation.php:944 #, php-format msgid "%s likes this." @@ -6384,46 +6336,9 @@ msgstr "Zveřejnit na Groups" msgid "Private post" msgstr "Soukromý příspěvek" -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Odhlášen." - -#: ../../include/uimport.php:94 -msgid "Error decoding account file" -msgstr "Chyba dekódování uživatelského účtu" - -#: ../../include/uimport.php:100 -msgid "Error! No version data in file! This is not a Friendica account file?" -msgstr "Chyba! V datovém souboru není označení verze! Je to opravdu soubor s účtem Friendica?" - -#: ../../include/uimport.php:116 ../../include/uimport.php:127 -msgid "Error! Cannot check nickname" -msgstr "Chyba! Nelze ověřit přezdívku" - -#: ../../include/uimport.php:120 ../../include/uimport.php:131 -#, php-format -msgid "User '%s' already exists on this server!" -msgstr "Uživatel '%s' již na tomto serveru existuje!" - -#: ../../include/uimport.php:153 -msgid "User creation error" -msgstr "Chyba vytváření uživatele" - -#: ../../include/uimport.php:171 -msgid "User profile creation error" -msgstr "Chyba vytváření uživatelského účtu" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d kontakt nenaimporován" -msgstr[1] "%d kontaktů nenaimporováno" -msgstr[2] "%d kontakty nenaimporovány" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" -msgstr "Hotovo. Nyní se můžete přihlásit se svými uživatelským účtem a heslem" +#: ../../include/network.php:895 +msgid "view full size" +msgstr "zobrazit v plné velikosti" #: ../../include/text.php:297 msgid "newer" @@ -6669,6 +6584,11 @@ msgstr "bytů" msgid "Click to open/close" msgstr "Klikněte pro otevření/zavření" +#: ../../include/text.php:1702 ../../include/user.php:247 +#: ../../view/theme/duepuntozero/config.php:44 +msgid "default" +msgstr "standardní" + #: ../../include/text.php:1714 msgid "Select an alternate language" msgstr "Vyběr alternativního jazyka" @@ -6685,6 +6605,768 @@ msgstr "příspěvek" msgid "Item filed" msgstr "Položka vyplněna" +#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 +#: ../../include/bbcode.php:1048 +msgid "Image/photo" +msgstr "Obrázek/fotografie" + +#: ../../include/bbcode.php:528 +#, php-format +msgid "%2$s %3$s" +msgstr "%2$s %3$s" + +#: ../../include/bbcode.php:562 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "%s napsal následující příspěvek" + +#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 +msgid "$1 wrote:" +msgstr "$1 napsal:" + +#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 +msgid "Encrypted content" +msgstr "Šifrovaný obsah" + +#: ../../include/notifier.php:786 ../../include/delivery.php:456 +msgid "(no subject)" +msgstr "(Bez předmětu)" + +#: ../../include/notifier.php:796 ../../include/delivery.php:467 +#: ../../include/enotify.php:33 +msgid "noreply" +msgstr "neodpovídat" + +#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Nelze nalézt záznam v DNS pro databázový server '%s'" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Neznámé | Nezařazeno" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Okamžitě blokovat " + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "pochybný, spammer, self-makerter" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Znám ho ale, ale bez rozhodnutí" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "OK, pravděpodobně neškodný" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Renomovaný, má mou důvěru" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Týdenně" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Měsíčně" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../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 konektor" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" + +#: ../../include/Scrape.php:614 +msgid " on Last.fm" +msgstr " na Last.fm" + +#: ../../include/bb2diaspora.php:154 ../../include/event.php:20 +msgid "Starts:" +msgstr "Začíná:" + +#: ../../include/bb2diaspora.php:162 ../../include/event.php:30 +msgid "Finishes:" +msgstr "Končí:" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "j F, Y" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "j F" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "Narozeniny:" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "Věk:" + +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "pro %1$d %2$s" + +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "Štítky:" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "Náboženství:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "Koníčky/zájmy:" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "Kontaktní informace a sociální sítě:" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "Hudební vkus:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "Knihy, literatura:" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "Televize:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "Film/tanec/kultura/zábava:" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "Láska/romance" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "Práce/zaměstnání:" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "Škola/vzdělávání:" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Klikněte zde pro aktualizaci." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Tato akce překročí limit nastavené Vaším předplatným." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Tato akce není v rámci Vašeho předplatného dostupná." + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Konec této relace" + +#: ../../include/nav.php:76 ../../include/nav.php:148 +#: ../../view/theme/diabook/theme.php:123 +msgid "Your posts and conversations" +msgstr "Vaše příspěvky a konverzace" + +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Your profile page" +msgstr "Vaše profilová stránka" + +#: ../../include/nav.php:78 ../../view/theme/diabook/theme.php:126 +msgid "Your photos" +msgstr "Vaše fotky" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "Vaše videa" + +#: ../../include/nav.php:80 ../../view/theme/diabook/theme.php:127 +msgid "Your events" +msgstr "Vaše události" + +#: ../../include/nav.php:81 ../../view/theme/diabook/theme.php:128 +msgid "Personal notes" +msgstr "Osobní poznámky" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Vaše osobní poznámky" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Přihlásit se" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Domácí stránka" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Vytvořit účet" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Nápověda a dokumentace" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Aplikace" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Doplňkové aplikace, nástroje, hry" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Hledání na stránkách tohoto webu" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Konverzace na tomto webu" + +#: ../../include/nav.php:131 +msgid "Conversations on the network" +msgstr "" + +#: ../../include/nav.php:133 +msgid "Directory" +msgstr "Adresář" + +#: ../../include/nav.php:133 +msgid "People directory" +msgstr "Adresář" + +#: ../../include/nav.php:135 +msgid "Information" +msgstr "Informace" + +#: ../../include/nav.php:135 +msgid "Information about this friendica instance" +msgstr "Informace o této instanci Friendica" + +#: ../../include/nav.php:145 +msgid "Conversations from your friends" +msgstr "Konverzace od Vašich přátel" + +#: ../../include/nav.php:146 +msgid "Network Reset" +msgstr "Síťový Reset" + +#: ../../include/nav.php:146 +msgid "Load Network page with no filters" +msgstr "Načíst stránku Síť bez filtrů" + +#: ../../include/nav.php:154 +msgid "Friend Requests" +msgstr "Žádosti přátel" + +#: ../../include/nav.php:156 +msgid "See all notifications" +msgstr "Zobrazit všechny upozornění" + +#: ../../include/nav.php:157 +msgid "Mark all system notifications seen" +msgstr "Označit všechny upozornění systému jako přečtené" + +#: ../../include/nav.php:161 +msgid "Private mail" +msgstr "Soukromá pošta" + +#: ../../include/nav.php:162 +msgid "Inbox" +msgstr "Doručená pošta" + +#: ../../include/nav.php:163 +msgid "Outbox" +msgstr "Odeslaná pošta" + +#: ../../include/nav.php:167 +msgid "Manage" +msgstr "Spravovat" + +#: ../../include/nav.php:167 +msgid "Manage other pages" +msgstr "Spravovat jiné stránky" + +#: ../../include/nav.php:172 +msgid "Account settings" +msgstr "Nastavení účtu" + +#: ../../include/nav.php:175 +msgid "Manage/Edit Profiles" +msgstr "Spravovat/Editovat Profily" + +#: ../../include/nav.php:177 +msgid "Manage/edit friends and contacts" +msgstr "Spravovat/upravit přátelé a kontakty" + +#: ../../include/nav.php:184 +msgid "Site setup and configuration" +msgstr "Nastavení webu a konfigurace" + +#: ../../include/nav.php:188 +msgid "Navigation" +msgstr "Navigace" + +#: ../../include/nav.php:188 +msgid "Site map" +msgstr "Mapa webu" + +#: ../../include/api.php:304 ../../include/api.php:315 +#: ../../include/api.php:416 ../../include/api.php:1063 +#: ../../include/api.php:1065 +msgid "User not found." +msgstr "Uživatel nenalezen" + +#: ../../include/api.php:771 +#, php-format +msgid "Daily posting limit of %d posts reached. The post was rejected." +msgstr "Bylo dosaženo denního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut." + +#: ../../include/api.php:790 +#, php-format +msgid "Weekly posting limit of %d posts reached. The post was rejected." +msgstr "Bylo týdenního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut." + +#: ../../include/api.php:809 +#, php-format +msgid "Monthly posting limit of %d posts reached. The post was rejected." +msgstr "Bylo dosaženo měsíčního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut." + +#: ../../include/api.php:1272 +msgid "There is no status with this id." +msgstr "Není tu žádný status s tímto id." + +#: ../../include/api.php:1342 +msgid "There is no conversation with this id." +msgstr "Nemáme žádnou konverzaci s tímto id." + +#: ../../include/api.php:1614 +msgid "Invalid request." +msgstr "Neplatný požadavek." + +#: ../../include/api.php:1625 +msgid "Invalid item." +msgstr "Neplatná položka." + +#: ../../include/api.php:1635 +msgid "Invalid action. " +msgstr "Neplatná akce" + +#: ../../include/api.php:1643 +msgid "DB error" +msgstr "DB chyba" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "Pozvánka je vyžadována." + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "Pozvánka nemohla být ověřena." + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "Neplatný odkaz OpenID" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "Zadejte prosím požadované informace." + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "Použijte prosím kratší jméno." + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "Jméno je příliš krátké." + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Nezdá se, že by to bylo vaše celé jméno (křestní jméno a příjmení)." + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "Váš e-mailová doména není na tomto serveru mezi povolenými." + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "Neplatná e-mailová adresa." + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "Tento e-mail nelze použít." + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "Vaše \"přezdívka\" může obsahovat pouze \"a-z\", \"0-9\", \"-\", a \"_\", a musí začínat písmenem." + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "Přezdívka je již registrována. Prosím vyberte jinou." + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Tato přezdívka již zde byla použita a nemůže být využita znovu. Prosím vyberete si jinou." + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "Závažná chyba: Generování bezpečnostních klíčů se nezdařilo." + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "Došlo k chybě při registraci. Zkuste to prosím znovu." + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "Došlo k chybě při vytváření Vašeho výchozího profilu. Zkuste to prosím znovu." + +#: ../../include/user.php:289 ../../include/user.php:293 +#: ../../include/profile_selectors.php:42 +msgid "Friends" +msgstr "Přátelé" + +#: ../../include/user.php:377 +#, 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 "\n\t\tDrahý %1$s,\n\t\t\tDěkujeme Vám za registraci na %2$s. Váš účet byl vytvořen.\n\t" + +#: ../../include/user.php:381 +#, 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 "\n\t\tVaše přihlašovací údaje jsou následující:\n\t\t\tAdresa webu:\t%3$s\n\t\t\tpřihlašovací jméno:\t%1$s\n\t\t\theslo:\t%5$s\n\n\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou.\n\n\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné.\n\t\tPokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\n\t\tDíky a vítejte na %2$s." + +#: ../../include/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "Sdílení oznámení ze sítě Diaspora" + +#: ../../include/diaspora.php:2520 +msgid "Attachments:" +msgstr "Přílohy:" + +#: ../../include/items.php:4555 +msgid "Do you really want to delete this item?" +msgstr "Opravdu chcete smazat tuto položku?" + +#: ../../include/items.php:4778 +msgid "Archives" +msgstr "Archív" + +#: ../../include/profile_selectors.php:6 +msgid "Male" +msgstr "Muž" + +#: ../../include/profile_selectors.php:6 +msgid "Female" +msgstr "Žena" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Male" +msgstr "V současné době muž" + +#: ../../include/profile_selectors.php:6 +msgid "Currently Female" +msgstr "V současné době žena" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Male" +msgstr "Většinou muž" + +#: ../../include/profile_selectors.php:6 +msgid "Mostly Female" +msgstr "Většinou žena" + +#: ../../include/profile_selectors.php:6 +msgid "Transgender" +msgstr "Transgender" + +#: ../../include/profile_selectors.php:6 +msgid "Intersex" +msgstr "Intersex" + +#: ../../include/profile_selectors.php:6 +msgid "Transsexual" +msgstr "Transexuál" + +#: ../../include/profile_selectors.php:6 +msgid "Hermaphrodite" +msgstr "Hermafrodit" + +#: ../../include/profile_selectors.php:6 +msgid "Neuter" +msgstr "Neutrál" + +#: ../../include/profile_selectors.php:6 +msgid "Non-specific" +msgstr "Nespecifikováno" + +#: ../../include/profile_selectors.php:6 +msgid "Other" +msgstr "Jiné" + +#: ../../include/profile_selectors.php:6 +msgid "Undecided" +msgstr "Nerozhodnuto" + +#: ../../include/profile_selectors.php:23 +msgid "Males" +msgstr "Muži" + +#: ../../include/profile_selectors.php:23 +msgid "Females" +msgstr "Ženy" + +#: ../../include/profile_selectors.php:23 +msgid "Gay" +msgstr "Gay" + +#: ../../include/profile_selectors.php:23 +msgid "Lesbian" +msgstr "Lesbička" + +#: ../../include/profile_selectors.php:23 +msgid "No Preference" +msgstr "Bez preferencí" + +#: ../../include/profile_selectors.php:23 +msgid "Bisexual" +msgstr "Bisexuál" + +#: ../../include/profile_selectors.php:23 +msgid "Autosexual" +msgstr "Autosexuál" + +#: ../../include/profile_selectors.php:23 +msgid "Abstinent" +msgstr "Abstinent" + +#: ../../include/profile_selectors.php:23 +msgid "Virgin" +msgstr "panic/panna" + +#: ../../include/profile_selectors.php:23 +msgid "Deviant" +msgstr "Deviant" + +#: ../../include/profile_selectors.php:23 +msgid "Fetish" +msgstr "Fetišista" + +#: ../../include/profile_selectors.php:23 +msgid "Oodles" +msgstr "Hodně" + +#: ../../include/profile_selectors.php:23 +msgid "Nonsexual" +msgstr "Nesexuální" + +#: ../../include/profile_selectors.php:42 +msgid "Single" +msgstr "Svobodný" + +#: ../../include/profile_selectors.php:42 +msgid "Lonely" +msgstr "Osamnělý" + +#: ../../include/profile_selectors.php:42 +msgid "Available" +msgstr "Dostupný" + +#: ../../include/profile_selectors.php:42 +msgid "Unavailable" +msgstr "Nedostupný" + +#: ../../include/profile_selectors.php:42 +msgid "Has crush" +msgstr "Zamilovaný" + +#: ../../include/profile_selectors.php:42 +msgid "Infatuated" +msgstr "Zabouchnutý" + +#: ../../include/profile_selectors.php:42 +msgid "Dating" +msgstr "Seznamující se" + +#: ../../include/profile_selectors.php:42 +msgid "Unfaithful" +msgstr "Nevěrný" + +#: ../../include/profile_selectors.php:42 +msgid "Sex Addict" +msgstr "Závislý na sexu" + +#: ../../include/profile_selectors.php:42 +msgid "Friends/Benefits" +msgstr "Přátelé / výhody" + +#: ../../include/profile_selectors.php:42 +msgid "Casual" +msgstr "Ležérní" + +#: ../../include/profile_selectors.php:42 +msgid "Engaged" +msgstr "Zadaný" + +#: ../../include/profile_selectors.php:42 +msgid "Married" +msgstr "Ženatý/vdaná" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily married" +msgstr "Pomyslně ženatý/vdaná" + +#: ../../include/profile_selectors.php:42 +msgid "Partners" +msgstr "Partneři" + +#: ../../include/profile_selectors.php:42 +msgid "Cohabiting" +msgstr "Žijící ve společné domácnosti" + +#: ../../include/profile_selectors.php:42 +msgid "Common law" +msgstr "Zvykové právo" + +#: ../../include/profile_selectors.php:42 +msgid "Happy" +msgstr "Šťastný" + +#: ../../include/profile_selectors.php:42 +msgid "Not looking" +msgstr "Nehledající" + +#: ../../include/profile_selectors.php:42 +msgid "Swinger" +msgstr "Swinger" + +#: ../../include/profile_selectors.php:42 +msgid "Betrayed" +msgstr "Zrazen" + +#: ../../include/profile_selectors.php:42 +msgid "Separated" +msgstr "Odloučený" + +#: ../../include/profile_selectors.php:42 +msgid "Unstable" +msgstr "Nestálý" + +#: ../../include/profile_selectors.php:42 +msgid "Divorced" +msgstr "Rozvedený(á)" + +#: ../../include/profile_selectors.php:42 +msgid "Imaginarily divorced" +msgstr "Pomyslně rozvedený" + +#: ../../include/profile_selectors.php:42 +msgid "Widowed" +msgstr "Ovdovělý(á)" + +#: ../../include/profile_selectors.php:42 +msgid "Uncertain" +msgstr "Nejistý" + +#: ../../include/profile_selectors.php:42 +msgid "It's complicated" +msgstr "Je to složité" + +#: ../../include/profile_selectors.php:42 +msgid "Don't care" +msgstr "Nezajímá" + +#: ../../include/profile_selectors.php:42 +msgid "Ask me" +msgstr "Zeptej se mě" + #: ../../include/enotify.php:18 msgid "Friendica Notification" msgstr "Friendica Notifikace" @@ -6969,691 +7651,6 @@ msgstr "Plné jméno:\t%1$s\\nUmístění webu:\t%2$s\\nPřihlašovací účet:\ msgid "Please visit %s to approve or reject the request." msgstr "Prosím navštivte %s k odsouhlasení nebo k zamítnutí požadavku." -#: ../../include/Scrape.php:614 -msgid " on Last.fm" -msgstr " na Last.fm" - -#: ../../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 "Dříve smazaná skupina s tímto jménem byla obnovena. Stávající oprávnění může ovlivnit tuto skupinu a její budoucí členy. Pokud to není to, co jste chtěli, vytvořte, prosím, další skupinu s jiným názvem." - -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Defaultní soukromá skrupina pro nové kontakty." - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Všichni" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "editovat" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Editovat skupinu" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Vytvořit novou skupinu" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Kontakty, které nejsou v žádné skupině" - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "Chybí URL adresa." - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Tento web není nakonfigurován tak, aby umožňoval komunikaci s ostatními sítěmi." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Nenalezen žádný kompatibilní komunikační protokol nebo kanál." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "Uvedená adresa profilu neposkytuje dostatečné informace." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Autor nebo jméno nenalezeno" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Této adrese neodpovídá žádné URL prohlížeče." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Není možné namapovat adresu identity ve stylu @ s žádným možným protokolem ani emailovým kontaktem." - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Použite mailo: před adresou k vynucení emailové kontroly." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "Zadaná adresa profilu patří do sítě, která byla na tomto serveru zakázána." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Omezený profil. Tato osoba nebude schopna od Vás přijímat přímé / osobní sdělení." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "Nepodařilo se získat kontaktní informace." - -#: ../../include/follow.php:258 -msgid "following" -msgstr "následující" - -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[bez předmětu]" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Konec této relace" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "Vaše videa" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "Vaše osobní poznámky" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Přihlásit se" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Domácí stránka" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Vytvořit účet" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Nápověda a dokumentace" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Aplikace" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Doplňkové aplikace, nástroje, hry" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Hledání na stránkách tohoto webu" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Konverzace na tomto webu" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Adresář" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Adresář" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "Informace" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "Informace o této instanci Friendica" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Konverzace od Vašich přátel" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Síťový Reset" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "Načíst stránku Síť bez filtrů" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Žádosti přátel" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Zobrazit všechny upozornění" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Označit všechny upozornění systému jako přečtené" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Soukromá pošta" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "Doručená pošta" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Odeslaná pošta" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Spravovat" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Spravovat jiné stránky" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Nastavení účtu" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Spravovat/Editovat Profily" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Spravovat/upravit přátelé a kontakty" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Nastavení webu a konfigurace" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navigace" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Mapa webu" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "j F, Y" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "j F" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "Narozeniny:" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "Věk:" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "pro %1$d %2$s" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "Štítky:" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "Náboženství:" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "Koníčky/zájmy:" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "Kontaktní informace a sociální sítě:" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "Hudební vkus:" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "Knihy, literatura:" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "Televize:" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "Film/tanec/kultura/zábava:" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "Láska/romance" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "Práce/zaměstnání:" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "Škola/vzdělávání:" - -#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 -#: ../../include/bbcode.php:1048 -msgid "Image/photo" -msgstr "Obrázek/fotografie" - -#: ../../include/bbcode.php:528 -#, php-format -msgid "%2$s %3$s" -msgstr "%2$s %3$s" - -#: ../../include/bbcode.php:562 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "%s napsal následující příspěvek" - -#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 -msgid "$1 wrote:" -msgstr "$1 napsal:" - -#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 -msgid "Encrypted content" -msgstr "Šifrovaný obsah" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Neznámé | Nezařazeno" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Okamžitě blokovat " - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "pochybný, spammer, self-makerter" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Znám ho ale, ale bez rozhodnutí" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "OK, pravděpodobně neškodný" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Renomovaný, má mou důvěru" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Týdenně" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Měsíčně" - -#: ../../include/contact_selectors.php:77 -msgid "OStatus" -msgstr "OStatus" - -#: ../../include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS/Atom" - -#: ../../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 konektor" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "Statusnet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "App.net" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Různé" - -#: ../../include/datetime.php:153 ../../include/datetime.php:290 -msgid "year" -msgstr "rok" - -#: ../../include/datetime.php:158 ../../include/datetime.php:291 -msgid "month" -msgstr "měsíc" - -#: ../../include/datetime.php:163 ../../include/datetime.php:293 -msgid "day" -msgstr "den" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "nikdy" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "méně než před sekundou" - -#: ../../include/datetime.php:290 -msgid "years" -msgstr "let" - -#: ../../include/datetime.php:291 -msgid "months" -msgstr "měsíců" - -#: ../../include/datetime.php:292 -msgid "week" -msgstr "týdnem" - -#: ../../include/datetime.php:292 -msgid "weeks" -msgstr "týdny" - -#: ../../include/datetime.php:293 -msgid "days" -msgstr "dnů" - -#: ../../include/datetime.php:294 -msgid "hour" -msgstr "hodina" - -#: ../../include/datetime.php:294 -msgid "hours" -msgstr "hodin" - -#: ../../include/datetime.php:295 -msgid "minute" -msgstr "minuta" - -#: ../../include/datetime.php:295 -msgid "minutes" -msgstr "minut" - -#: ../../include/datetime.php:296 -msgid "second" -msgstr "sekunda" - -#: ../../include/datetime.php:296 -msgid "seconds" -msgstr "sekund" - -#: ../../include/datetime.php:305 -#, php-format -msgid "%1$d %2$s ago" -msgstr "před %1$d %2$s" - -#: ../../include/datetime.php:477 ../../include/items.php:2204 -#, php-format -msgid "%s's birthday" -msgstr "%s má narozeniny" - -#: ../../include/datetime.php:478 ../../include/items.php:2205 -#, php-format -msgid "Happy Birthday %s" -msgstr "Veselé narozeniny %s" - -#: ../../include/features.php:23 -msgid "General Features" -msgstr "Obecné funkčnosti" - -#: ../../include/features.php:25 -msgid "Multiple Profiles" -msgstr "Vícenásobné profily" - -#: ../../include/features.php:25 -msgid "Ability to create multiple profiles" -msgstr "Schopnost vytvořit vícenásobné profily" - -#: ../../include/features.php:30 -msgid "Post Composition Features" -msgstr "Nastavení vytváření příspěvků" - -#: ../../include/features.php:31 -msgid "Richtext Editor" -msgstr "Richtext Editor" - -#: ../../include/features.php:31 -msgid "Enable richtext editor" -msgstr "Povolit richtext editor" - -#: ../../include/features.php:32 -msgid "Post Preview" -msgstr "Náhled příspěvku" - -#: ../../include/features.php:32 -msgid "Allow previewing posts and comments before publishing them" -msgstr "Povolit náhledy příspěvků a komentářů před jejich zveřejněním" - -#: ../../include/features.php:33 -msgid "Auto-mention Forums" -msgstr "Automaticky zmíněná Fóra" - -#: ../../include/features.php:33 -msgid "" -"Add/remove mention when a fourm page is selected/deselected in ACL window." -msgstr "Přidat/odebrat zmínku, když stránka fóra je označena/odznačena v ACL okně" - -#: ../../include/features.php:38 -msgid "Network Sidebar Widgets" -msgstr "Síťové postranní widgety" - -#: ../../include/features.php:39 -msgid "Search by Date" -msgstr "Vyhledávat dle Data" - -#: ../../include/features.php:39 -msgid "Ability to select posts by date ranges" -msgstr "Možnost označit příspěvky dle časového intervalu" - -#: ../../include/features.php:40 -msgid "Group Filter" -msgstr "Skupinový Filtr" - -#: ../../include/features.php:40 -msgid "Enable widget to display Network posts only from selected group" -msgstr "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené skupiny" - -#: ../../include/features.php:41 -msgid "Network Filter" -msgstr "Síťový Filtr" - -#: ../../include/features.php:41 -msgid "Enable widget to display Network posts only from selected network" -msgstr "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené sítě" - -#: ../../include/features.php:42 -msgid "Save search terms for re-use" -msgstr "Uložit kritéria vyhledávání pro znovupoužití" - -#: ../../include/features.php:47 -msgid "Network Tabs" -msgstr "Síťové záložky" - -#: ../../include/features.php:48 -msgid "Network Personal Tab" -msgstr "Osobní síťový záložka " - -#: ../../include/features.php:48 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "Povolit záložku pro zobrazení pouze síťových příspěvků, na které jste reagoval " - -#: ../../include/features.php:49 -msgid "Network New Tab" -msgstr "Nová záložka síť" - -#: ../../include/features.php:49 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "Povolit záložku pro zobrazení pouze nových příspěvků (za posledních 12 hodin)" - -#: ../../include/features.php:50 -msgid "Network Shared Links Tab" -msgstr "záložka Síťové sdílené odkazy " - -#: ../../include/features.php:50 -msgid "Enable tab to display only Network posts with links in them" -msgstr "Povolit záložky pro zobrazování pouze Síťových příspěvků s vazbou na ně" - -#: ../../include/features.php:55 -msgid "Post/Comment Tools" -msgstr "Nástroje Příspěvků/Komentářů" - -#: ../../include/features.php:56 -msgid "Multiple Deletion" -msgstr "Násobné mazání" - -#: ../../include/features.php:56 -msgid "Select and delete multiple posts/comments at once" -msgstr "Označit a smazat více " - -#: ../../include/features.php:57 -msgid "Edit Sent Posts" -msgstr "Editovat Odeslané příspěvky" - -#: ../../include/features.php:57 -msgid "Edit and correct posts and comments after sending" -msgstr "Editovat a opravit příspěvky a komentáře po odeslání" - -#: ../../include/features.php:58 -msgid "Tagging" -msgstr "Štítkování" - -#: ../../include/features.php:58 -msgid "Ability to tag existing posts" -msgstr "Schopnost přidat štítky ke stávajícím příspvěkům" - -#: ../../include/features.php:59 -msgid "Post Categories" -msgstr "Kategorie příspěvků" - -#: ../../include/features.php:59 -msgid "Add categories to your posts" -msgstr "Přidat kategorie k Vašim příspěvkům" - -#: ../../include/features.php:60 -msgid "Ability to file posts under folders" -msgstr "Možnost řadit příspěvky do složek" - -#: ../../include/features.php:61 -msgid "Dislike Posts" -msgstr "Označit příspěvky jako neoblíbené" - -#: ../../include/features.php:61 -msgid "Ability to dislike posts/comments" -msgstr "Možnost označit příspěvky/komentáře jako neoblíbené" - -#: ../../include/features.php:62 -msgid "Star Posts" -msgstr "Příspěvky s hvězdou" - -#: ../../include/features.php:62 -msgid "Ability to mark special posts with a star indicator" -msgstr "Možnost označit příspěvky s indikátorem hvězdy" - -#: ../../include/features.php:63 -msgid "Mute Post Notifications" -msgstr "Utlumit upozornění na přísvěvky" - -#: ../../include/features.php:63 -msgid "Ability to mute notifications for a thread" -msgstr "Možnost stlumit upozornění pro vlákno" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "Sdílení oznámení ze sítě Diaspora" - -#: ../../include/diaspora.php:2520 -msgid "Attachments:" -msgstr "Přílohy:" - -#: ../../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 "\n\t\t\tThe friendica vývojáři uvolnili nedávno aktualizaci %s,\n\t\t\tale při pokusu o její instalaci se něco velmi nepovedlo.\n\t\t\tJe třeba to opravit a já to sám nedokážu. Prosím kontaktuj\n\t\t\tfriendica vývojáře, pokud mi s tím nepomůžeš ty sám. Moje databáze může být poškozena." - -#: ../../include/dbstructure.php:31 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "Chybová zpráva je\n[pre]%s[/pre]" - -#: ../../include/dbstructure.php:162 -msgid "Errors encountered creating database tables." -msgstr "Při vytváření databázových tabulek došlo k chybám." - -#: ../../include/dbstructure.php:220 -msgid "Errors encountered performing database changes." -msgstr "Při provádění databázových změn došlo k chybám." - -#: ../../include/acl_selectors.php:333 -msgid "Visible to everybody" -msgstr "Viditelné pro všechny" - -#: ../../include/items.php:4539 -msgid "Do you really want to delete this item?" -msgstr "Opravdu chcete smazat tuto položku?" - -#: ../../include/items.php:4762 -msgid "Archives" -msgstr "Archív" - #: ../../include/oembed.php:212 msgid "Embedded content" msgstr "vložený obsah" @@ -7662,256 +7659,227 @@ msgstr "vložený obsah" msgid "Embedding disabled" msgstr "Vkládání zakázáno" -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Vítejte " +#: ../../include/uimport.php:94 +msgid "Error decoding account file" +msgstr "Chyba dekódování uživatelského účtu" -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Prosím nahrejte profilovou fotografii" +#: ../../include/uimport.php:100 +msgid "Error! No version data in file! This is not a Friendica account file?" +msgstr "Chyba! V datovém souboru není označení verze! Je to opravdu soubor s účtem Friendica?" -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Vítejte zpět " +#: ../../include/uimport.php:116 ../../include/uimport.php:127 +msgid "Error! Cannot check nickname" +msgstr "Chyba! Nelze ověřit přezdívku" -#: ../../include/security.php:366 -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 "Formulářový bezpečnostní token nebyl správný. To pravděpodobně nastalo kvůli tom, že formulář byl otevřen příliš dlouho (>3 hodiny) před jeho odesláním." +#: ../../include/uimport.php:120 ../../include/uimport.php:131 +#, php-format +msgid "User '%s' already exists on this server!" +msgstr "Uživatel '%s' již na tomto serveru existuje!" -#: ../../include/profile_selectors.php:6 -msgid "Male" -msgstr "Muž" +#: ../../include/uimport.php:153 +msgid "User creation error" +msgstr "Chyba vytváření uživatele" -#: ../../include/profile_selectors.php:6 -msgid "Female" -msgstr "Žena" +#: ../../include/uimport.php:171 +msgid "User profile creation error" +msgstr "Chyba vytváření uživatelského účtu" -#: ../../include/profile_selectors.php:6 -msgid "Currently Male" -msgstr "V současné době muž" +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d kontakt nenaimporován" +msgstr[1] "%d kontaktů nenaimporováno" +msgstr[2] "%d kontakty nenaimporovány" -#: ../../include/profile_selectors.php:6 -msgid "Currently Female" -msgstr "V současné době žena" +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" +msgstr "Hotovo. Nyní se můžete přihlásit se svými uživatelským účtem a heslem" -#: ../../include/profile_selectors.php:6 -msgid "Mostly Male" -msgstr "Většinou muž" +#: ../../index.php:428 +msgid "toggle mobile" +msgstr "přepnout mobil" -#: ../../include/profile_selectors.php:6 -msgid "Mostly Female" -msgstr "Většinou žena" +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/dispy/config.php:72 ../../view/theme/quattro/config.php:66 +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:55 +#: ../../view/theme/duepuntozero/config.php:61 +msgid "Theme settings" +msgstr "Nastavení téma" -#: ../../include/profile_selectors.php:6 -msgid "Transgender" -msgstr "Transgender" +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Nastavit velikost fotek v přízpěvcích a komentářích (šířka a výška)" -#: ../../include/profile_selectors.php:6 -msgid "Intersex" -msgstr "Intersex" +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/diabook/config.php:151 +msgid "Set font-size for posts and comments" +msgstr "Nastav velikost písma pro přízpěvky a komentáře." -#: ../../include/profile_selectors.php:6 -msgid "Transsexual" -msgstr "Transexuál" +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Nastavení šířku grafické šablony" -#: ../../include/profile_selectors.php:6 -msgid "Hermaphrodite" -msgstr "Hermafrodit" +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr "Barevné schéma" -#: ../../include/profile_selectors.php:6 -msgid "Neuter" -msgstr "Neutrál" +#: ../../view/theme/dispy/config.php:74 +#: ../../view/theme/diabook/config.php:152 +msgid "Set line-height for posts and comments" +msgstr "Nastav výšku řádku pro přízpěvky a komentáře." -#: ../../include/profile_selectors.php:6 -msgid "Non-specific" -msgstr "Nespecifikováno" +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Nastavit barevné schéma" -#: ../../include/profile_selectors.php:6 -msgid "Other" -msgstr "Jiné" +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "Zarovnání" -#: ../../include/profile_selectors.php:6 -msgid "Undecided" -msgstr "Nerozhodnuto" +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Vlevo" -#: ../../include/profile_selectors.php:23 -msgid "Males" -msgstr "Muži" +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Uprostřed" -#: ../../include/profile_selectors.php:23 -msgid "Females" -msgstr "Ženy" +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "Velikost písma u příspěvků" -#: ../../include/profile_selectors.php:23 -msgid "Gay" -msgstr "Gay" +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "Velikost písma textů" -#: ../../include/profile_selectors.php:23 -msgid "Lesbian" -msgstr "Lesbička" +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Nastav rozlišení pro prostřední sloupec" -#: ../../include/profile_selectors.php:23 -msgid "No Preference" -msgstr "Bez preferencí" +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Nastavení barevného schematu" -#: ../../include/profile_selectors.php:23 -msgid "Bisexual" -msgstr "Bisexuál" +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Nastavit přiblížení pro Earth Layer" -#: ../../include/profile_selectors.php:23 -msgid "Autosexual" -msgstr "Autosexuál" +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" +msgstr "Nastavit zeměpistnou délku (X) pro Earth Layers" -#: ../../include/profile_selectors.php:23 -msgid "Abstinent" -msgstr "Abstinent" +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Nastavit zeměpistnou šířku (X) pro Earth Layers" -#: ../../include/profile_selectors.php:23 -msgid "Virgin" -msgstr "panic/panna" +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" +msgstr "Komunitní stránky" -#: ../../include/profile_selectors.php:23 -msgid "Deviant" -msgstr "Deviant" +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" +msgstr "Earth Layers" -#: ../../include/profile_selectors.php:23 -msgid "Fetish" -msgstr "Fetišista" +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" +msgstr "Komunitní profily" -#: ../../include/profile_selectors.php:23 -msgid "Oodles" -msgstr "Hodně" +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" +msgstr "Pomoc nebo @ProNováčky ?" -#: ../../include/profile_selectors.php:23 -msgid "Nonsexual" -msgstr "Nesexuální" +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" +msgstr "Propojené služby" -#: ../../include/profile_selectors.php:42 -msgid "Single" -msgstr "Svobodný" +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" +msgstr "Nalézt Přátele" -#: ../../include/profile_selectors.php:42 -msgid "Lonely" -msgstr "Osamnělý" +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" +msgstr "Poslední uživatelé" -#: ../../include/profile_selectors.php:42 -msgid "Available" -msgstr "Dostupný" +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" +msgstr "Poslední fotografie" -#: ../../include/profile_selectors.php:42 -msgid "Unavailable" -msgstr "Nedostupný" +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" +msgstr "Poslední líbí/nelíbí" -#: ../../include/profile_selectors.php:42 -msgid "Has crush" -msgstr "Zamilovaný" +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "Vaše kontakty" -#: ../../include/profile_selectors.php:42 -msgid "Infatuated" -msgstr "Zabouchnutý" +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Vaše osobní fotky" -#: ../../include/profile_selectors.php:42 -msgid "Dating" -msgstr "Seznamující se" +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "Lokální Adresář" -#: ../../include/profile_selectors.php:42 -msgid "Unfaithful" -msgstr "Nevěrný" +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "Nastavit faktor přiblížení pro Earth Layers" -#: ../../include/profile_selectors.php:42 -msgid "Sex Addict" -msgstr "Závislý na sexu" +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "Zobrazit/skrýt boxy na pravém sloupci:" -#: ../../include/profile_selectors.php:42 -msgid "Friends/Benefits" -msgstr "Přátelé / výhody" +#: ../../view/theme/vier/config.php:56 +msgid "Set style" +msgstr "Nastavit styl" -#: ../../include/profile_selectors.php:42 -msgid "Casual" -msgstr "Ležérní" +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" +msgstr "zelená nula" -#: ../../include/profile_selectors.php:42 -msgid "Engaged" -msgstr "Zadaný" +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" +msgstr "fialová nula" -#: ../../include/profile_selectors.php:42 -msgid "Married" -msgstr "Ženatý/vdaná" +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" +msgstr "velikonoční zajíček" -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily married" -msgstr "Pomyslně ženatý/vdaná" +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" +msgstr "tmavá nula" -#: ../../include/profile_selectors.php:42 -msgid "Partners" -msgstr "Partneři" +#: ../../view/theme/duepuntozero/config.php:49 +msgid "comix" +msgstr "komiksová" -#: ../../include/profile_selectors.php:42 -msgid "Cohabiting" -msgstr "Žijící ve společné domácnosti" +#: ../../view/theme/duepuntozero/config.php:50 +msgid "slackr" +msgstr "flákač" -#: ../../include/profile_selectors.php:42 -msgid "Common law" -msgstr "Zvykové právo" - -#: ../../include/profile_selectors.php:42 -msgid "Happy" -msgstr "Šťastný" - -#: ../../include/profile_selectors.php:42 -msgid "Not looking" -msgstr "Nehledající" - -#: ../../include/profile_selectors.php:42 -msgid "Swinger" -msgstr "Swinger" - -#: ../../include/profile_selectors.php:42 -msgid "Betrayed" -msgstr "Zrazen" - -#: ../../include/profile_selectors.php:42 -msgid "Separated" -msgstr "Odloučený" - -#: ../../include/profile_selectors.php:42 -msgid "Unstable" -msgstr "Nestálý" - -#: ../../include/profile_selectors.php:42 -msgid "Divorced" -msgstr "Rozvedený(á)" - -#: ../../include/profile_selectors.php:42 -msgid "Imaginarily divorced" -msgstr "Pomyslně rozvedený" - -#: ../../include/profile_selectors.php:42 -msgid "Widowed" -msgstr "Ovdovělý(á)" - -#: ../../include/profile_selectors.php:42 -msgid "Uncertain" -msgstr "Nejistý" - -#: ../../include/profile_selectors.php:42 -msgid "It's complicated" -msgstr "Je to složité" - -#: ../../include/profile_selectors.php:42 -msgid "Don't care" -msgstr "Nezajímá" - -#: ../../include/profile_selectors.php:42 -msgid "Ask me" -msgstr "Zeptej se mě" - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "následování zastaveno" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "Odstranit kontakt" +#: ../../view/theme/duepuntozero/config.php:62 +msgid "Variations" +msgstr "Variace" diff --git a/view/cs/strings.php b/view/cs/strings.php index d8c9eda05f..28147ad493 100644 --- a/view/cs/strings.php +++ b/view/cs/strings.php @@ -5,292 +5,128 @@ function string_plural_select_cs($n){ return ($n==1) ? 0 : ($n>=2 && $n<=4) ? 1 : 2;; }} ; -$a->strings["This entry was edited"] = "Tento záznam byl editován"; -$a->strings["Private Message"] = "Soukromá zpráva"; -$a->strings["Edit"] = "Upravit"; -$a->strings["Select"] = "Vybrat"; -$a->strings["Delete"] = "Odstranit"; -$a->strings["save to folder"] = "uložit do složky"; -$a->strings["add star"] = "přidat hvězdu"; -$a->strings["remove star"] = "odebrat hvězdu"; -$a->strings["toggle star status"] = "přepnout hvězdu"; -$a->strings["starred"] = "označeno hvězdou"; -$a->strings["ignore thread"] = "ignorovat vlákno"; -$a->strings["unignore thread"] = "přestat ignorovat vlákno"; -$a->strings["toggle ignore status"] = "přepnout stav Ignorování"; -$a->strings["ignored"] = "ignorován"; -$a->strings["add tag"] = "přidat štítek"; -$a->strings["I like this (toggle)"] = "Líbí se mi to (přepínač)"; -$a->strings["like"] = "má rád"; -$a->strings["I don't like this (toggle)"] = "Nelíbí se mi to (přepínač)"; -$a->strings["dislike"] = "nemá rád"; -$a->strings["Share this"] = "Sdílet toto"; -$a->strings["share"] = "sdílí"; -$a->strings["Categories:"] = "Kategorie:"; -$a->strings["Filed under:"] = "Vyplněn pod:"; -$a->strings["View %s's profile @ %s"] = "Zobrazit profil uživatele %s na %s"; -$a->strings["to"] = "pro"; -$a->strings["via"] = "přes"; -$a->strings["Wall-to-Wall"] = "Zeď-na-Zeď"; -$a->strings["via Wall-To-Wall:"] = "přes Zeď-na-Zeď "; -$a->strings["%s from %s"] = "%s od %s"; -$a->strings["Comment"] = "Okomentovat"; -$a->strings["Please wait"] = "Čekejte prosím"; -$a->strings["%d comment"] = array( - 0 => "%d komentář", - 1 => "%d komentářů", - 2 => "%d komentářů", +$a->strings["%d contact edited."] = array( + 0 => "%d kontakt upraven.", + 1 => "%d kontakty upraveny", + 2 => "%d kontaktů upraveno", ); -$a->strings["comment"] = array( - 0 => "", - 1 => "", - 2 => "komentář", -); -$a->strings["show more"] = "zobrazit více"; -$a->strings["This is you"] = "Nastavte Vaši polohu"; -$a->strings["Submit"] = "Odeslat"; -$a->strings["Bold"] = "Tučné"; -$a->strings["Italic"] = "Kurzíva"; -$a->strings["Underline"] = "Podrtžené"; -$a->strings["Quote"] = "Citovat"; -$a->strings["Code"] = "Kód"; -$a->strings["Image"] = "Obrázek"; -$a->strings["Link"] = "Odkaz"; -$a->strings["Video"] = "Video"; -$a->strings["Preview"] = "Náhled"; -$a->strings["You must be logged in to use addons. "] = "Musíte být přihlášeni pro použití rozšíření."; -$a->strings["Not Found"] = "Nenalezen"; -$a->strings["Page not found."] = "Stránka nenalezena"; -$a->strings["Permission denied"] = "Nedostatečné oprávnění"; +$a->strings["Could not access contact record."] = "Nelze získat přístup k záznamu kontaktu."; +$a->strings["Could not locate selected profile."] = "Nelze nalézt vybraný profil."; +$a->strings["Contact updated."] = "Kontakt aktualizován."; +$a->strings["Failed to update contact record."] = "Nepodařilo se aktualizovat kontakt."; $a->strings["Permission denied."] = "Přístup odmítnut."; -$a->strings["toggle mobile"] = "přepnout mobil"; -$a->strings["Home"] = "Domů"; -$a->strings["Your posts and conversations"] = "Vaše příspěvky a konverzace"; -$a->strings["Profile"] = "Profil"; -$a->strings["Your profile page"] = "Vaše profilová stránka"; -$a->strings["Photos"] = "Fotografie"; -$a->strings["Your photos"] = "Vaše fotky"; -$a->strings["Events"] = "Události"; -$a->strings["Your events"] = "Vaše události"; -$a->strings["Personal notes"] = "Osobní poznámky"; -$a->strings["Your personal photos"] = "Vaše osobní fotky"; -$a->strings["Community"] = "Komunita"; -$a->strings["don't show"] = "nikdy nezobrazit"; -$a->strings["show"] = "zobrazit"; -$a->strings["Theme settings"] = "Nastavení téma"; -$a->strings["Set font-size for posts and comments"] = "Nastav velikost písma pro přízpěvky a komentáře."; -$a->strings["Set line-height for posts and comments"] = "Nastav výšku řádku pro přízpěvky a komentáře."; -$a->strings["Set resolution for middle column"] = "Nastav rozlišení pro prostřední sloupec"; +$a->strings["Contact has been blocked"] = "Kontakt byl zablokován"; +$a->strings["Contact has been unblocked"] = "Kontakt byl odblokován"; +$a->strings["Contact has been ignored"] = "Kontakt bude ignorován"; +$a->strings["Contact has been unignored"] = "Kontakt přestal být ignorován"; +$a->strings["Contact has been archived"] = "Kontakt byl archivován"; +$a->strings["Contact has been unarchived"] = "Kontakt byl vrácen z archívu."; +$a->strings["Do you really want to delete this contact?"] = "Opravdu chcete smazat tento kontakt?"; +$a->strings["Yes"] = "Ano"; +$a->strings["Cancel"] = "Zrušit"; +$a->strings["Contact has been removed."] = "Kontakt byl odstraněn."; +$a->strings["You are mutual friends with %s"] = "Jste vzájemní přátelé s uživatelem %s"; +$a->strings["You are sharing with %s"] = "Sdílíte s uživatelem %s"; +$a->strings["%s is sharing with you"] = "uživatel %s sdílí s vámi"; +$a->strings["Private communications are not available for this contact."] = "Soukromá komunikace není dostupná pro tento kontakt."; +$a->strings["Never"] = "Nikdy"; +$a->strings["(Update was successful)"] = "(Aktualizace byla úspěšná)"; +$a->strings["(Update was not successful)"] = "(Aktualizace nebyla úspěšná)"; +$a->strings["Suggest friends"] = "Navrhněte přátelé"; +$a->strings["Network type: %s"] = "Typ sítě: %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d sdílený kontakt", + 1 => "%d sdílených kontaktů", + 2 => "%d sdílených kontaktů", +); +$a->strings["View all contacts"] = "Zobrazit všechny kontakty"; +$a->strings["Unblock"] = "Odblokovat"; +$a->strings["Block"] = "Blokovat"; +$a->strings["Toggle Blocked status"] = "Přepnout stav Blokováno"; +$a->strings["Unignore"] = "Přestat ignorovat"; +$a->strings["Ignore"] = "Ignorovat"; +$a->strings["Toggle Ignored status"] = "Přepnout stav Ignorováno"; +$a->strings["Unarchive"] = "Vrátit z archívu"; +$a->strings["Archive"] = "Archivovat"; +$a->strings["Toggle Archive status"] = "Přepnout stav Archivováno"; +$a->strings["Repair"] = "Opravit"; +$a->strings["Advanced Contact Settings"] = "Pokročilé nastavení kontaktu"; +$a->strings["Communications lost with this contact!"] = "Komunikace s tímto kontaktem byla ztracena!"; +$a->strings["Contact Editor"] = "Editor kontaktu"; +$a->strings["Submit"] = "Odeslat"; +$a->strings["Profile Visibility"] = "Viditelnost profilu"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Vyberte prosím profil, který chcete zobrazit %s při zabezpečeném prohlížení vašeho profilu."; +$a->strings["Contact Information / Notes"] = "Kontaktní informace / poznámky"; +$a->strings["Edit contact notes"] = "Editovat poznámky kontaktu"; +$a->strings["Visit %s's profile [%s]"] = "Navštivte profil uživatele %s [%s]"; +$a->strings["Block/Unblock contact"] = "Blokovat / Odblokovat kontakt"; +$a->strings["Ignore contact"] = "Ignorovat kontakt"; +$a->strings["Repair URL settings"] = "Opravit nastavení adresy URL "; +$a->strings["View conversations"] = "Zobrazit konverzace"; +$a->strings["Delete contact"] = "Odstranit kontakt"; +$a->strings["Last update:"] = "Poslední aktualizace:"; +$a->strings["Update public posts"] = "Aktualizovat veřejné příspěvky"; +$a->strings["Update now"] = "Aktualizovat"; +$a->strings["Currently blocked"] = "V současnosti zablokováno"; +$a->strings["Currently ignored"] = "V současnosti ignorováno"; +$a->strings["Currently archived"] = "Aktuálně archivován"; +$a->strings["Hide this contact from others"] = "Skrýt tento kontakt před ostatními"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Odpovědi/Libí se na Vaše veřejné příspěvky mohou být stále viditelné"; +$a->strings["Notification for new posts"] = "Upozornění na nové příspěvky"; +$a->strings["Send a notification of every new post of this contact"] = "Poslat upozornění při každém novém příspěvku tohoto kontaktu"; +$a->strings["Fetch further information for feeds"] = "Načítat další informace pro kanál"; +$a->strings["Disabled"] = "Zakázáno"; +$a->strings["Fetch information"] = "Načítat informace"; +$a->strings["Fetch information and keywords"] = "Načítat informace a klíčová slova"; +$a->strings["Blacklisted keywords"] = "Zakázaná klíčová slova"; +$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = "Čárkou oddělený seznam klíčových slov, které by neměly být převáděna na hashtagy, když je zvoleno \"Načítat informace a klíčová slova\""; +$a->strings["Suggestions"] = "Doporučení"; +$a->strings["Suggest potential friends"] = "Navrhnout potenciální přátele"; +$a->strings["All Contacts"] = "Všechny kontakty"; +$a->strings["Show all contacts"] = "Zobrazit všechny kontakty"; +$a->strings["Unblocked"] = "Odblokován"; +$a->strings["Only show unblocked contacts"] = "Zobrazit pouze neblokované kontakty"; +$a->strings["Blocked"] = "Blokován"; +$a->strings["Only show blocked contacts"] = "Zobrazit pouze blokované kontakty"; +$a->strings["Ignored"] = "Ignorován"; +$a->strings["Only show ignored contacts"] = "Zobrazit pouze ignorované kontakty"; +$a->strings["Archived"] = "Archivován"; +$a->strings["Only show archived contacts"] = "Zobrazit pouze archivované kontakty"; +$a->strings["Hidden"] = "Skrytý"; +$a->strings["Only show hidden contacts"] = "Zobrazit pouze skryté kontakty"; +$a->strings["Mutual Friendship"] = "Vzájemné přátelství"; +$a->strings["is a fan of yours"] = "je Váš fanoušek"; +$a->strings["you are a fan of"] = "jste fanouškem"; +$a->strings["Edit contact"] = "Editovat kontakt"; $a->strings["Contacts"] = "Kontakty"; -$a->strings["Your contacts"] = "Vaše kontakty"; -$a->strings["Community Pages"] = "Komunitní stránky"; -$a->strings["Community Profiles"] = "Komunitní profily"; -$a->strings["Last users"] = "Poslední uživatelé"; -$a->strings["Last likes"] = "Poslední líbí/nelíbí"; -$a->strings["event"] = "událost"; -$a->strings["status"] = "Stav"; -$a->strings["photo"] = "fotografie"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s má rád %2\$s' na %3\$s"; -$a->strings["Last photos"] = "Poslední fotografie"; -$a->strings["Contact Photos"] = "Fotogalerie kontaktu"; -$a->strings["Profile Photos"] = "Profilové fotografie"; -$a->strings["Find Friends"] = "Nalézt Přátele"; -$a->strings["Local Directory"] = "Lokální Adresář"; -$a->strings["Global Directory"] = "Globální adresář"; -$a->strings["Similar Interests"] = "Podobné zájmy"; -$a->strings["Friend Suggestions"] = "Návrhy přátel"; -$a->strings["Invite Friends"] = "Pozvat přátele"; -$a->strings["Settings"] = "Nastavení"; -$a->strings["Earth Layers"] = "Earth Layers"; -$a->strings["Set zoomfactor for Earth Layers"] = "Nastavit faktor přiblížení pro Earth Layers"; -$a->strings["Set longitude (X) for Earth Layers"] = "Nastavit zeměpistnou délku (X) pro Earth Layers"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Nastavit zeměpistnou šířku (X) pro Earth Layers"; -$a->strings["Help or @NewHere ?"] = "Pomoc nebo @ProNováčky ?"; -$a->strings["Connect Services"] = "Propojené služby"; -$a->strings["Show/hide boxes at right-hand column:"] = "Zobrazit/skrýt boxy na pravém sloupci:"; -$a->strings["Set color scheme"] = "Nastavení barevného schematu"; -$a->strings["Set zoomfactor for Earth Layer"] = "Nastavit přiblížení pro Earth Layer"; -$a->strings["Alignment"] = "Zarovnání"; -$a->strings["Left"] = "Vlevo"; -$a->strings["Center"] = "Uprostřed"; -$a->strings["Color scheme"] = "Barevné schéma"; -$a->strings["Posts font size"] = "Velikost písma u příspěvků"; -$a->strings["Textareas font size"] = "Velikost písma textů"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Nastavit velikost fotek v přízpěvcích a komentářích (šířka a výška)"; -$a->strings["Set theme width"] = "Nastavení šířku grafické šablony"; -$a->strings["Set colour scheme"] = "Nastavit barevné schéma"; -$a->strings["default"] = "standardní"; -$a->strings["Midnight"] = "půlnoc"; -$a->strings["Bootstrap"] = "Bootstrap"; -$a->strings["Shades of Pink"] = "Odstíny růžové"; -$a->strings["Lime and Orange"] = "Limetka a pomeranč"; -$a->strings["GeoCities Retro"] = "GeoCities Retro"; -$a->strings["Background Image"] = "Obrázek pozadí"; -$a->strings["The URL to a picture (e.g. from your photo album) that should be used as background image."] = "URL odkaz na obrázek (např. z Vašeho foto alba), který bude použit jako obrázek na pozadí."; -$a->strings["Background Color"] = "Barva pozadí"; -$a->strings["HEX value for the background color. Don't include the #"] = "HEXadecimální hodnota barvy pozadí. Nevkládejte znak #"; -$a->strings["font size"] = "velikost fondu"; -$a->strings["base font size for your interface"] = "základní velikost fontu"; -$a->strings["greenzero"] = "zelená nula"; -$a->strings["purplezero"] = "fialová nula"; -$a->strings["easterbunny"] = "velikonoční zajíček"; -$a->strings["darkzero"] = "tmavá nula"; -$a->strings["comix"] = "komiksová"; -$a->strings["slackr"] = "flákač"; -$a->strings["Variations"] = "Variace"; -$a->strings["Set style"] = "Nastavit styl"; -$a->strings["Delete this item?"] = "Odstranit tuto položku?"; -$a->strings["show fewer"] = "zobrazit méně"; -$a->strings["Update %s failed. See error logs."] = "Aktualizace %s selhala. Zkontrolujte protokol chyb."; -$a->strings["Create a New Account"] = "Vytvořit nový účet"; -$a->strings["Register"] = "Registrovat"; -$a->strings["Logout"] = "Odhlásit se"; -$a->strings["Login"] = "Přihlásit se"; -$a->strings["Nickname or Email address: "] = "Přezdívka nebo e-mailová adresa:"; -$a->strings["Password: "] = "Heslo: "; -$a->strings["Remember me"] = "Pamatuj si mne"; -$a->strings["Or login using OpenID: "] = "Nebo přihlášení pomocí OpenID: "; -$a->strings["Forgot your password?"] = "Zapomněli jste své heslo?"; -$a->strings["Password Reset"] = "Obnovení hesla"; -$a->strings["Website Terms of Service"] = "Podmínky použití serveru"; -$a->strings["terms of service"] = "podmínky použití"; -$a->strings["Website Privacy Policy"] = "Pravidla ochrany soukromí serveru"; -$a->strings["privacy policy"] = "Ochrana soukromí"; -$a->strings["Requested account is not available."] = "Požadovaný účet není dostupný."; -$a->strings["Requested profile is not available."] = "Požadovaný profil není k dispozici."; -$a->strings["Edit profile"] = "Upravit profil"; -$a->strings["Connect"] = "Spojit"; -$a->strings["Message"] = "Zpráva"; -$a->strings["Profiles"] = "Profily"; -$a->strings["Manage/edit profiles"] = "Spravovat/upravit profily"; -$a->strings["Change profile photo"] = "Změnit profilovou fotografii"; -$a->strings["Create New Profile"] = "Vytvořit nový profil"; -$a->strings["Profile Image"] = "Profilový obrázek"; -$a->strings["visible to everybody"] = "viditelné pro všechny"; -$a->strings["Edit visibility"] = "Upravit viditelnost"; -$a->strings["Location:"] = "Místo:"; -$a->strings["Gender:"] = "Pohlaví:"; -$a->strings["Status:"] = "Status:"; -$a->strings["Homepage:"] = "Domácí stránka:"; -$a->strings["About:"] = "O mě:"; -$a->strings["Network:"] = "Síť:"; -$a->strings["g A l F d"] = "g A l F d"; -$a->strings["F d"] = "d. F"; -$a->strings["[today]"] = "[Dnes]"; -$a->strings["Birthday Reminders"] = "Připomínka narozenin"; -$a->strings["Birthdays this week:"] = "Narozeniny tento týden:"; -$a->strings["[No description]"] = "[Žádný popis]"; -$a->strings["Event Reminders"] = "Připomenutí událostí"; -$a->strings["Events this week:"] = "Události tohoto týdne:"; -$a->strings["Status"] = "Stav"; -$a->strings["Status Messages and Posts"] = "Statusové zprávy a příspěvky "; -$a->strings["Profile Details"] = "Detaily profilu"; -$a->strings["Photo Albums"] = "Fotoalba"; -$a->strings["Videos"] = "Videa"; -$a->strings["Events and Calendar"] = "Události a kalendář"; -$a->strings["Personal Notes"] = "Osobní poznámky"; -$a->strings["Only You Can See This"] = "Toto můžete vidět jen Vy"; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s je právě %2\$s"; -$a->strings["Mood"] = "Nálada"; -$a->strings["Set your current mood and tell your friends"] = "Nastavte svou aktuální náladu a řekněte to Vašim přátelům"; +$a->strings["Search your contacts"] = "Prohledat Vaše kontakty"; +$a->strings["Finding: "] = "Zjištění: "; +$a->strings["Find"] = "Najít"; +$a->strings["Update"] = "Aktualizace"; +$a->strings["Delete"] = "Odstranit"; +$a->strings["No profile"] = "Žádný profil"; +$a->strings["Manage Identities and/or Pages"] = "Správa identit a / nebo stránek"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Přepnutí mezi různými identitami nebo komunitními/skupinovými stránkami, které sdílí Vaše detaily účtu, nebo kterým jste přidělili oprávnění nastavovat přístupová práva."; +$a->strings["Select an identity to manage: "] = "Vyberte identitu pro správu: "; +$a->strings["Post successful."] = "Příspěvek úspěšně odeslán"; +$a->strings["Permission denied"] = "Nedostatečné oprávnění"; +$a->strings["Invalid profile identifier."] = "Neplatný identifikátor profilu."; +$a->strings["Profile Visibility Editor"] = "Editor viditelnosti profilu "; +$a->strings["Profile"] = "Profil"; +$a->strings["Click on a contact to add or remove."] = "Klikněte na kontakt pro přidání nebo odebrání"; +$a->strings["Visible To"] = "Viditelný pro"; +$a->strings["All Contacts (with secure profile access)"] = "Všechny kontakty (se zabezpečeným přístupovým profilem )"; $a->strings["Item not found."] = "Položka nenalezena."; $a->strings["Public access denied."] = "Veřejný přístup odepřen."; $a->strings["Access to this profile has been restricted."] = "Přístup na tento profil byl omezen."; $a->strings["Item has been removed."] = "Položka byla odstraněna."; -$a->strings["Access denied."] = "Přístup odmítnut"; -$a->strings["The post was created"] = "Příspěvek byl vytvořen"; -$a->strings["This is Friendica, version"] = "Toto je Friendica, verze"; -$a->strings["running at web location"] = "běžící na webu"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Pro získání dalších informací o projektu Friendica navštivte prosím Friendica.com."; -$a->strings["Bug reports and issues: please visit"] = "Pro hlášení chyb a námětů na změny navštivte:"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Návrhy, chválu, dary, apod. - prosím piště na \"info\" na Friendica - tečka com"; -$a->strings["Installed plugins/addons/apps:"] = "Instalované pluginy/doplňky/aplikace:"; -$a->strings["No installed plugins/addons/apps"] = "Nejsou žádné nainstalované doplňky/aplikace"; -$a->strings["%1\$s welcomes %2\$s"] = "%1\$s vítá %2\$s"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Registrace úspěšná. Zkontrolujte prosím svůj e-mail pro další instrukce."; -$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = "Nepovedlo se odeslat emailovou zprávu. Zde jsou detaily Vašeho účtu:
    login: %s
    heslo: %s

    Své heslo můžete změnit po přihlášení."; -$a->strings["Your registration can not be processed."] = "Vaši registraci nelze zpracovat."; -$a->strings["Your registration is pending approval by the site owner."] = "Vaše registrace čeká na schválení vlastníkem serveru."; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Došlo k překročení maximálního povoleného počtu registrací za den na tomto serveru. Zkuste to zítra znovu."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Tento formulář můžete (volitelně) vyplnit s pomocí OpenID tím, že vyplníte své OpenID a kliknutete na tlačítko 'Zaregistrovat'."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Pokud nepoužíváte OpenID, nechte prosím toto pole prázdné a vyplňte zbylé položky."; -$a->strings["Your OpenID (optional): "] = "Vaše OpenID (nepovinné): "; -$a->strings["Include your profile in member directory?"] = "Toto je Váš veřejný profil.
    Ten může být viditelný kýmkoliv na internetu."; -$a->strings["Yes"] = "Ano"; -$a->strings["No"] = "Ne"; -$a->strings["Membership on this site is by invitation only."] = "Členství na tomto webu je pouze na pozvání."; -$a->strings["Your invitation ID: "] = "Vaše pozvání ID:"; -$a->strings["Registration"] = "Registrace"; -$a->strings["Your Full Name (e.g. Joe Smith): "] = "Vaše celé jméno (např. Jan Novák):"; -$a->strings["Your Email Address: "] = "Vaše e-mailová adresa:"; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Vyberte přezdívku k profilu. Ta musí začít s textovým znakem. Vaše profilová adresa na tomto webu pak bude \"přezdívka@\$sitename\"."; -$a->strings["Choose a nickname: "] = "Vyberte přezdívku:"; -$a->strings["Import"] = "Import"; -$a->strings["Import your profile to this friendica instance"] = "Import Vašeho profilu do této friendica instance"; -$a->strings["Profile not found."] = "Profil nenalezen"; -$a->strings["Contact not found."] = "Kontakt nenalezen."; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "To se může občas stát pokud kontakt byl zažádán oběma osobami a již byl schválen."; -$a->strings["Response from remote site was not understood."] = "Odpověď ze vzdáleného serveru nebyla srozumitelná."; -$a->strings["Unexpected response from remote site: "] = "Neočekávaná odpověď od vzdáleného serveru:"; -$a->strings["Confirmation completed successfully."] = "Potvrzení úspěšně dokončena."; -$a->strings["Remote site reported: "] = "Vzdálený server oznámil:"; -$a->strings["Temporary failure. Please wait and try again."] = "Dočasné selhání. Prosím, vyčkejte a zkuste to znovu."; -$a->strings["Introduction failed or was revoked."] = "Žádost o propojení selhala nebo byla zrušena."; -$a->strings["Unable to set contact photo."] = "Nelze nastavit fotografii kontaktu."; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s je nyní přítel s %2\$s"; -$a->strings["No user record found for '%s' "] = "Pro '%s' nenalezen žádný uživatelský záznam "; -$a->strings["Our site encryption key is apparently messed up."] = "Náš šifrovací klíč zřejmě přestal správně fungovat."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Byla poskytnuta prázdná URL adresa nebo se nepodařilo URL adresu dešifrovat."; -$a->strings["Contact record was not found for you on our site."] = "Kontakt záznam nebyl nalezen pro vás na našich stránkách."; -$a->strings["Site public key not available in contact record for URL %s."] = "V adresáři není k dispozici veřejný klíč pro URL %s."; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Váš systém poskytl duplicitní ID vůči našemu systému. Pokuste se akci zopakovat."; -$a->strings["Unable to set your contact credentials on our system."] = "Nelze nastavit Vaše přihlašovací údaje v našem systému."; -$a->strings["Unable to update your contact profile details on our system"] = "Nelze aktualizovat Váš profil v našem systému"; -$a->strings["[Name Withheld]"] = "[Jméno odepřeno]"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s se připojil k %2\$s"; -$a->strings["Authorize application connection"] = "Povolit připojení aplikacím"; -$a->strings["Return to your app and insert this Securty Code:"] = "Vraťte se do vaší aplikace a zadejte tento bezpečnostní kód:"; -$a->strings["Please login to continue."] = "Pro pokračování se prosím přihlaste."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Chcete umožnit této aplikaci přístup k vašim příspěvkům a kontaktům a/nebo k vytváření Vašich nových příspěvků?"; -$a->strings["No valid account found."] = "Nenalezen žádný platný účet."; -$a->strings["Password reset request issued. Check your email."] = "Žádost o obnovení hesla vyřízena. Zkontrolujte Vaši e-mailovou schránku."; -$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."] = "\n\t\tDrahý %1\$s,\n\t\t\tNa \"%2\$s\" jsme obdrželi požadavek na obnovu vašeho hesla \n\t\tpassword. Pro potvrzení žádosti prosím klikněte na zaslaný verifikační odkaz níže nebo si ho zkopírujte do adresní řádky prohlížeče.\n\n\t\tPokud jste tuto žádost nezasílaliI prosím na uvedený odkaz neklikejte a tento email smažte.\n\n\t\tVaše heslo nebude změněno dokud nebudeme moci oveřit, že jste autorem této žádosti."; -$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"] = "\n\t\tKlikněte na následující odkaz pro potvrzení Vaší identity:\n\n\t\t%1\$s\n\n\t\tNásledně obdržíte zprávu obsahující nové heslo.\n\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\n\t\tVaše přihlašovací údaje jsou následující:\n\n\t\tUmístění webu:\t%2\$s\n\t\tPřihlašovací jméno:\t%3\$s"; -$a->strings["Password reset requested at %s"] = "Na %s bylo zažádáno o resetování hesla"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Žádost nemohla být ověřena. (Možná jste ji odeslali již dříve.) Obnovení hesla se nezdařilo."; -$a->strings["Your password has been reset as requested."] = "Vaše heslo bylo na Vaše přání resetováno."; -$a->strings["Your new password is"] = "Někdo Vám napsal na Vaši profilovou stránku"; -$a->strings["Save or copy your new password - and then"] = "Uložte si nebo zkopírujte nové heslo - a pak"; -$a->strings["click here to login"] = "klikněte zde pro přihlášení"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Nezdá se, že by to bylo Vaše celé jméno (křestní jméno a příjmení)."; -$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"] = "\n\t\t\t\tDrahý %1\$s,\n⇥⇥⇥⇥⇥Vaše heslo bylo na požádání změněno. Prosím uchovejte si tuto informaci (nebo si změntě heslo ihned na něco, co si budete pamatovat).\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"] = "\n\t\t\t\tVaše přihlašovací údaje jsou následující:\n\n\t\t\t\tUmístění webu:\t%1\$s\n\t\t\t\tPřihlašovací jméno:\t%2\$s\n\t\t\t\tHeslo:\t%3\$s\n\n\t\t\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\t\t\t"; -$a->strings["Your password has been changed at %s"] = "Vaše heslo bylo změněno na %s"; -$a->strings["Forgot your Password?"] = "Zapomněli jste heslo?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Zadejte svůj e-mailovou adresu a odešlete žádost o zaslání Vašeho nového hesla. Poté zkontrolujte svůj e-mail pro další instrukce."; -$a->strings["Nickname or Email: "] = "Přezdívka nebo e-mail: "; -$a->strings["Reset"] = "Reset"; -$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Došlo k překročení maximálního počtu zpráv na zeď během jednoho dne. Zpráva %s nedoručena."; -$a->strings["No recipient selected."] = "Nevybrán příjemce."; -$a->strings["Unable to check your home location."] = "Nebylo možné zjistit Vaši domácí lokaci."; -$a->strings["Message could not be sent."] = "Zprávu se nepodařilo odeslat."; -$a->strings["Message collection failure."] = "Sběr zpráv selhal."; -$a->strings["Message sent."] = "Zpráva odeslána."; -$a->strings["No recipient."] = "Žádný příjemce."; -$a->strings["Please enter a link URL:"] = "Zadejte prosím URL odkaz:"; -$a->strings["Send Private Message"] = "Odeslat soukromou zprávu"; -$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Pokud si přejete, aby uživatel %s mohl odpovědět, ověřte si zda-li máte povoleno na svém serveru zasílání soukromých zpráv od neznámých odesilatelů."; -$a->strings["To:"] = "Adresát:"; -$a->strings["Subject:"] = "Předmět:"; -$a->strings["Your message:"] = "Vaše zpráva:"; -$a->strings["Upload photo"] = "Nahrát fotografii"; -$a->strings["Insert web link"] = "Vložit webový odkaz"; $a->strings["Welcome to Friendica"] = "Vítejte na Friendica"; $a->strings["New Member Checklist"] = "Seznam doporučení pro nového člena"; $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."] = "Rádi bychom vám nabídli několik tipů a odkazů pro začátek. Klikněte na jakoukoliv položku pro zobrazení relevantní stránky. Odkaz na tuto stránku bude viditelný z Vaší domovské stránky po dobu dvou týdnů od Vaší první registrace."; $a->strings["Getting Started"] = "Začínáme"; $a->strings["Friendica Walk-Through"] = "Prohlídka 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."] = "Na Vaší stránce Rychlý Start - naleznete stručné představení k Vašemu profilu a záložce Síť, k vytvoření spojení s novými kontakty a nalezení skupin, ke kterým se můžete připojit."; +$a->strings["Settings"] = "Nastavení"; $a->strings["Go to Your Settings"] = "Navštivte své nastavení"; $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 Vaší stránce Nastavení - si změňte Vaše první heslo.\nVěnujte také svou pozornost k adrese identity. Vypadá jako emailová adresa a bude Vám užitečná pro navazování přátelství na svobodné sociální síti."; $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."] = "Prohlédněte si další nastavení, a to zejména nastavení soukromí. Nezveřejnění svého účtu v adresáři je jako mít nezveřejněné telefonní číslo. Obecně platí, že je lepší mít svůj účet zveřejněný, leda by všichni vaši potenciální přátelé věděli, jak vás přesně najít."; @@ -320,100 +156,242 @@ $a->strings["Friendica respects your privacy. By default, your posts will only s $a->strings["Getting Help"] = "Získání nápovědy"; $a->strings["Go to the Help Section"] = "Navštivte sekci nápovědy"; $a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Na stránkách Nápověda naleznete nejen další podrobnosti o všech funkcích Friendika ale také další zdroje informací."; -$a->strings["Do you really want to delete this suggestion?"] = "Opravdu chcete smazat tento návrh?"; -$a->strings["Cancel"] = "Zrušit"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nejsou dostupné žádné návrhy. Pokud je toto nový server, zkuste to znovu za 24 hodin."; -$a->strings["Ignore/Hide"] = "Ignorovat / skrýt"; -$a->strings["Search Results For:"] = "Výsledky hledání pro:"; -$a->strings["Remove term"] = "Odstranit termín"; -$a->strings["Saved Searches"] = "Uložená hledání"; -$a->strings["add"] = "přidat"; -$a->strings["Commented Order"] = "Dle komentářů"; -$a->strings["Sort by Comment Date"] = "Řadit podle data komentáře"; -$a->strings["Posted Order"] = "Dle data"; -$a->strings["Sort by Post Date"] = "Řadit podle data příspěvku"; +$a->strings["OpenID protocol error. No ID returned."] = "Chyba OpenID protokolu. Navrátilo se žádné ID."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Nenalezen účet a OpenID registrace na tomto serveru není dovolena."; +$a->strings["Login failed."] = "Přihlášení se nezdařilo."; +$a->strings["Image uploaded but image cropping failed."] = "Obrázek byl odeslán, ale jeho oříznutí se nesdařilo."; +$a->strings["Profile Photos"] = "Profilové fotografie"; +$a->strings["Image size reduction [%s] failed."] = "Nepodařilo se snížit velikost obrázku [%s]."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Znovu načtěte stránku (Shift+F5) nebo vymažte cache prohlížeče, pokud se nové fotografie nezobrazí okamžitě."; +$a->strings["Unable to process image"] = "Obrázek nelze zpracovat "; +$a->strings["Image exceeds size limit of %d"] = "Obrázek překročil limit velikosti %d"; +$a->strings["Unable to process image."] = "Obrázek není možné zprocesovat"; +$a->strings["Upload File:"] = "Nahrát soubor:"; +$a->strings["Select a profile:"] = "Vybrat profil:"; +$a->strings["Upload"] = "Nahrát"; +$a->strings["or"] = "nebo"; +$a->strings["skip this step"] = "přeskočit tento krok "; +$a->strings["select a photo from your photo albums"] = "Vybrat fotografii z Vašich fotoalb"; +$a->strings["Crop Image"] = "Oříznout obrázek"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Prosím, ořízněte tento obrázek pro optimální zobrazení."; +$a->strings["Done Editing"] = "Editace dokončena"; +$a->strings["Image uploaded successfully."] = "Obrázek byl úspěšně nahrán."; +$a->strings["Image upload failed."] = "Nahrání obrázku selhalo."; +$a->strings["photo"] = "fotografie"; +$a->strings["status"] = "Stav"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s následuje %3\$s uživatele %2\$s"; +$a->strings["Tag removed"] = "Štítek odstraněn"; +$a->strings["Remove Item Tag"] = "Odebrat štítek položky"; +$a->strings["Select a tag to remove: "] = "Vyberte štítek k odebrání: "; +$a->strings["Remove"] = "Odstranit"; +$a->strings["Save to Folder:"] = "Uložit do složky:"; +$a->strings["- select -"] = "- vyber -"; +$a->strings["Save"] = "Uložit"; +$a->strings["Contact added"] = "Kontakt přidán"; +$a->strings["Unable to locate original post."] = "Nelze nalézt původní příspěvek."; +$a->strings["Empty post discarded."] = "Prázdný příspěvek odstraněn."; +$a->strings["Wall Photos"] = "Fotografie na zdi"; +$a->strings["System error. Post not saved."] = "Chyba systému. Příspěvek nebyl uložen."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Tato zpráva vám byla zaslána od %s, člena sociální sítě Friendica."; +$a->strings["You may visit them online at %s"] = "Můžete je navštívit online na adrese %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Pokud nechcete dostávat tyto zprávy, kontaktujte prosím odesilatele odpovědí na tento záznam."; +$a->strings["%s posted an update."] = "%s poslal aktualizaci."; +$a->strings["Group created."] = "Skupina vytvořena."; +$a->strings["Could not create group."] = "Nelze vytvořit skupinu."; +$a->strings["Group not found."] = "Skupina nenalezena."; +$a->strings["Group name changed."] = "Název skupiny byl změněn."; +$a->strings["Save Group"] = "Uložit Skupinu"; +$a->strings["Create a group of contacts/friends."] = "Vytvořit skupinu kontaktů / přátel."; +$a->strings["Group Name: "] = "Název skupiny: "; +$a->strings["Group removed."] = "Skupina odstraněna. "; +$a->strings["Unable to remove group."] = "Nelze odstranit skupinu."; +$a->strings["Group Editor"] = "Editor skupin"; +$a->strings["Members"] = "Členové"; +$a->strings["You must be logged in to use addons. "] = "Musíte být přihlášeni pro použití rozšíření."; +$a->strings["Applications"] = "Aplikace"; +$a->strings["No installed applications."] = "Žádné nainstalované aplikace."; +$a->strings["Profile not found."] = "Profil nenalezen"; +$a->strings["Contact not found."] = "Kontakt nenalezen."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "To se může občas stát pokud kontakt byl zažádán oběma osobami a již byl schválen."; +$a->strings["Response from remote site was not understood."] = "Odpověď ze vzdáleného serveru nebyla srozumitelná."; +$a->strings["Unexpected response from remote site: "] = "Neočekávaná odpověď od vzdáleného serveru:"; +$a->strings["Confirmation completed successfully."] = "Potvrzení úspěšně dokončena."; +$a->strings["Remote site reported: "] = "Vzdálený server oznámil:"; +$a->strings["Temporary failure. Please wait and try again."] = "Dočasné selhání. Prosím, vyčkejte a zkuste to znovu."; +$a->strings["Introduction failed or was revoked."] = "Žádost o propojení selhala nebo byla zrušena."; +$a->strings["Unable to set contact photo."] = "Nelze nastavit fotografii kontaktu."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s je nyní přítel s %2\$s"; +$a->strings["No user record found for '%s' "] = "Pro '%s' nenalezen žádný uživatelský záznam "; +$a->strings["Our site encryption key is apparently messed up."] = "Náš šifrovací klíč zřejmě přestal správně fungovat."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "Byla poskytnuta prázdná URL adresa nebo se nepodařilo URL adresu dešifrovat."; +$a->strings["Contact record was not found for you on our site."] = "Kontakt záznam nebyl nalezen pro vás na našich stránkách."; +$a->strings["Site public key not available in contact record for URL %s."] = "V adresáři není k dispozici veřejný klíč pro URL %s."; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "Váš systém poskytl duplicitní ID vůči našemu systému. Pokuste se akci zopakovat."; +$a->strings["Unable to set your contact credentials on our system."] = "Nelze nastavit Vaše přihlašovací údaje v našem systému."; +$a->strings["Unable to update your contact profile details on our system"] = "Nelze aktualizovat Váš profil v našem systému"; +$a->strings["[Name Withheld]"] = "[Jméno odepřeno]"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s se připojil k %2\$s"; +$a->strings["Requested profile is not available."] = "Požadovaný profil není k dispozici."; +$a->strings["Tips for New Members"] = "Tipy pro nové členy"; +$a->strings["No videos selected"] = "Není vybráno žádné video"; +$a->strings["Access to this item is restricted."] = "Přístup k této položce je omezen."; +$a->strings["View Video"] = "Zobrazit video"; +$a->strings["View Album"] = "Zobrazit album"; +$a->strings["Recent Videos"] = "Aktuální Videa"; +$a->strings["Upload New Videos"] = "Nahrát nová videa"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s označen uživatelem %2\$s %3\$s s %4\$s"; +$a->strings["Friend suggestion sent."] = "Návrhy přátelství odeslány "; +$a->strings["Suggest Friends"] = "Navrhněte přátelé"; +$a->strings["Suggest a friend for %s"] = "Navrhněte přátelé pro uživatele %s"; +$a->strings["No valid account found."] = "Nenalezen žádný platný účet."; +$a->strings["Password reset request issued. Check your email."] = "Žádost o obnovení hesla vyřízena. Zkontrolujte Vaši e-mailovou schránku."; +$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."] = "\n\t\tDrahý %1\$s,\n\t\t\tNa \"%2\$s\" jsme obdrželi požadavek na obnovu vašeho hesla \n\t\tpassword. Pro potvrzení žádosti prosím klikněte na zaslaný verifikační odkaz níže nebo si ho zkopírujte do adresní řádky prohlížeče.\n\n\t\tPokud jste tuto žádost nezasílaliI prosím na uvedený odkaz neklikejte a tento email smažte.\n\n\t\tVaše heslo nebude změněno dokud nebudeme moci oveřit, že jste autorem této žádosti."; +$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"] = "\n\t\tKlikněte na následující odkaz pro potvrzení Vaší identity:\n\n\t\t%1\$s\n\n\t\tNásledně obdržíte zprávu obsahující nové heslo.\n\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\n\t\tVaše přihlašovací údaje jsou následující:\n\n\t\tUmístění webu:\t%2\$s\n\t\tPřihlašovací jméno:\t%3\$s"; +$a->strings["Password reset requested at %s"] = "Na %s bylo zažádáno o resetování hesla"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "Žádost nemohla být ověřena. (Možná jste ji odeslali již dříve.) Obnovení hesla se nezdařilo."; +$a->strings["Password Reset"] = "Obnovení hesla"; +$a->strings["Your password has been reset as requested."] = "Vaše heslo bylo na Vaše přání resetováno."; +$a->strings["Your new password is"] = "Někdo Vám napsal na Vaši profilovou stránku"; +$a->strings["Save or copy your new password - and then"] = "Uložte si nebo zkopírujte nové heslo - a pak"; +$a->strings["click here to login"] = "klikněte zde pro přihlášení"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Nezdá se, že by to bylo Vaše celé jméno (křestní jméno a příjmení)."; +$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"] = "\n\t\t\t\tDrahý %1\$s,\n⇥⇥⇥⇥⇥Vaše heslo bylo na požádání změněno. Prosím uchovejte si tuto informaci (nebo si změntě heslo ihned na něco, co si budete pamatovat).\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"] = "\n\t\t\t\tVaše přihlašovací údaje jsou následující:\n\n\t\t\t\tUmístění webu:\t%1\$s\n\t\t\t\tPřihlašovací jméno:\t%2\$s\n\t\t\t\tHeslo:\t%3\$s\n\n\t\t\t\tHeslo si můžete si změnit na stránce nastavení účtu poté, co se přihlásíte.\n\t\t\t"; +$a->strings["Your password has been changed at %s"] = "Vaše heslo bylo změněno na %s"; +$a->strings["Forgot your Password?"] = "Zapomněli jste heslo?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Zadejte svůj e-mailovou adresu a odešlete žádost o zaslání Vašeho nového hesla. Poté zkontrolujte svůj e-mail pro další instrukce."; +$a->strings["Nickname or Email: "] = "Přezdívka nebo e-mail: "; +$a->strings["Reset"] = "Reset"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s má rád %2\$s' na %3\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nemá rád %2\$s na %3\$s"; +$a->strings["{0} wants to be your friend"] = "{0} chce být Vaším přítelem"; +$a->strings["{0} sent you a message"] = "{0} vám poslal zprávu"; +$a->strings["{0} requested registration"] = "{0} požaduje registraci"; +$a->strings["{0} commented %s's post"] = "{0} komentoval příspěvek uživatele %s"; +$a->strings["{0} liked %s's post"] = "{0} má rád příspěvek uživatele %s"; +$a->strings["{0} disliked %s's post"] = "{0} nemá rád příspěvek uživatele %s"; +$a->strings["{0} is now friends with %s"] = "{0} se skamarádil s %s"; +$a->strings["{0} posted"] = "{0} zasláno"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} označen %s' příspěvek s #%s"; +$a->strings["{0} mentioned you in a post"] = "{0} vás zmínil v příspěvku"; +$a->strings["No contacts."] = "Žádné kontakty."; +$a->strings["View Contacts"] = "Zobrazit kontakty"; +$a->strings["Invalid request identifier."] = "Neplatný identifikátor požadavku."; +$a->strings["Discard"] = "Odstranit"; +$a->strings["System"] = "Systém"; +$a->strings["Network"] = "Síť"; $a->strings["Personal"] = "Osobní"; -$a->strings["Posts that mention or involve you"] = "Příspěvky, které Vás zmiňují nebo zahrnují"; -$a->strings["New"] = "Nové"; -$a->strings["Activity Stream - by date"] = "Proud aktivit - dle data"; -$a->strings["Shared Links"] = "Sdílené odkazy"; -$a->strings["Interesting Links"] = "Zajímavé odkazy"; -$a->strings["Starred"] = "S hvězdičkou"; -$a->strings["Favourite Posts"] = "Oblíbené přízpěvky"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Upozornění: Tato skupina obsahuje %s člena z nezabezpečené sítě.", - 1 => "Upozornění: Tato skupina obsahuje %s členy z nezabezpečené sítě.", - 2 => "Upozornění: Tato skupina obsahuje %s členy z nezabezpečené sítě.", +$a->strings["Home"] = "Domů"; +$a->strings["Introductions"] = "Představení"; +$a->strings["Show Ignored Requests"] = "Zobrazit ignorované žádosti"; +$a->strings["Hide Ignored Requests"] = "Skrýt ignorované žádosti"; +$a->strings["Notification type: "] = "Typ oznámení: "; +$a->strings["Friend Suggestion"] = "Návrh přátelství"; +$a->strings["suggested by %s"] = "navrhl %s"; +$a->strings["Post a new friend activity"] = "Zveřejnit aktivitu nového přítele."; +$a->strings["if applicable"] = "je-li použitelné"; +$a->strings["Approve"] = "Schválit"; +$a->strings["Claims to be known to you: "] = "Vaši údajní známí: "; +$a->strings["yes"] = "ano"; +$a->strings["no"] = "ne"; +$a->strings["Approve as: "] = "Schválit jako: "; +$a->strings["Friend"] = "Přítel"; +$a->strings["Sharer"] = "Sdílené"; +$a->strings["Fan/Admirer"] = "Fanoušek / obdivovatel"; +$a->strings["Friend/Connect Request"] = "Přítel / žádost o připojení"; +$a->strings["New Follower"] = "Nový následovník"; +$a->strings["No introductions."] = "Žádné představení."; +$a->strings["Notifications"] = "Upozornění"; +$a->strings["%s liked %s's post"] = "Uživateli %s se líbí příspěvek uživatele %s"; +$a->strings["%s disliked %s's post"] = "Uživateli %s se nelíbí příspěvek uživatele %s"; +$a->strings["%s is now friends with %s"] = "%s se nyní přátelí s %s"; +$a->strings["%s created a new post"] = "%s vytvořil nový příspěvek"; +$a->strings["%s commented on %s's post"] = "%s okomentoval příspěvek uživatele %s'"; +$a->strings["No more network notifications."] = "Žádné další síťové upozornění."; +$a->strings["Network Notifications"] = "Upozornění Sítě"; +$a->strings["No more system notifications."] = "Žádné další systémová upozornění."; +$a->strings["System Notifications"] = "Systémová upozornění"; +$a->strings["No more personal notifications."] = "Žádné další osobní upozornění."; +$a->strings["Personal Notifications"] = "Osobní upozornění"; +$a->strings["No more home notifications."] = "Žádné další domácí upozornění."; +$a->strings["Home Notifications"] = "Upozornění na vstupní straně"; +$a->strings["Source (bbcode) text:"] = "Zdrojový text (bbcode):"; +$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Zdrojový (Diaspora) text k převedení do BB kódování:"; +$a->strings["Source input: "] = "Zdrojový vstup: "; +$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): "] = "Vstupní data (ve formátu Diaspora): "; +$a->strings["diaspora2bb: "] = "diaspora2bb: "; +$a->strings["Nothing new here"] = "Zde není nic nového"; +$a->strings["Clear notifications"] = "Smazat notifikace"; +$a->strings["New Message"] = "Nová zpráva"; +$a->strings["No recipient selected."] = "Nevybrán příjemce."; +$a->strings["Unable to locate contact information."] = "Nepodařilo se najít kontaktní informace."; +$a->strings["Message could not be sent."] = "Zprávu se nepodařilo odeslat."; +$a->strings["Message collection failure."] = "Sběr zpráv selhal."; +$a->strings["Message sent."] = "Zpráva odeslána."; +$a->strings["Messages"] = "Zprávy"; +$a->strings["Do you really want to delete this message?"] = "Opravdu chcete smazat tuto zprávu?"; +$a->strings["Message deleted."] = "Zpráva odstraněna."; +$a->strings["Conversation removed."] = "Konverzace odstraněna."; +$a->strings["Please enter a link URL:"] = "Zadejte prosím URL odkaz:"; +$a->strings["Send Private Message"] = "Odeslat soukromou zprávu"; +$a->strings["To:"] = "Adresát:"; +$a->strings["Subject:"] = "Předmět:"; +$a->strings["Your message:"] = "Vaše zpráva:"; +$a->strings["Upload photo"] = "Nahrát fotografii"; +$a->strings["Insert web link"] = "Vložit webový odkaz"; +$a->strings["Please wait"] = "Čekejte prosím"; +$a->strings["No messages."] = "Žádné zprávy."; +$a->strings["Unknown sender - %s"] = "Neznámý odesilatel - %s"; +$a->strings["You and %s"] = "Vy a %s"; +$a->strings["%s and You"] = "%s a Vy"; +$a->strings["Delete conversation"] = "Odstranit konverzaci"; +$a->strings["D, d M Y - g:i A"] = "D M R - g:i A"; +$a->strings["%d message"] = array( + 0 => "%d zpráva", + 1 => "%d zprávy", + 2 => "%d zpráv", ); -$a->strings["Private messages to this group are at risk of public disclosure."] = "Soukromé zprávy této skupině jsou vystaveny riziku prozrazení."; -$a->strings["No such group"] = "Žádná taková skupina"; -$a->strings["Group is empty"] = "Skupina je prázdná"; -$a->strings["Group: "] = "Skupina: "; -$a->strings["Contact: "] = "Kontakt: "; -$a->strings["Private messages to this person are at risk of public disclosure."] = "Soukromé zprávy této osobě jsou vystaveny riziku prozrazení."; -$a->strings["Invalid contact."] = "Neplatný kontakt."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Komunikační server - Nastavení"; -$a->strings["Could not connect to database."] = "Nelze se připojit k databázi."; -$a->strings["Could not create table."] = "Nelze vytvořit tabulku."; -$a->strings["Your Friendica site database has been installed."] = "Vaše databáze Friendica byla nainstalována."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Toto je nejčastěji nastavením oprávnění, kdy webový server nemusí být schopen zapisovat soubory do Vašeho adresáře - i když Vy můžete."; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Přečtěte si prosím informace v souboru \"INSTALL.txt\"."; -$a->strings["System check"] = "Testování systému"; -$a->strings["Next"] = "Dále"; -$a->strings["Check again"] = "Otestovat znovu"; -$a->strings["Database connection"] = "Databázové spojení"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Pro instalaci Friendica potřeujeme znát připojení k Vaší databázi."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Pokud máte otázky k následujícím nastavením, obraťte se na svého poskytovatele hostingu nebo administrátora serveru, "; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Databáze, kterou uvedete níže, by již měla existovat. Pokud to tak není, prosíme, vytvořte ji před pokračováním."; -$a->strings["Database Server Name"] = "Jméno databázového serveru"; -$a->strings["Database Login Name"] = "Přihlašovací jméno k databázi"; -$a->strings["Database Login Password"] = "Heslo k databázovému účtu "; -$a->strings["Database Name"] = "Jméno databáze"; -$a->strings["Site administrator email address"] = "Emailová adresa administrátora webu"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Vaše emailová adresa účtu se musí s touto shodovat, aby bylo možné využívat administrační panel ve webovém rozhraní."; -$a->strings["Please select a default timezone for your website"] = "Prosím, vyberte výchozí časové pásmo pro váš server"; -$a->strings["Site settings"] = "Nastavení webu"; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Nelze najít verzi PHP pro příkazový řádek v PATH webového serveru."; -$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 'Activating scheduled tasks'"] = "Pokud na serveru nemáte nainstalovánu verzi PHP spustitelnou z příkazového řádku, nebudete moci spouštět na pozadí synchronizaci zpráv prostřednictvím cronu. Přečtěte si 'Activating scheduled tasks'\n\n podrobnosti\n návrhy\n historie\n\n\t\nThe following url is either missing from the translation or has been translated: 'http://friendica.com/node/27'>'Activating scheduled tasks'"; -$a->strings["PHP executable path"] = "Cesta k \"PHP executable\""; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Zadejte plnou cestu k spustitelnému souboru php. Tento údaj můžete ponechat nevyplněný a pokračovat v instalaci."; -$a->strings["Command line PHP"] = "Příkazový řádek PHP"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "PHP executable není php cli binary (může být verze cgi-fgci)"; -$a->strings["Found PHP version: "] = "Nalezena PHP verze:"; -$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."] = "Vyberte prosím profil, který chcete zobrazit %s při zabezpečeném prohlížení Vašeho profilu."; -$a->strings["This is required for message delivery to work."] = "Toto je nutné pro fungování doručování zpráv."; -$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"] = "Chyba: funkce \"openssl_pkey_new\" na tomto systému není schopna generovat šifrovací klíče"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Pokud systém běží na Windows, seznamte se s \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Generovat kriptovací klíče"; -$a->strings["libCurl PHP module"] = "libCurl PHP modul"; -$a->strings["GD graphics PHP module"] = "GD graphics PHP modul"; -$a->strings["OpenSSL PHP module"] = "OpenSSL PHP modul"; -$a->strings["mysqli PHP module"] = "mysqli PHP modul"; -$a->strings["mb_string PHP module"] = "mb_string PHP modul"; -$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite modul"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Chyba: Požadovaný Apache webserver mod-rewrite modul není nainstalován."; -$a->strings["Error: libCURL PHP module required but not installed."] = "Chyba: požadovaný libcurl PHP modul není nainstalován."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Chyba: požadovaný GD graphics PHP modul není nainstalován."; -$a->strings["Error: openssl PHP module required but not installed."] = "Chyba: požadovaný openssl PHP modul není nainstalován."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Chyba: požadovaný mysqli PHP modul není nainstalován."; -$a->strings["Error: mb_string PHP module required but not installed."] = "Chyba: PHP modul mb_string je vyžadován, ale není nainstalován."; -$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."] = "Webový instalátor musí být schopen vytvořit soubor s názvem \".htconfig.php\" v hlavním adresáři vašeho webového serveru ale nyní mu to není umožněno."; -$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."] = "Toto je nejčastěji nastavením oprávnění, kdy webový server nemusí být schopen zapisovat soubory do vašeho adresáře - i když Vy můžete."; -$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."] = "Na konci této procedury obd nás obdržíte text k uložení v souboru pojmenovaném .htconfig.php ve Vašem Friendica kořenovém adresáři."; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternativně můžete tento krok přeskočit a provést manuální instalaci. Přečtěte si prosím soubor \"INSTALL.txt\" pro další instrukce."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php je editovatelné"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica používá šablonovací nástroj Smarty3 pro zobrazení svých weobvých stránek. Smarty3 kompiluje šablony do PHP pro zrychlení vykreslování."; -$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."] = "Pro uložení kompilovaných šablon, webový server potřebuje mít přístup k zápisu do adresáře view/smarty3/ pod hlavním adresářem instalace Friendica"; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "prosím ujistěte se, že uživatel web serveru (jako například www-data) má právo zápisu do tohoto adresáře"; -$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."] = "Poznámka: jako bezpečnostní opatření, přidělte právo zápisu pouze k adresáři /view/smarty3/ a nikoliv už k souborům s šablonami (.tpl), které obsahuje."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 je nastaven pro zápis"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "Url rewrite v .htconfig nefunguje. Prověřte prosím Vaše nastavení serveru."; -$a->strings["Url rewrite is working"] = "Url rewrite je funkční."; -$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."] = "Databázový konfigurační soubor \".htconfig.php\" nemohl být uložen. Prosím, použijte přiložený text k vytvoření konfiguračního souboru ve vašem kořenovém adresáři webového serveru."; -$a->strings["

    What next

    "] = "

    Co dál

    "; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "Webový instalátor musí být schopen vytvořit soubor s názvem \".htconfig.php\" v hlavním adresáři Vašeho webového serveru ale nyní mu to není umožněno."; +$a->strings["Message not available."] = "Zpráva není k dispozici."; +$a->strings["Delete message"] = "Smazat zprávu"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Není k dispozici zabezpečená komunikace. Možná budete schopni reagovat z odesilatelovy profilové stránky."; +$a->strings["Send Reply"] = "Poslat odpověď"; +$a->strings["[Embedded content - reload page to view]"] = "[Vložený obsah - obnovte stránku pro zobrazení]"; +$a->strings["Contact settings applied."] = "Nastavení kontaktu změněno"; +$a->strings["Contact update failed."] = "Aktualizace kontaktu selhala."; +$a->strings["Repair Contact Settings"] = "Opravit nastavení kontaktu"; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "Varování: Toto je velmi pokročilé a pokud zadáte nesprávné informace, Vaše komunikace s tímto kontaktem může přestat fungovat."; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Prosím použijte ihned v prohlížeči tlačítko \"zpět\" pokud si nejste jistí co dělat na této stránce."; +$a->strings["Return to contact editor"] = "Návrat k editoru kontaktu"; +$a->strings["No mirroring"] = "Žádné zrcadlení"; +$a->strings["Mirror as forwarded posting"] = "Zrcadlit pro přeposlané příspěvky"; +$a->strings["Mirror as my own posting"] = "Zrcadlit jako mé vlastní příspěvky"; +$a->strings["Name"] = "Jméno"; +$a->strings["Account Nickname"] = "Přezdívka účtu"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - upřednostněno před Jménem/Přezdívkou"; +$a->strings["Account URL"] = "URL adresa účtu"; +$a->strings["Friend Request URL"] = "Žádost o přátelství URL"; +$a->strings["Friend Confirm URL"] = "URL adresa potvrzení přátelství"; +$a->strings["Notification Endpoint URL"] = "Notifikační URL adresa"; +$a->strings["Poll/Feed URL"] = "Poll/Feed URL adresa"; +$a->strings["New photo from this URL"] = "Nové foto z této URL adresy"; +$a->strings["Remote Self"] = "Remote Self"; +$a->strings["Mirror postings from this contact"] = "Zrcadlení správ od tohoto kontaktu"; +$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Označit tento kontakt jako \"remote_self\", s tímto nastavením freindica bude přeposílat všechny nové příspěvky od tohoto kontaktu."; +$a->strings["Login"] = "Přihlásit se"; +$a->strings["The post was created"] = "Příspěvek byl vytvořen"; +$a->strings["Access denied."] = "Přístup odmítnut"; +$a->strings["People Search"] = "Vyhledávání lidí"; +$a->strings["No matches"] = "Žádné shody"; +$a->strings["Photos"] = "Fotografie"; +$a->strings["Files"] = "Soubory"; +$a->strings["Contacts who are not members of a group"] = "Kontakty, které nejsou členy skupiny"; $a->strings["Theme settings updated."] = "Nastavení téma zobrazení bylo aktualizováno."; $a->strings["Site"] = "Web"; $a->strings["Users"] = "Uživatelé"; @@ -443,7 +421,9 @@ $a->strings["Active plugins"] = "Aktivní pluginy"; $a->strings["Can not parse base url. Must have at least ://"] = "Nelze zpracovat výchozí url adresu. Musí obsahovat alespoň ://"; $a->strings["Site settings updated."] = "Nastavení webu aktualizováno."; $a->strings["No special theme for mobile devices"] = "žádné speciální téma pro mobilní zařízení"; -$a->strings["Never"] = "Nikdy"; +$a->strings["No community page"] = "Komunitní stránka neexistuje"; +$a->strings["Public postings from users of this site"] = ""; +$a->strings["Global community page"] = "Globální komunitní stránka"; $a->strings["At post arrival"] = "Při obdržení příspěvku"; $a->strings["Frequently"] = "Často"; $a->strings["Hourly"] = "každou hodinu"; @@ -457,6 +437,7 @@ $a->strings["No SSL policy, links will track page SSL state"] = "Žádná SSL po $a->strings["Force all links to use SSL"] = "Vyžadovat u všech odkazů použití SSL"; $a->strings["Self-signed certificate, use SSL for local links only (discouraged)"] = "Certifikát podepsaný sám sebou, použít SSL pouze pro lokální odkazy (nedoporučeno)"; $a->strings["Save Settings"] = "Uložit Nastavení"; +$a->strings["Registration"] = "Registrace"; $a->strings["File upload"] = "Nahrání souborů"; $a->strings["Policies"] = "Politiky"; $a->strings["Advanced"] = "Pokročilé"; @@ -466,6 +447,8 @@ $a->strings["Site name"] = "Název webu"; $a->strings["Host name"] = "Jméno hostitele (host name)"; $a->strings["Sender Email"] = "Email ddesílatele"; $a->strings["Banner/Logo"] = "Banner/logo"; +$a->strings["Shortcut icon"] = "Ikona zkratky"; +$a->strings["Touch icon"] = ""; $a->strings["Additional Info"] = "Dodatečné informace"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "Pro veřejné servery: zde můžete doplnit dodatečné informace, které budou uvedeny v seznamu na dir.friendica.com/siteinfo."; $a->strings["System language"] = "Systémový jazyk"; @@ -526,8 +509,10 @@ $a->strings["Fullname check"] = "kontrola úplného jména"; $a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = "Přimět uživatele k registraci s mezerou mezi jménu a příjmením v poli Celé jméno, jako antispamové opatření."; $a->strings["UTF-8 Regular expressions"] = "UTF-8 Regulární výrazy"; $a->strings["Use PHP UTF8 regular expressions"] = "Použít PHP UTF8 regulární výrazy."; -$a->strings["Show Community Page"] = "Zobrazit stránku komunity"; -$a->strings["Display a Community page showing all recent public postings on this site."] = "Zobrazit Komunitní stránku zobrazující všechny veřejné příspěvky napsané na této stránce."; +$a->strings["Community Page Style"] = "Styl komunitní stránky"; +$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"] = "Zapnout podporu 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."] = "Poskytnout zabudouvanou kompatibilitu s OStatus (StatusNet, GNU Social apod.). Veškerá komunikace s OStatus je veřejná, proto bude občas zobrazeno upozornění."; $a->strings["OStatus conversation completion interval"] = "Interval dokončení konverzace OStatus"; @@ -552,6 +537,8 @@ $a->strings["Use MySQL full text engine"] = "Použít fulltextový vyhledávací $a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = "Aktivuje fulltextový vyhledávací stroj. Zrychluje vyhledávání ale pouze pro vyhledávání čtyř a více znaků"; $a->strings["Suppress Language"] = "Potlačit Jazyk"; $a->strings["Suppress language information in meta information about a posting."] = "Potlačit jazykové informace v meta informacích o příspěvcích"; +$a->strings["Suppress Tags"] = "Potlačit štítky"; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; $a->strings["Path to item cache"] = "Cesta k položkám vyrovnávací paměti"; $a->strings["Cache duration in seconds"] = "Doba platnosti vyrovnávací paměti v sekundách"; $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."] = "Jak dlouho by měla vyrovnávací paměť držet data? Výchozí hodnota je 86400 sekund (Jeden den). Pro vypnutí funkce vyrovnávací paměti nastavte hodnotu na -1."; @@ -562,9 +549,11 @@ $a->strings["Temp path"] = "Cesta k dočasným souborům"; $a->strings["Base path to installation"] = "Základní cesta k instalaci"; $a->strings["Disable picture proxy"] = "Vypnutí obrázkové proxy"; $a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Obrázková proxi zvyšuje výkonnost a soukromí. Neměla by být použita na systémech s pomalým připojením k síti."; +$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"] = "Nová výchozí url adresa"; -$a->strings["Disable noscrape"] = "Zakázat nonscrape"; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping. Disabling it will cause higher load on your server and the directory server."] = "Funkčnost noscrape urychlí odesílání adresářů použitím JSON místo HTML. Zakázáním této funkčnosti se zvýší zatížení Vašeho serveru a stejně jako Vašeho adresářového serveru."; $a->strings["Update has been marked successful"] = "Aktualizace byla označena jako úspěšná."; $a->strings["Database structure update %s was successfully applied."] = "Aktualizace struktury databáze %s byla úspěšně aplikována."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Provádění aktualizace databáze %s skončilo chybou: %s"; @@ -599,13 +588,9 @@ $a->strings["select all"] = "Vybrat vše"; $a->strings["User registrations waiting for confirm"] = "Registrace uživatele čeká na potvrzení"; $a->strings["User waiting for permanent deletion"] = "Uživatel čeká na trvalé smazání"; $a->strings["Request date"] = "Datum žádosti"; -$a->strings["Name"] = "Jméno"; $a->strings["Email"] = "E-mail"; $a->strings["No registrations."] = "Žádné registrace."; -$a->strings["Approve"] = "Schválit"; $a->strings["Deny"] = "Odmítnout"; -$a->strings["Block"] = "Blokovat"; -$a->strings["Unblock"] = "Odblokovat"; $a->strings["Site admin"] = "Site administrátor"; $a->strings["Account expired"] = "Účtu vypršela platnost"; $a->strings["New User"] = "Nový uživatel"; @@ -637,213 +622,189 @@ $a->strings["Enable Debugging"] = "Povolit ladění"; $a->strings["Log file"] = "Soubor s logem"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Musí být editovatelné web serverem. Relativní cesta k vašemu kořenovému adresáři Friendica"; $a->strings["Log level"] = "Úroveň auditu"; -$a->strings["Update now"] = "Aktualizovat"; $a->strings["Close"] = "Zavřít"; $a->strings["FTP Host"] = "Hostitel FTP"; $a->strings["FTP Path"] = "Cesta FTP"; $a->strings["FTP User"] = "FTP uživatel"; $a->strings["FTP Password"] = "FTP heslo"; -$a->strings["Search"] = "Vyhledávání"; -$a->strings["No results."] = "Žádné výsledky."; -$a->strings["Tips for New Members"] = "Tipy pro nové členy"; -$a->strings["link"] = "odkaz"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s označen uživatelem %2\$s %3\$s s %4\$s"; -$a->strings["Item not found"] = "Položka nenalezena"; -$a->strings["Edit post"] = "Upravit příspěvek"; -$a->strings["Save"] = "Uložit"; -$a->strings["upload photo"] = "nahrát fotky"; -$a->strings["Attach file"] = "Přiložit soubor"; -$a->strings["attach file"] = "přidat soubor"; -$a->strings["web link"] = "webový odkaz"; -$a->strings["Insert video link"] = "Zadejte odkaz na video"; -$a->strings["video link"] = "odkaz na video"; -$a->strings["Insert audio link"] = "Zadejte odkaz na zvukový záznam"; -$a->strings["audio link"] = "odkaz na audio"; -$a->strings["Set your location"] = "Nastavte vaši polohu"; -$a->strings["set location"] = "nastavit místo"; -$a->strings["Clear browser location"] = "Odstranit adresu v prohlížeči"; -$a->strings["clear location"] = "vymazat místo"; -$a->strings["Permission settings"] = "Nastavení oprávnění"; -$a->strings["CC: email addresses"] = "skrytá kopie: e-mailové adresy"; -$a->strings["Public post"] = "Veřejný příspěvek"; -$a->strings["Set title"] = "Nastavit titulek"; -$a->strings["Categories (comma-separated list)"] = "Kategorie (čárkou oddělený seznam)"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Příklad: bob@example.com, mary@example.com"; -$a->strings["Item not available."] = "Položka není k dispozici."; -$a->strings["Item was not found."] = "Položka nebyla nalezena."; -$a->strings["Account approved."] = "Účet schválen."; -$a->strings["Registration revoked for %s"] = "Registrace zrušena pro %s"; -$a->strings["Please login."] = "Přihlaste se, prosím."; -$a->strings["Find on this site"] = "Nalézt na tomto webu"; -$a->strings["Finding: "] = "Zjištění: "; -$a->strings["Site Directory"] = "Adresář serveru"; -$a->strings["Find"] = "Najít"; -$a->strings["Age: "] = "Věk: "; -$a->strings["Gender: "] = "Pohlaví: "; -$a->strings["No entries (some entries may be hidden)."] = "Žádné záznamy (některé položky mohou být skryty)."; -$a->strings["Contact settings applied."] = "Nastavení kontaktu změněno"; -$a->strings["Contact update failed."] = "Aktualizace kontaktu selhala."; -$a->strings["Repair Contact Settings"] = "Opravit nastavení kontaktu"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "Varování: Toto je velmi pokročilé a pokud zadáte nesprávné informace, Vaše komunikace s tímto kontaktem může přestat fungovat."; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Prosím použijte ihned v prohlížeči tlačítko \"zpět\" pokud si nejste jistí co dělat na této stránce."; -$a->strings["Return to contact editor"] = "Návrat k editoru kontaktu"; -$a->strings["No mirroring"] = "Žádné zrcadlení"; -$a->strings["Mirror as forwarded posting"] = "Zrcadlit pro přeposlané příspěvky"; -$a->strings["Mirror as my own posting"] = "Zrcadlit jako mé vlastní příspěvky"; -$a->strings["Account Nickname"] = "Přezdívka účtu"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@Tagname - upřednostněno před Jménem/Přezdívkou"; -$a->strings["Account URL"] = "URL adresa účtu"; -$a->strings["Friend Request URL"] = "Žádost o přátelství URL"; -$a->strings["Friend Confirm URL"] = "URL adresa potvrzení přátelství"; -$a->strings["Notification Endpoint URL"] = "Notifikační URL adresa"; -$a->strings["Poll/Feed URL"] = "Poll/Feed URL adresa"; -$a->strings["New photo from this URL"] = "Nové foto z této URL adresy"; -$a->strings["Remote Self"] = "Remote Self"; -$a->strings["Mirror postings from this contact"] = "Zrcadlení správ od tohoto kontaktu"; -$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Označit tento kontakt jako \"remote_self\", s tímto nastavením freindica bude přeposílat všechny nové příspěvky od tohoto kontaktu."; -$a->strings["Move account"] = "Přesunout účet"; -$a->strings["You can import an account from another Friendica server."] = "Můžete importovat účet z jiného Friendica serveru."; -$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."] = "Musíte exportovat svůj účet na sterém serveru a nahrát ho zde. My následně vytvoříme Váš původní účet zde včetně všech kontaktů. Zároveň se pokusíme informovat všechny Vaše přátele, že jste se sem přestěhovali."; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Tato funkčnost je experimentální. Nemůžeme importovat kontakty z OSStatus sítí (statusnet/identi.ca) nebo z Diaspory"; -$a->strings["Account file"] = "Soubor s účtem"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "K exportu Vašeho účtu, jděte do \"Nastavení->Export vašich osobních dat\" a zvolte \" Export účtu\""; -$a->strings["Remote privacy information not available."] = "Vzdálené soukromé informace nejsou k dispozici."; -$a->strings["Visible to:"] = "Viditelné pro:"; +$a->strings["Search Results For:"] = "Výsledky hledání pro:"; +$a->strings["Remove term"] = "Odstranit termín"; +$a->strings["Saved Searches"] = "Uložená hledání"; +$a->strings["add"] = "přidat"; +$a->strings["Commented Order"] = "Dle komentářů"; +$a->strings["Sort by Comment Date"] = "Řadit podle data komentáře"; +$a->strings["Posted Order"] = "Dle data"; +$a->strings["Sort by Post Date"] = "Řadit podle data příspěvku"; +$a->strings["Posts that mention or involve you"] = "Příspěvky, které Vás zmiňují nebo zahrnují"; +$a->strings["New"] = "Nové"; +$a->strings["Activity Stream - by date"] = "Proud aktivit - dle data"; +$a->strings["Shared Links"] = "Sdílené odkazy"; +$a->strings["Interesting Links"] = "Zajímavé odkazy"; +$a->strings["Starred"] = "S hvězdičkou"; +$a->strings["Favourite Posts"] = "Oblíbené přízpěvky"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Upozornění: Tato skupina obsahuje %s člena z nezabezpečené sítě.", + 1 => "Upozornění: Tato skupina obsahuje %s členy z nezabezpečené sítě.", + 2 => "Upozornění: Tato skupina obsahuje %s členy z nezabezpečené sítě.", +); +$a->strings["Private messages to this group are at risk of public disclosure."] = "Soukromé zprávy této skupině jsou vystaveny riziku prozrazení."; +$a->strings["No such group"] = "Žádná taková skupina"; +$a->strings["Group is empty"] = "Skupina je prázdná"; +$a->strings["Group: "] = "Skupina: "; +$a->strings["Contact: "] = "Kontakt: "; +$a->strings["Private messages to this person are at risk of public disclosure."] = "Soukromé zprávy této osobě jsou vystaveny riziku prozrazení."; +$a->strings["Invalid contact."] = "Neplatný kontakt."; +$a->strings["Friends of %s"] = "Přátelé uživatele %s"; +$a->strings["No friends to display."] = "Žádní přátelé k zobrazení"; +$a->strings["Event title and start time are required."] = "Název události a datum začátku jsou vyžadovány."; +$a->strings["l, F j"] = "l, F j"; +$a->strings["Edit event"] = "Editovat událost"; +$a->strings["link to source"] = "odkaz na zdroj"; +$a->strings["Events"] = "Události"; +$a->strings["Create New Event"] = "Vytvořit novou událost"; +$a->strings["Previous"] = "Předchozí"; +$a->strings["Next"] = "Dále"; +$a->strings["hour:minute"] = "hodina:minuta"; +$a->strings["Event details"] = "Detaily události"; +$a->strings["Format is %s %s. Starting date and Title are required."] = "Formát je %s %s. Datum začátku a Název jsou vyžadovány."; +$a->strings["Event Starts:"] = "Událost začíná:"; +$a->strings["Required"] = "Vyžadováno"; +$a->strings["Finish date/time is not known or not relevant"] = "Datum/čas konce není zadán nebo není relevantní"; +$a->strings["Event Finishes:"] = "Akce končí:"; +$a->strings["Adjust for viewer timezone"] = "Nastavit časové pásmo pro uživatele s právem pro čtení"; +$a->strings["Description:"] = "Popis:"; +$a->strings["Location:"] = "Místo:"; +$a->strings["Title:"] = "Název:"; +$a->strings["Share this event"] = "Sdílet tuto událost"; +$a->strings["Select"] = "Vybrat"; +$a->strings["View %s's profile @ %s"] = "Zobrazit profil uživatele %s na %s"; +$a->strings["%s from %s"] = "%s od %s"; +$a->strings["View in context"] = "Pohled v kontextu"; +$a->strings["%d comment"] = array( + 0 => "%d komentář", + 1 => "%d komentářů", + 2 => "%d komentářů", +); +$a->strings["comment"] = array( + 0 => "", + 1 => "", + 2 => "komentář", +); +$a->strings["show more"] = "zobrazit více"; +$a->strings["Private Message"] = "Soukromá zpráva"; +$a->strings["I like this (toggle)"] = "Líbí se mi to (přepínač)"; +$a->strings["like"] = "má rád"; +$a->strings["I don't like this (toggle)"] = "Nelíbí se mi to (přepínač)"; +$a->strings["dislike"] = "nemá rád"; +$a->strings["Share this"] = "Sdílet toto"; +$a->strings["share"] = "sdílí"; +$a->strings["This is you"] = "Nastavte Vaši polohu"; +$a->strings["Comment"] = "Okomentovat"; +$a->strings["Bold"] = "Tučné"; +$a->strings["Italic"] = "Kurzíva"; +$a->strings["Underline"] = "Podrtžené"; +$a->strings["Quote"] = "Citovat"; +$a->strings["Code"] = "Kód"; +$a->strings["Image"] = "Obrázek"; +$a->strings["Link"] = "Odkaz"; +$a->strings["Video"] = "Video"; +$a->strings["Preview"] = "Náhled"; +$a->strings["Edit"] = "Upravit"; +$a->strings["add star"] = "přidat hvězdu"; +$a->strings["remove star"] = "odebrat hvězdu"; +$a->strings["toggle star status"] = "přepnout hvězdu"; +$a->strings["starred"] = "označeno hvězdou"; +$a->strings["add tag"] = "přidat štítek"; +$a->strings["save to folder"] = "uložit do složky"; +$a->strings["to"] = "pro"; +$a->strings["Wall-to-Wall"] = "Zeď-na-Zeď"; +$a->strings["via Wall-To-Wall:"] = "přes Zeď-na-Zeď "; +$a->strings["Remove My Account"] = "Odstranit můj účet"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Tímto bude kompletně odstraněn váš účet. Jakmile bude účet odstraněn, nebude už možné ho obnovit."; +$a->strings["Please enter your password for verification:"] = "Prosím, zadejte své heslo pro ověření:"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Komunikační server - Nastavení"; +$a->strings["Could not connect to database."] = "Nelze se připojit k databázi."; +$a->strings["Could not create table."] = "Nelze vytvořit tabulku."; +$a->strings["Your Friendica site database has been installed."] = "Vaše databáze Friendica byla nainstalována."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Toto je nejčastěji nastavením oprávnění, kdy webový server nemusí být schopen zapisovat soubory do Vašeho adresáře - i když Vy můžete."; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Přečtěte si prosím informace v souboru \"INSTALL.txt\"."; +$a->strings["System check"] = "Testování systému"; +$a->strings["Check again"] = "Otestovat znovu"; +$a->strings["Database connection"] = "Databázové spojení"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Pro instalaci Friendica potřeujeme znát připojení k Vaší databázi."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Pokud máte otázky k následujícím nastavením, obraťte se na svého poskytovatele hostingu nebo administrátora serveru, "; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Databáze, kterou uvedete níže, by již měla existovat. Pokud to tak není, prosíme, vytvořte ji před pokračováním."; +$a->strings["Database Server Name"] = "Jméno databázového serveru"; +$a->strings["Database Login Name"] = "Přihlašovací jméno k databázi"; +$a->strings["Database Login Password"] = "Heslo k databázovému účtu "; +$a->strings["Database Name"] = "Jméno databáze"; +$a->strings["Site administrator email address"] = "Emailová adresa administrátora webu"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Vaše emailová adresa účtu se musí s touto shodovat, aby bylo možné využívat administrační panel ve webovém rozhraní."; +$a->strings["Please select a default timezone for your website"] = "Prosím, vyberte výchozí časové pásmo pro váš server"; +$a->strings["Site settings"] = "Nastavení webu"; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Nelze najít verzi PHP pro příkazový řádek v PATH webového serveru."; +$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 'Activating scheduled tasks'"] = "Pokud na serveru nemáte nainstalovánu verzi PHP spustitelnou z příkazového řádku, nebudete moci spouštět na pozadí synchronizaci zpráv prostřednictvím cronu. Přečtěte si 'Activating scheduled tasks'\n\n podrobnosti\n návrhy\n historie\n\n\t\nThe following url is either missing from the translation or has been translated: 'http://friendica.com/node/27'>'Activating scheduled tasks'"; +$a->strings["PHP executable path"] = "Cesta k \"PHP executable\""; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Zadejte plnou cestu k spustitelnému souboru php. Tento údaj můžete ponechat nevyplněný a pokračovat v instalaci."; +$a->strings["Command line PHP"] = "Příkazový řádek PHP"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "PHP executable není php cli binary (může být verze cgi-fgci)"; +$a->strings["Found PHP version: "] = "Nalezena PHP verze:"; +$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."] = "Vyberte prosím profil, který chcete zobrazit %s při zabezpečeném prohlížení Vašeho profilu."; +$a->strings["This is required for message delivery to work."] = "Toto je nutné pro fungování doručování zpráv."; +$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"] = "Chyba: funkce \"openssl_pkey_new\" na tomto systému není schopna generovat šifrovací klíče"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Pokud systém běží na Windows, seznamte se s \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Generovat kriptovací klíče"; +$a->strings["libCurl PHP module"] = "libCurl PHP modul"; +$a->strings["GD graphics PHP module"] = "GD graphics PHP modul"; +$a->strings["OpenSSL PHP module"] = "OpenSSL PHP modul"; +$a->strings["mysqli PHP module"] = "mysqli PHP modul"; +$a->strings["mb_string PHP module"] = "mb_string PHP modul"; +$a->strings["Apache mod_rewrite module"] = "Apache mod_rewrite modul"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Chyba: Požadovaný Apache webserver mod-rewrite modul není nainstalován."; +$a->strings["Error: libCURL PHP module required but not installed."] = "Chyba: požadovaný libcurl PHP modul není nainstalován."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Chyba: požadovaný GD graphics PHP modul není nainstalován."; +$a->strings["Error: openssl PHP module required but not installed."] = "Chyba: požadovaný openssl PHP modul není nainstalován."; +$a->strings["Error: mysqli PHP module required but not installed."] = "Chyba: požadovaný mysqli PHP modul není nainstalován."; +$a->strings["Error: mb_string PHP module required but not installed."] = "Chyba: PHP modul mb_string je vyžadován, ale není nainstalován."; +$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."] = "Webový instalátor musí být schopen vytvořit soubor s názvem \".htconfig.php\" v hlavním adresáři vašeho webového serveru ale nyní mu to není umožněno."; +$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."] = "Toto je nejčastěji nastavením oprávnění, kdy webový server nemusí být schopen zapisovat soubory do vašeho adresáře - i když Vy můžete."; +$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."] = "Na konci této procedury obd nás obdržíte text k uložení v souboru pojmenovaném .htconfig.php ve Vašem Friendica kořenovém adresáři."; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Alternativně můžete tento krok přeskočit a provést manuální instalaci. Přečtěte si prosím soubor \"INSTALL.txt\" pro další instrukce."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php je editovatelné"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica používá šablonovací nástroj Smarty3 pro zobrazení svých weobvých stránek. Smarty3 kompiluje šablony do PHP pro zrychlení vykreslování."; +$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."] = "Pro uložení kompilovaných šablon, webový server potřebuje mít přístup k zápisu do adresáře view/smarty3/ pod hlavním adresářem instalace Friendica"; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "prosím ujistěte se, že uživatel web serveru (jako například www-data) má právo zápisu do tohoto adresáře"; +$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."] = "Poznámka: jako bezpečnostní opatření, přidělte právo zápisu pouze k adresáři /view/smarty3/ a nikoliv už k souborům s šablonami (.tpl), které obsahuje."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 je nastaven pro zápis"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "Url rewrite v .htconfig nefunguje. Prověřte prosím Vaše nastavení serveru."; +$a->strings["Url rewrite is working"] = "Url rewrite je funkční."; +$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."] = "Databázový konfigurační soubor \".htconfig.php\" nemohl být uložen. Prosím, použijte přiložený text k vytvoření konfiguračního souboru ve vašem kořenovém adresáři webového serveru."; +$a->strings["

    What next

    "] = "

    Co dál

    "; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "Webový instalátor musí být schopen vytvořit soubor s názvem \".htconfig.php\" v hlavním adresáři Vašeho webového serveru ale nyní mu to není umožněno."; +$a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Došlo k překročení maximálního počtu zpráv na zeď během jednoho dne. Zpráva %s nedoručena."; +$a->strings["Unable to check your home location."] = "Nebylo možné zjistit Vaši domácí lokaci."; +$a->strings["No recipient."] = "Žádný příjemce."; +$a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Pokud si přejete, aby uživatel %s mohl odpovědět, ověřte si zda-li máte povoleno na svém serveru zasílání soukromých zpráv od neznámých odesilatelů."; $a->strings["Help:"] = "Nápověda:"; $a->strings["Help"] = "Nápověda"; -$a->strings["No profile"] = "Žádný profil"; -$a->strings["This introduction has already been accepted."] = "Toto pozvání již bylo přijato."; -$a->strings["Profile location is not valid or does not contain profile information."] = "Adresa profilu není platná nebo neobsahuje profilové informace"; -$a->strings["Warning: profile location has no identifiable owner name."] = "Varování: umístění profilu nemá žádné identifikovatelné jméno vlastníka"; -$a->strings["Warning: profile location has no profile photo."] = "Varování: umístění profilu nemá žádnou profilovou fotografii."; -$a->strings["%d required parameter was not found at the given location"] = array( - 0 => "%d požadovaný parametr nebyl nalezen na daném místě", - 1 => "%d požadované parametry nebyly nalezeny na daném místě", - 2 => "%d požadované parametry nebyly nalezeny na daném místě", -); -$a->strings["Introduction complete."] = "Představení dokončeno."; -$a->strings["Unrecoverable protocol error."] = "Neopravitelná chyba protokolu"; -$a->strings["Profile unavailable."] = "Profil není k dispozici."; -$a->strings["%s has received too many connection requests today."] = "%s dnes obdržel příliš mnoho požadavků na připojení."; -$a->strings["Spam protection measures have been invoked."] = "Ochrana proti spamu byla aktivována"; -$a->strings["Friends are advised to please try again in 24 hours."] = "Přátelům se doporučuje to zkusit znovu za 24 hodin."; -$a->strings["Invalid locator"] = "Neplatný odkaz"; -$a->strings["Invalid email address."] = "Neplatná emailová adresa"; -$a->strings["This account has not been configured for email. Request failed."] = "Tento účet nebyl nastaven pro email. Požadavek nesplněn."; -$a->strings["Unable to resolve your name at the provided location."] = "Nepodařilo se zjistit Vaše jméno na zadané adrese."; -$a->strings["You have already introduced yourself here."] = "Již jste se zde zavedli."; -$a->strings["Apparently you are already friends with %s."] = "Zřejmě jste již přátelé se %s."; -$a->strings["Invalid profile URL."] = "Neplatné URL profilu."; -$a->strings["Disallowed profile URL."] = "Nepovolené URL profilu."; -$a->strings["Failed to update contact record."] = "Nepodařilo se aktualizovat kontakt."; -$a->strings["Your introduction has been sent."] = "Vaše žádost o propojení byla odeslána."; -$a->strings["Please login to confirm introduction."] = "Prosím přihlašte se k potvrzení žádosti o propojení."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Jste přihlášeni pod nesprávnou identitou Prosím, přihlaste se do tohoto profilu."; -$a->strings["Hide this contact"] = "Skrýt tento kontakt"; -$a->strings["Welcome home %s."] = "Vítejte doma %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Prosím potvrďte Vaši žádost o propojení %s."; -$a->strings["Confirm"] = "Potvrdit"; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Prosím zadejte Vaši adresu identity jedné z následujících podporovaných komunikačních sítí:"; -$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."] = "Pokud ještě nejste členem svobodné sociální sítě, následujte tento odkaz k nalezení veřejného Friendica serveru a přidejte se k nám ještě dnes."; -$a->strings["Friend/Connection Request"] = "Požadavek o přátelství / kontaktování"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Příklady: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; -$a->strings["Please answer the following:"] = "Odpovězte, prosím, následující:"; -$a->strings["Does %s know you?"] = "Zná Vás uživatel %s ?"; -$a->strings["Add a personal note:"] = "Přidat osobní poznámku:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet / Federativní Sociální Web"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - prosím nepoužívejte tento formulář. Místo toho zadejte %s do Vašeho Diaspora vyhledávacího pole."; -$a->strings["Your Identity Address:"] = "Verze PHP pro příkazový řádek na Vašem systému nemá povolen \"register_argc_argv\"."; -$a->strings["Submit Request"] = "Odeslat žádost"; -$a->strings["[Embedded content - reload page to view]"] = "[Vložený obsah - obnovte stránku pro zobrazení]"; -$a->strings["View in context"] = "Pohled v kontextu"; -$a->strings["%d contact edited."] = array( - 0 => "%d kontakt upraven.", - 1 => "%d kontakty upraveny", - 2 => "%d kontaktů upraveno", -); -$a->strings["Could not access contact record."] = "Nelze získat přístup k záznamu kontaktu."; -$a->strings["Could not locate selected profile."] = "Nelze nalézt vybraný profil."; -$a->strings["Contact updated."] = "Kontakt aktualizován."; -$a->strings["Contact has been blocked"] = "Kontakt byl zablokován"; -$a->strings["Contact has been unblocked"] = "Kontakt byl odblokován"; -$a->strings["Contact has been ignored"] = "Kontakt bude ignorován"; -$a->strings["Contact has been unignored"] = "Kontakt přestal být ignorován"; -$a->strings["Contact has been archived"] = "Kontakt byl archivován"; -$a->strings["Contact has been unarchived"] = "Kontakt byl vrácen z archívu."; -$a->strings["Do you really want to delete this contact?"] = "Opravdu chcete smazat tento kontakt?"; -$a->strings["Contact has been removed."] = "Kontakt byl odstraněn."; -$a->strings["You are mutual friends with %s"] = "Jste vzájemní přátelé s uživatelem %s"; -$a->strings["You are sharing with %s"] = "Sdílíte s uživatelem %s"; -$a->strings["%s is sharing with you"] = "uživatel %s sdílí s vámi"; -$a->strings["Private communications are not available for this contact."] = "Soukromá komunikace není dostupná pro tento kontakt."; -$a->strings["(Update was successful)"] = "(Aktualizace byla úspěšná)"; -$a->strings["(Update was not successful)"] = "(Aktualizace nebyla úspěšná)"; -$a->strings["Suggest friends"] = "Navrhněte přátelé"; -$a->strings["Network type: %s"] = "Typ sítě: %s"; -$a->strings["%d contact in common"] = array( - 0 => "%d sdílený kontakt", - 1 => "%d sdílených kontaktů", - 2 => "%d sdílených kontaktů", -); -$a->strings["View all contacts"] = "Zobrazit všechny kontakty"; -$a->strings["Toggle Blocked status"] = "Přepnout stav Blokováno"; -$a->strings["Unignore"] = "Přestat ignorovat"; -$a->strings["Ignore"] = "Ignorovat"; -$a->strings["Toggle Ignored status"] = "Přepnout stav Ignorováno"; -$a->strings["Unarchive"] = "Vrátit z archívu"; -$a->strings["Archive"] = "Archivovat"; -$a->strings["Toggle Archive status"] = "Přepnout stav Archivováno"; -$a->strings["Repair"] = "Opravit"; -$a->strings["Advanced Contact Settings"] = "Pokročilé nastavení kontaktu"; -$a->strings["Communications lost with this contact!"] = "Komunikace s tímto kontaktem byla ztracena!"; -$a->strings["Contact Editor"] = "Editor kontaktu"; -$a->strings["Profile Visibility"] = "Viditelnost profilu"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Vyberte prosím profil, který chcete zobrazit %s při zabezpečeném prohlížení vašeho profilu."; -$a->strings["Contact Information / Notes"] = "Kontaktní informace / poznámky"; -$a->strings["Edit contact notes"] = "Editovat poznámky kontaktu"; -$a->strings["Visit %s's profile [%s]"] = "Navštivte profil uživatele %s [%s]"; -$a->strings["Block/Unblock contact"] = "Blokovat / Odblokovat kontakt"; -$a->strings["Ignore contact"] = "Ignorovat kontakt"; -$a->strings["Repair URL settings"] = "Opravit nastavení adresy URL "; -$a->strings["View conversations"] = "Zobrazit konverzace"; -$a->strings["Delete contact"] = "Odstranit kontakt"; -$a->strings["Last update:"] = "Poslední aktualizace:"; -$a->strings["Update public posts"] = "Aktualizovat veřejné příspěvky"; -$a->strings["Currently blocked"] = "V současnosti zablokováno"; -$a->strings["Currently ignored"] = "V současnosti ignorováno"; -$a->strings["Currently archived"] = "Aktuálně archivován"; -$a->strings["Hide this contact from others"] = "Skrýt tento kontakt před ostatními"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Odpovědi/Libí se na Vaše veřejné příspěvky mohou být stále viditelné"; -$a->strings["Notification for new posts"] = "Upozornění na nové příspěvky"; -$a->strings["Send a notification of every new post of this contact"] = "Poslat upozornění při každém novém příspěvku tohoto kontaktu"; -$a->strings["Fetch further information for feeds"] = "Načítat další informace pro kanál"; -$a->strings["Disabled"] = "Zakázáno"; -$a->strings["Fetch information"] = "Načítat informace"; -$a->strings["Fetch information and keywords"] = "Načítat informace a klíčová slova"; -$a->strings["Blacklisted keywords"] = "Zakázaná klíčová slova"; -$a->strings["Comma separated list of keywords that should not be converted to hashtags, when \"Fetch information and keywords\" is selected"] = "Čárkou oddělený seznam klíčových slov, které by neměly být převáděna na hashtagy, když je zvoleno \"Načítat informace a klíčová slova\""; -$a->strings["Suggestions"] = "Doporučení"; -$a->strings["Suggest potential friends"] = "Navrhnout potenciální přátele"; -$a->strings["All Contacts"] = "Všechny kontakty"; -$a->strings["Show all contacts"] = "Zobrazit všechny kontakty"; -$a->strings["Unblocked"] = "Odblokován"; -$a->strings["Only show unblocked contacts"] = "Zobrazit pouze neblokované kontakty"; -$a->strings["Blocked"] = "Blokován"; -$a->strings["Only show blocked contacts"] = "Zobrazit pouze blokované kontakty"; -$a->strings["Ignored"] = "Ignorován"; -$a->strings["Only show ignored contacts"] = "Zobrazit pouze ignorované kontakty"; -$a->strings["Archived"] = "Archivován"; -$a->strings["Only show archived contacts"] = "Zobrazit pouze archivované kontakty"; -$a->strings["Hidden"] = "Skrytý"; -$a->strings["Only show hidden contacts"] = "Zobrazit pouze skryté kontakty"; -$a->strings["Mutual Friendship"] = "Vzájemné přátelství"; -$a->strings["is a fan of yours"] = "je Váš fanoušek"; -$a->strings["you are a fan of"] = "jste fanouškem"; -$a->strings["Edit contact"] = "Editovat kontakt"; -$a->strings["Search your contacts"] = "Prohledat Vaše kontakty"; -$a->strings["Update"] = "Aktualizace"; +$a->strings["Not Found"] = "Nenalezen"; +$a->strings["Page not found."] = "Stránka nenalezena"; +$a->strings["%1\$s welcomes %2\$s"] = "%1\$s vítá %2\$s"; +$a->strings["Welcome to %s"] = "Vítá Vás %s"; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Omlouváme se, možná je Váš soubor větší než je povolené maximum dle nastavení PHP"; +$a->strings["Or - did you try to upload an empty file?"] = "Nebo - nenahrával jste prázdný soubor?"; +$a->strings["File exceeds size limit of %d"] = "Velikost souboru přesáhla limit %d"; +$a->strings["File upload failed."] = "Nahrání souboru se nezdařilo."; +$a->strings["Profile Match"] = "Shoda profilu"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Žádná klíčová slova k porovnání. Prosím, přidejte klíčová slova do Vašeho výchozího profilu."; +$a->strings["is interested in:"] = "zajímá se o:"; +$a->strings["Connect"] = "Spojit"; +$a->strings["link"] = "odkaz"; +$a->strings["Not available."] = "Není k dispozici."; +$a->strings["Community"] = "Komunita"; +$a->strings["No results."] = "Žádné výsledky."; $a->strings["everybody"] = "Žádost o připojení selhala nebo byla zrušena."; $a->strings["Additional features"] = "Další funkčnosti"; $a->strings["Display"] = "Zobrazení"; @@ -886,6 +847,7 @@ $a->strings["Off"] = "Vypnuto"; $a->strings["On"] = "Zapnuto"; $a->strings["Additional Features"] = "Další Funkčnosti"; $a->strings["Built-in support for %s connectivity is %s"] = "Vestavěná podpora pro připojení s %s je %s"; +$a->strings["Diaspora"] = "Diaspora"; $a->strings["enabled"] = "povoleno"; $a->strings["disabled"] = "zakázáno"; $a->strings["StatusNet"] = "StatusNet"; @@ -932,6 +894,7 @@ $a->strings["Private forum - approved members only"] = "Soukromé fórum - pouze $a->strings["OpenID:"] = "OpenID:"; $a->strings["(Optional) Allow this OpenID to login to this account."] = "(Volitelné) Povolit OpenID pro přihlášení k tomuto účtu."; $a->strings["Publish your default profile in your local site directory?"] = "Publikovat Váš výchozí profil v místním adresáři webu?"; +$a->strings["No"] = "Ne"; $a->strings["Publish your default profile in the global social directory?"] = "Publikovat Váš výchozí profil v globální sociálním adresáři?"; $a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Skrýt Vaše kontaktní údaje a seznam přátel před návštěvníky ve Vašem výchozím profilu?"; $a->strings["Hide your profile details from unknown viewers?"] = "Skrýt Vaše profilové detaily před neznámými uživateli?"; @@ -941,7 +904,6 @@ $a->strings["Allow friends to tag your posts?"] = "Povolit přátelům označova $a->strings["Allow us to suggest you as a potential friend to new members?"] = "Chcete nám povolit abychom vás navrhovali jako přátelé pro nové členy?"; $a->strings["Permit unknown people to send you private mail?"] = "Povolit neznámým lidem Vám zasílat soukromé zprávy?"; $a->strings["Profile is not published."] = "Profil není zveřejněn."; -$a->strings["or"] = "nebo"; $a->strings["Your Identity Address is"] = "Vaše adresa identity je"; $a->strings["Automatically expire posts after this many days:"] = "Automaticky expirovat příspěvky po zadaném počtu dní:"; $a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Pokud je prázdné, příspěvky nebudou nikdy expirovat. Expirované příspěvky budou vymazány"; @@ -998,6 +960,99 @@ $a->strings["Change the behaviour of this account for special situations"] = "Zm $a->strings["Relocate"] = "Změna umístění"; $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."] = "Pokud jste přemístil tento profil z jiného serveru a nějaký z vašich kontaktů nedostává Vaše aktualizace, zkuste stisknout toto tlačítko."; $a->strings["Resend relocate message to contacts"] = "Znovu odeslat správu o změně umístění Vašim kontaktům"; +$a->strings["This introduction has already been accepted."] = "Toto pozvání již bylo přijato."; +$a->strings["Profile location is not valid or does not contain profile information."] = "Adresa profilu není platná nebo neobsahuje profilové informace"; +$a->strings["Warning: profile location has no identifiable owner name."] = "Varování: umístění profilu nemá žádné identifikovatelné jméno vlastníka"; +$a->strings["Warning: profile location has no profile photo."] = "Varování: umístění profilu nemá žádnou profilovou fotografii."; +$a->strings["%d required parameter was not found at the given location"] = array( + 0 => "%d požadovaný parametr nebyl nalezen na daném místě", + 1 => "%d požadované parametry nebyly nalezeny na daném místě", + 2 => "%d požadované parametry nebyly nalezeny na daném místě", +); +$a->strings["Introduction complete."] = "Představení dokončeno."; +$a->strings["Unrecoverable protocol error."] = "Neopravitelná chyba protokolu"; +$a->strings["Profile unavailable."] = "Profil není k dispozici."; +$a->strings["%s has received too many connection requests today."] = "%s dnes obdržel příliš mnoho požadavků na připojení."; +$a->strings["Spam protection measures have been invoked."] = "Ochrana proti spamu byla aktivována"; +$a->strings["Friends are advised to please try again in 24 hours."] = "Přátelům se doporučuje to zkusit znovu za 24 hodin."; +$a->strings["Invalid locator"] = "Neplatný odkaz"; +$a->strings["Invalid email address."] = "Neplatná emailová adresa"; +$a->strings["This account has not been configured for email. Request failed."] = "Tento účet nebyl nastaven pro email. Požadavek nesplněn."; +$a->strings["Unable to resolve your name at the provided location."] = "Nepodařilo se zjistit Vaše jméno na zadané adrese."; +$a->strings["You have already introduced yourself here."] = "Již jste se zde zavedli."; +$a->strings["Apparently you are already friends with %s."] = "Zřejmě jste již přátelé se %s."; +$a->strings["Invalid profile URL."] = "Neplatné URL profilu."; +$a->strings["Disallowed profile URL."] = "Nepovolené URL profilu."; +$a->strings["Your introduction has been sent."] = "Vaše žádost o propojení byla odeslána."; +$a->strings["Please login to confirm introduction."] = "Prosím přihlašte se k potvrzení žádosti o propojení."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Jste přihlášeni pod nesprávnou identitou Prosím, přihlaste se do tohoto profilu."; +$a->strings["Hide this contact"] = "Skrýt tento kontakt"; +$a->strings["Welcome home %s."] = "Vítejte doma %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Prosím potvrďte Vaši žádost o propojení %s."; +$a->strings["Confirm"] = "Potvrdit"; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Prosím zadejte Vaši adresu identity jedné z následujících podporovaných komunikačních sítí:"; +$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."] = "Pokud ještě nejste členem svobodné sociální sítě, následujte tento odkaz k nalezení veřejného Friendica serveru a přidejte se k nám ještě dnes."; +$a->strings["Friend/Connection Request"] = "Požadavek o přátelství / kontaktování"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Příklady: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; +$a->strings["Please answer the following:"] = "Odpovězte, prosím, následující:"; +$a->strings["Does %s know you?"] = "Zná Vás uživatel %s ?"; +$a->strings["Add a personal note:"] = "Přidat osobní poznámku:"; +$a->strings["Friendica"] = "Friendica"; +$a->strings["StatusNet/Federated Social Web"] = "StatusNet / Federativní Sociální Web"; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - prosím nepoužívejte tento formulář. Místo toho zadejte %s do Vašeho Diaspora vyhledávacího pole."; +$a->strings["Your Identity Address:"] = "Verze PHP pro příkazový řádek na Vašem systému nemá povolen \"register_argc_argv\"."; +$a->strings["Submit Request"] = "Odeslat žádost"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Registrace úspěšná. Zkontrolujte prosím svůj e-mail pro další instrukce."; +$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = "Nepovedlo se odeslat emailovou zprávu. Zde jsou detaily Vašeho účtu:
    login: %s
    heslo: %s

    Své heslo můžete změnit po přihlášení."; +$a->strings["Your registration can not be processed."] = "Vaši registraci nelze zpracovat."; +$a->strings["Your registration is pending approval by the site owner."] = "Vaše registrace čeká na schválení vlastníkem serveru."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Došlo k překročení maximálního povoleného počtu registrací za den na tomto serveru. Zkuste to zítra znovu."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Tento formulář můžete (volitelně) vyplnit s pomocí OpenID tím, že vyplníte své OpenID a kliknutete na tlačítko 'Zaregistrovat'."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Pokud nepoužíváte OpenID, nechte prosím toto pole prázdné a vyplňte zbylé položky."; +$a->strings["Your OpenID (optional): "] = "Vaše OpenID (nepovinné): "; +$a->strings["Include your profile in member directory?"] = "Toto je Váš veřejný profil.
    Ten může být viditelný kýmkoliv na internetu."; +$a->strings["Membership on this site is by invitation only."] = "Členství na tomto webu je pouze na pozvání."; +$a->strings["Your invitation ID: "] = "Vaše pozvání ID:"; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Vaše celé jméno (např. Jan Novák):"; +$a->strings["Your Email Address: "] = "Vaše e-mailová adresa:"; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Vyberte přezdívku k profilu. Ta musí začít s textovým znakem. Vaše profilová adresa na tomto webu pak bude \"přezdívka@\$sitename\"."; +$a->strings["Choose a nickname: "] = "Vyberte přezdívku:"; +$a->strings["Register"] = "Registrovat"; +$a->strings["Import"] = "Import"; +$a->strings["Import your profile to this friendica instance"] = "Import Vašeho profilu do této friendica instance"; +$a->strings["System down for maintenance"] = "Systém vypnut z důvodů údržby"; +$a->strings["Search"] = "Vyhledávání"; +$a->strings["Global Directory"] = "Globální adresář"; +$a->strings["Find on this site"] = "Nalézt na tomto webu"; +$a->strings["Site Directory"] = "Adresář serveru"; +$a->strings["Age: "] = "Věk: "; +$a->strings["Gender: "] = "Pohlaví: "; +$a->strings["Gender:"] = "Pohlaví:"; +$a->strings["Status:"] = "Status:"; +$a->strings["Homepage:"] = "Domácí stránka:"; +$a->strings["About:"] = "O mě:"; +$a->strings["No entries (some entries may be hidden)."] = "Žádné záznamy (některé položky mohou být skryty)."; +$a->strings["No potential page delegates located."] = "Žádní potenciální delegáti stránky nenalezeni."; +$a->strings["Delegate Page Management"] = "Správa delegátů stránky"; +$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."] = "Delegáti jsou schopni řídit všechny aspekty tohoto účtu / stránky, kromě základních nastavení účtu. Prosím, nepředávejte svůj osobní účet nikomu, komu úplně nevěříte.."; +$a->strings["Existing Page Managers"] = "Stávající správci stránky"; +$a->strings["Existing Page Delegates"] = "Stávající delegáti stránky "; +$a->strings["Potential Delegates"] = "Potenciální delegáti"; +$a->strings["Add"] = "Přidat"; +$a->strings["No entries."] = "Žádné záznamy."; +$a->strings["Common Friends"] = "Společní přátelé"; +$a->strings["No contacts in common."] = "Žádné společné kontakty."; +$a->strings["Export account"] = "Exportovat účet"; +$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."] = "Exportujte svůj účet a své kontakty. Použijte tuto funkci pro vytvoření zálohy svého účtu a/nebo k přesunu na jiný server."; +$a->strings["Export all"] = "Exportovat vše"; +$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)"] = "Exportujte své informace k účtu, kontakty a vše své položky jako json. To může být velmi velký soubor a může to zabrat spoustu času. Tuto funkci použijte pro úplnou zálohu svého účtu(fotografie se neexportují)"; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s je právě %2\$s"; +$a->strings["Mood"] = "Nálada"; +$a->strings["Set your current mood and tell your friends"] = "Nastavte svou aktuální náladu a řekněte to Vašim přátelům"; +$a->strings["Do you really want to delete this suggestion?"] = "Opravdu chcete smazat tento návrh?"; +$a->strings["Friend Suggestions"] = "Návrhy přátel"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nejsou dostupné žádné návrhy. Pokud je toto nový server, zkuste to znovu za 24 hodin."; +$a->strings["Ignore/Hide"] = "Ignorovat / skrýt"; $a->strings["Profile deleted."] = "Profil smazán."; $a->strings["Profile-"] = "Profil-"; $a->strings["New profile created."] = "Nový profil vytvořen."; @@ -1073,57 +1128,45 @@ $a->strings["Work/employment"] = "Práce/zaměstnání"; $a->strings["School/education"] = "Škola/vzdělání"; $a->strings["This is your public profile.
    It may be visible to anybody using the internet."] = "Toto je váš veřejný profil.
    Ten může být viditelný kýmkoliv na internetu."; $a->strings["Edit/Manage Profiles"] = "Upravit / Spravovat profily"; -$a->strings["Group created."] = "Skupina vytvořena."; -$a->strings["Could not create group."] = "Nelze vytvořit skupinu."; -$a->strings["Group not found."] = "Skupina nenalezena."; -$a->strings["Group name changed."] = "Název skupiny byl změněn."; -$a->strings["Save Group"] = "Uložit Skupinu"; -$a->strings["Create a group of contacts/friends."] = "Vytvořit skupinu kontaktů / přátel."; -$a->strings["Group Name: "] = "Název skupiny: "; -$a->strings["Group removed."] = "Skupina odstraněna. "; -$a->strings["Unable to remove group."] = "Nelze odstranit skupinu."; -$a->strings["Group Editor"] = "Editor skupin"; -$a->strings["Members"] = "Členové"; -$a->strings["Click on a contact to add or remove."] = "Klikněte na kontakt pro přidání nebo odebrání"; -$a->strings["Source (bbcode) text:"] = "Zdrojový text (bbcode):"; -$a->strings["Source (Diaspora) text to convert to BBcode:"] = "Zdrojový (Diaspora) text k převedení do BB kódování:"; -$a->strings["Source input: "] = "Zdrojový vstup: "; -$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): "] = "Vstupní data (ve formátu Diaspora): "; -$a->strings["diaspora2bb: "] = "diaspora2bb: "; -$a->strings["Not available."] = "Není k dispozici."; -$a->strings["Contact added"] = "Kontakt přidán"; -$a->strings["No more system notifications."] = "Žádné další systémová upozornění."; -$a->strings["System Notifications"] = "Systémová upozornění"; -$a->strings["New Message"] = "Nová zpráva"; -$a->strings["Unable to locate contact information."] = "Nepodařilo se najít kontaktní informace."; -$a->strings["Messages"] = "Zprávy"; -$a->strings["Do you really want to delete this message?"] = "Opravdu chcete smazat tuto zprávu?"; -$a->strings["Message deleted."] = "Zpráva odstraněna."; -$a->strings["Conversation removed."] = "Konverzace odstraněna."; -$a->strings["No messages."] = "Žádné zprávy."; -$a->strings["Unknown sender - %s"] = "Neznámý odesilatel - %s"; -$a->strings["You and %s"] = "Vy a %s"; -$a->strings["%s and You"] = "%s a Vy"; -$a->strings["Delete conversation"] = "Odstranit konverzaci"; -$a->strings["D, d M Y - g:i A"] = "D M R - g:i A"; -$a->strings["%d message"] = array( - 0 => "%d zpráva", - 1 => "%d zprávy", - 2 => "%d zpráv", -); -$a->strings["Message not available."] = "Zpráva není k dispozici."; -$a->strings["Delete message"] = "Smazat zprávu"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Není k dispozici zabezpečená komunikace. Možná budete schopni reagovat z odesilatelovy profilové stránky."; -$a->strings["Send Reply"] = "Poslat odpověď"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s nemá rád %2\$s na %3\$s"; -$a->strings["Post successful."] = "Příspěvek úspěšně odeslán"; +$a->strings["Change profile photo"] = "Změnit profilovou fotografii"; +$a->strings["Create New Profile"] = "Vytvořit nový profil"; +$a->strings["Profile Image"] = "Profilový obrázek"; +$a->strings["visible to everybody"] = "viditelné pro všechny"; +$a->strings["Edit visibility"] = "Upravit viditelnost"; +$a->strings["Item not found"] = "Položka nenalezena"; +$a->strings["Edit post"] = "Upravit příspěvek"; +$a->strings["upload photo"] = "nahrát fotky"; +$a->strings["Attach file"] = "Přiložit soubor"; +$a->strings["attach file"] = "přidat soubor"; +$a->strings["web link"] = "webový odkaz"; +$a->strings["Insert video link"] = "Zadejte odkaz na video"; +$a->strings["video link"] = "odkaz na video"; +$a->strings["Insert audio link"] = "Zadejte odkaz na zvukový záznam"; +$a->strings["audio link"] = "odkaz na audio"; +$a->strings["Set your location"] = "Nastavte vaši polohu"; +$a->strings["set location"] = "nastavit místo"; +$a->strings["Clear browser location"] = "Odstranit adresu v prohlížeči"; +$a->strings["clear location"] = "vymazat místo"; +$a->strings["Permission settings"] = "Nastavení oprávnění"; +$a->strings["CC: email addresses"] = "skrytá kopie: e-mailové adresy"; +$a->strings["Public post"] = "Veřejný příspěvek"; +$a->strings["Set title"] = "Nastavit titulek"; +$a->strings["Categories (comma-separated list)"] = "Kategorie (čárkou oddělený seznam)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Příklad: bob@example.com, mary@example.com"; +$a->strings["This is Friendica, version"] = "Toto je Friendica, verze"; +$a->strings["running at web location"] = "běžící na webu"; +$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Pro získání dalších informací o projektu Friendica navštivte prosím Friendica.com."; +$a->strings["Bug reports and issues: please visit"] = "Pro hlášení chyb a námětů na změny navštivte:"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Návrhy, chválu, dary, apod. - prosím piště na \"info\" na Friendica - tečka com"; +$a->strings["Installed plugins/addons/apps:"] = "Instalované pluginy/doplňky/aplikace:"; +$a->strings["No installed plugins/addons/apps"] = "Nejsou žádné nainstalované doplňky/aplikace"; +$a->strings["Authorize application connection"] = "Povolit připojení aplikacím"; +$a->strings["Return to your app and insert this Securty Code:"] = "Vraťte se do vaší aplikace a zadejte tento bezpečnostní kód:"; +$a->strings["Please login to continue."] = "Pro pokračování se prosím přihlaste."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Chcete umožnit této aplikaci přístup k vašim příspěvkům a kontaktům a/nebo k vytváření Vašich nových příspěvků?"; +$a->strings["Remote privacy information not available."] = "Vzdálené soukromé informace nejsou k dispozici."; +$a->strings["Visible to:"] = "Viditelné pro:"; +$a->strings["Personal Notes"] = "Osobní poznámky"; $a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; $a->strings["Time Conversion"] = "Časová konverze"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica poskytuje tuto službu pro sdílení událostí s ostatními sítěmi a přáteli v neznámých časových zónách"; @@ -1131,16 +1174,34 @@ $a->strings["UTC time: %s"] = "UTC čas: %s"; $a->strings["Current timezone: %s"] = "Aktuální časové pásmo: %s"; $a->strings["Converted localtime: %s"] = "Převedený lokální čas : %s"; $a->strings["Please select your timezone:"] = "Prosím, vyberte své časové pásmo:"; -$a->strings["Save to Folder:"] = "Uložit do složky:"; -$a->strings["- select -"] = "- vyber -"; -$a->strings["Invalid profile identifier."] = "Neplatný identifikátor profilu."; -$a->strings["Profile Visibility Editor"] = "Editor viditelnosti profilu "; -$a->strings["Visible To"] = "Viditelný pro"; -$a->strings["All Contacts (with secure profile access)"] = "Všechny kontakty (se zabezpečeným přístupovým profilem )"; -$a->strings["No contacts."] = "Žádné kontakty."; -$a->strings["View Contacts"] = "Zobrazit kontakty"; -$a->strings["People Search"] = "Vyhledávání lidí"; -$a->strings["No matches"] = "Žádné shody"; +$a->strings["Poke/Prod"] = "Šťouchanec"; +$a->strings["poke, prod or do other things to somebody"] = "někoho šťouchnout nebo mu provést jinou věc"; +$a->strings["Recipient"] = "Příjemce"; +$a->strings["Choose what you wish to do to recipient"] = "Vyberte, co si přejete příjemci udělat"; +$a->strings["Make this post private"] = "Změnit tento příspěvek na soukromý"; +$a->strings["Total invitation limit exceeded."] = "Celkový limit pozvánek byl překročen"; +$a->strings["%s : Not a valid email address."] = "%s : není platná e-mailová adresa."; +$a->strings["Please join us on Friendica"] = "Prosím přidejte se k nám na Friendice"; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limit pozvánek byl překročen. Prosím kontaktujte vašeho administrátora webu."; +$a->strings["%s : Message delivery failed."] = "%s : Doručení zprávy se nezdařilo."; +$a->strings["%d message sent."] = array( + 0 => "%d zpráva odeslána.", + 1 => "%d zprávy odeslány.", + 2 => "%d zprávy odeslány.", +); +$a->strings["You have no more invitations available"] = "Nemáte k dispozici žádné další pozvánky"; +$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."] = "Navštivte %s pro seznam veřejných serverů, na kterých se můžete přidat. Členové Friendica se mohou navzájem propojovat, stejně tak jako se mohou přiopojit se členy mnoha dalších sociálních sítí."; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "K akceptaci této pozvánky prosím navštivte a registrujte se na %s nebo na kterékoliv jiném veřejném Friendica serveru."; +$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 servery jsou všechny propojené a vytváří tak rozsáhlou sociální síť s důrazem na soukromý a je pod kontrolou svých členů. Členové se mohou propojovat s mnoha dalšími tradičními sociálními sítěmi. Navštivte %s pro seznam alternativních Friendica serverů kde se můžete přidat."; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Omlouváme se. Systém nyní není nastaven tak, aby se připojil k ostatním veřejným serverům nebo umožnil pozvat nové členy."; +$a->strings["Send invitations"] = "Poslat pozvánky"; +$a->strings["Enter email addresses, one per line:"] = "Zadejte e-mailové adresy, jednu na řádek:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Jste srdečně pozván se připojit ke mně a k mým blízkým přátelům na Friendica - a pomoci nám vytvořit lepší sociální síť."; +$a->strings["You will need to supply this invitation code: \$invite_code"] = "Budete muset zadat kód této pozvánky: \$invite_code"; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Jakmile se zaregistrujete, prosím spojte se se mnou přes mou profilovu stránku na:"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Pro více informací o Friendica projektu a o tom, proč je tak důležitý, prosím navštivte http://friendica.com"; +$a->strings["Photo Albums"] = "Fotoalba"; +$a->strings["Contact Photos"] = "Fotogalerie kontaktu"; $a->strings["Upload New Photos"] = "Nahrát nové fotografie"; $a->strings["Contact information unavailable"] = "Kontakt byl zablokován"; $a->strings["Album not found."] = "Album nenalezeno."; @@ -1152,10 +1213,7 @@ $a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s byl označen v %2\$s $a->strings["a photo"] = "fotografie"; $a->strings["Image exceeds size limit of "] = "Velikost obrázku překračuje limit velikosti"; $a->strings["Image file is empty."] = "Soubor obrázku je prázdný."; -$a->strings["Unable to process image."] = "Obrázek není možné zprocesovat"; -$a->strings["Image upload failed."] = "Nahrání obrázku selhalo."; $a->strings["No photos selected"] = "Není vybrána žádná fotografie"; -$a->strings["Access to this item is restricted."] = "Přístup k této položce je omezen."; $a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Použil jste %1$.2f Mbajtů z %2$.2f Mbajtů úložiště fotografií."; $a->strings["Upload Photos"] = "Nahrání fotografií "; $a->strings["New album name: "] = "Název nového alba: "; @@ -1185,169 +1243,67 @@ $a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #cam $a->strings["Private photo"] = "Soukromé fotografie"; $a->strings["Public photo"] = "Veřejné fotografie"; $a->strings["Share"] = "Sdílet"; -$a->strings["View Album"] = "Zobrazit album"; $a->strings["Recent Photos"] = "Aktuální fotografie"; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Omlouváme se, možná je Váš soubor větší než je povolené maximum dle nastavení PHP"; -$a->strings["Or - did you try to upload an empty file?"] = "Nebo - nenahrával jste prázdný soubor?"; -$a->strings["File exceeds size limit of %d"] = "Velikost souboru přesáhla limit %d"; -$a->strings["File upload failed."] = "Nahrání souboru se nezdařilo."; -$a->strings["No videos selected"] = "Není vybráno žádné video"; -$a->strings["View Video"] = "Zobrazit video"; -$a->strings["Recent Videos"] = "Aktuální Videa"; -$a->strings["Upload New Videos"] = "Nahrát nová videa"; -$a->strings["Poke/Prod"] = "Šťouchanec"; -$a->strings["poke, prod or do other things to somebody"] = "někoho šťouchnout nebo mu provést jinou věc"; -$a->strings["Recipient"] = "Příjemce"; -$a->strings["Choose what you wish to do to recipient"] = "Vyberte, co si přejete příjemci udělat"; -$a->strings["Make this post private"] = "Změnit tento příspěvek na soukromý"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s následuje %3\$s uživatele %2\$s"; -$a->strings["Export account"] = "Exportovat účet"; -$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."] = "Exportujte svůj účet a své kontakty. Použijte tuto funkci pro vytvoření zálohy svého účtu a/nebo k přesunu na jiný server."; -$a->strings["Export all"] = "Exportovat vše"; -$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)"] = "Exportujte své informace k účtu, kontakty a vše své položky jako json. To může být velmi velký soubor a může to zabrat spoustu času. Tuto funkci použijte pro úplnou zálohu svého účtu(fotografie se neexportují)"; -$a->strings["Common Friends"] = "Společní přátelé"; -$a->strings["No contacts in common."] = "Žádné společné kontakty."; -$a->strings["Image exceeds size limit of %d"] = "Obrázek překročil limit velikosti %d"; -$a->strings["Wall Photos"] = "Fotografie na zdi"; -$a->strings["Image uploaded but image cropping failed."] = "Obrázek byl odeslán, ale jeho oříznutí se nesdařilo."; -$a->strings["Image size reduction [%s] failed."] = "Nepodařilo se snížit velikost obrázku [%s]."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Znovu načtěte stránku (Shift+F5) nebo vymažte cache prohlížeče, pokud se nové fotografie nezobrazí okamžitě."; -$a->strings["Unable to process image"] = "Obrázek nelze zpracovat "; -$a->strings["Upload File:"] = "Nahrát soubor:"; -$a->strings["Select a profile:"] = "Vybrat profil:"; -$a->strings["Upload"] = "Nahrát"; -$a->strings["skip this step"] = "přeskočit tento krok "; -$a->strings["select a photo from your photo albums"] = "Vybrat fotografii z Vašich fotoalb"; -$a->strings["Crop Image"] = "Oříznout obrázek"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Prosím, ořízněte tento obrázek pro optimální zobrazení."; -$a->strings["Done Editing"] = "Editace dokončena"; -$a->strings["Image uploaded successfully."] = "Obrázek byl úspěšně nahrán."; -$a->strings["Applications"] = "Aplikace"; -$a->strings["No installed applications."] = "Žádné nainstalované aplikace."; -$a->strings["Nothing new here"] = "Zde není nic nového"; -$a->strings["Clear notifications"] = "Smazat notifikace"; -$a->strings["Profile Match"] = "Shoda profilu"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Žádná klíčová slova k porovnání. Prosím, přidejte klíčová slova do Vašeho výchozího profilu."; -$a->strings["is interested in:"] = "zajímá se o:"; -$a->strings["Tag removed"] = "Štítek odstraněn"; -$a->strings["Remove Item Tag"] = "Odebrat štítek položky"; -$a->strings["Select a tag to remove: "] = "Vyberte štítek k odebrání: "; -$a->strings["Remove"] = "Odstranit"; -$a->strings["Event title and start time are required."] = "Název události a datum začátku jsou vyžadovány."; -$a->strings["l, F j"] = "l, F j"; -$a->strings["Edit event"] = "Editovat událost"; -$a->strings["link to source"] = "odkaz na zdroj"; -$a->strings["Create New Event"] = "Vytvořit novou událost"; -$a->strings["Previous"] = "Předchozí"; -$a->strings["hour:minute"] = "hodina:minuta"; -$a->strings["Event details"] = "Detaily události"; -$a->strings["Format is %s %s. Starting date and Title are required."] = "Formát je %s %s. Datum začátku a Název jsou vyžadovány."; -$a->strings["Event Starts:"] = "Událost začíná:"; -$a->strings["Required"] = "Vyžadováno"; -$a->strings["Finish date/time is not known or not relevant"] = "Datum/čas konce není zadán nebo není relevantní"; -$a->strings["Event Finishes:"] = "Akce končí:"; -$a->strings["Adjust for viewer timezone"] = "Nastavit časové pásmo pro uživatele s právem pro čtení"; -$a->strings["Description:"] = "Popis:"; -$a->strings["Title:"] = "Název:"; -$a->strings["Share this event"] = "Sdílet tuto událost"; -$a->strings["No potential page delegates located."] = "Žádní potenciální delegáti stránky nenalezeni."; -$a->strings["Delegate Page Management"] = "Správa delegátů stránky"; -$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."] = "Delegáti jsou schopni řídit všechny aspekty tohoto účtu / stránky, kromě základních nastavení účtu. Prosím, nepředávejte svůj osobní účet nikomu, komu úplně nevěříte.."; -$a->strings["Existing Page Managers"] = "Stávající správci stránky"; -$a->strings["Existing Page Delegates"] = "Stávající delegáti stránky "; -$a->strings["Potential Delegates"] = "Potenciální delegáti"; -$a->strings["Add"] = "Přidat"; -$a->strings["No entries."] = "Žádné záznamy."; -$a->strings["Contacts who are not members of a group"] = "Kontakty, které nejsou členy skupiny"; -$a->strings["Files"] = "Soubory"; -$a->strings["System down for maintenance"] = "Systém vypnut z důvodů údržby"; -$a->strings["Remove My Account"] = "Odstranit můj účet"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Tímto bude kompletně odstraněn váš účet. Jakmile bude účet odstraněn, nebude už možné ho obnovit."; -$a->strings["Please enter your password for verification:"] = "Prosím, zadejte své heslo pro ověření:"; -$a->strings["Friend suggestion sent."] = "Návrhy přátelství odeslány "; -$a->strings["Suggest Friends"] = "Navrhněte přátelé"; -$a->strings["Suggest a friend for %s"] = "Navrhněte přátelé pro uživatele %s"; -$a->strings["Unable to locate original post."] = "Nelze nalézt původní příspěvek."; -$a->strings["Empty post discarded."] = "Prázdný příspěvek odstraněn."; -$a->strings["System error. Post not saved."] = "Chyba systému. Příspěvek nebyl uložen."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Tato zpráva vám byla zaslána od %s, člena sociální sítě Friendica."; -$a->strings["You may visit them online at %s"] = "Můžete je navštívit online na adrese %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Pokud nechcete dostávat tyto zprávy, kontaktujte prosím odesilatele odpovědí na tento záznam."; -$a->strings["%s posted an update."] = "%s poslal aktualizaci."; -$a->strings["{0} wants to be your friend"] = "{0} chce být Vaším přítelem"; -$a->strings["{0} sent you a message"] = "{0} vám poslal zprávu"; -$a->strings["{0} requested registration"] = "{0} požaduje registraci"; -$a->strings["{0} commented %s's post"] = "{0} komentoval příspěvek uživatele %s"; -$a->strings["{0} liked %s's post"] = "{0} má rád příspěvek uživatele %s"; -$a->strings["{0} disliked %s's post"] = "{0} nemá rád příspěvek uživatele %s"; -$a->strings["{0} is now friends with %s"] = "{0} se skamarádil s %s"; -$a->strings["{0} posted"] = "{0} zasláno"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} označen %s' příspěvek s #%s"; -$a->strings["{0} mentioned you in a post"] = "{0} vás zmínil v příspěvku"; -$a->strings["OpenID protocol error. No ID returned."] = "Chyba OpenID protokolu. Navrátilo se žádné ID."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "Nenalezen účet a OpenID registrace na tomto serveru není dovolena."; -$a->strings["Login failed."] = "Přihlášení se nezdařilo."; -$a->strings["Invalid request identifier."] = "Neplatný identifikátor požadavku."; -$a->strings["Discard"] = "Odstranit"; -$a->strings["System"] = "Systém"; -$a->strings["Network"] = "Síť"; -$a->strings["Introductions"] = "Představení"; -$a->strings["Show Ignored Requests"] = "Zobrazit ignorované žádosti"; -$a->strings["Hide Ignored Requests"] = "Skrýt ignorované žádosti"; -$a->strings["Notification type: "] = "Typ oznámení: "; -$a->strings["Friend Suggestion"] = "Návrh přátelství"; -$a->strings["suggested by %s"] = "navrhl %s"; -$a->strings["Post a new friend activity"] = "Zveřejnit aktivitu nového přítele."; -$a->strings["if applicable"] = "je-li použitelné"; -$a->strings["Claims to be known to you: "] = "Vaši údajní známí: "; -$a->strings["yes"] = "ano"; -$a->strings["no"] = "ne"; -$a->strings["Approve as: "] = "Schválit jako: "; -$a->strings["Friend"] = "Přítel"; -$a->strings["Sharer"] = "Sdílené"; -$a->strings["Fan/Admirer"] = "Fanoušek / obdivovatel"; -$a->strings["Friend/Connect Request"] = "Přítel / žádost o připojení"; -$a->strings["New Follower"] = "Nový následovník"; -$a->strings["No introductions."] = "Žádné představení."; -$a->strings["Notifications"] = "Upozornění"; -$a->strings["%s liked %s's post"] = "Uživateli %s se líbí příspěvek uživatele %s"; -$a->strings["%s disliked %s's post"] = "Uživateli %s se nelíbí příspěvek uživatele %s"; -$a->strings["%s is now friends with %s"] = "%s se nyní přátelí s %s"; -$a->strings["%s created a new post"] = "%s vytvořil nový příspěvek"; -$a->strings["%s commented on %s's post"] = "%s okomentoval příspěvek uživatele %s'"; -$a->strings["No more network notifications."] = "Žádné další síťové upozornění."; -$a->strings["Network Notifications"] = "Upozornění Sítě"; -$a->strings["No more personal notifications."] = "Žádné další osobní upozornění."; -$a->strings["Personal Notifications"] = "Osobní upozornění"; -$a->strings["No more home notifications."] = "Žádné další domácí upozornění."; -$a->strings["Home Notifications"] = "Upozornění na vstupní straně"; -$a->strings["Total invitation limit exceeded."] = "Celkový limit pozvánek byl překročen"; -$a->strings["%s : Not a valid email address."] = "%s : není platná e-mailová adresa."; -$a->strings["Please join us on Friendica"] = "Prosím přidejte se k nám na Friendice"; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limit pozvánek byl překročen. Prosím kontaktujte vašeho administrátora webu."; -$a->strings["%s : Message delivery failed."] = "%s : Doručení zprávy se nezdařilo."; -$a->strings["%d message sent."] = array( - 0 => "%d zpráva odeslána.", - 1 => "%d zprávy odeslány.", - 2 => "%d zprávy odeslány.", -); -$a->strings["You have no more invitations available"] = "Nemáte k dispozici žádné další pozvánky"; -$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."] = "Navštivte %s pro seznam veřejných serverů, na kterých se můžete přidat. Členové Friendica se mohou navzájem propojovat, stejně tak jako se mohou přiopojit se členy mnoha dalších sociálních sítí."; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "K akceptaci této pozvánky prosím navštivte a registrujte se na %s nebo na kterékoliv jiném veřejném Friendica serveru."; -$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 servery jsou všechny propojené a vytváří tak rozsáhlou sociální síť s důrazem na soukromý a je pod kontrolou svých členů. Členové se mohou propojovat s mnoha dalšími tradičními sociálními sítěmi. Navštivte %s pro seznam alternativních Friendica serverů kde se můžete přidat."; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Omlouváme se. Systém nyní není nastaven tak, aby se připojil k ostatním veřejným serverům nebo umožnil pozvat nové členy."; -$a->strings["Send invitations"] = "Poslat pozvánky"; -$a->strings["Enter email addresses, one per line:"] = "Zadejte e-mailové adresy, jednu na řádek:"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Jste srdečně pozván se připojit ke mně a k mým blízkým přátelům na Friendica - a pomoci nám vytvořit lepší sociální síť."; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Budete muset zadat kód této pozvánky: \$invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Jakmile se zaregistrujete, prosím spojte se se mnou přes mou profilovu stránku na:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Pro více informací o Friendica projektu a o tom, proč je tak důležitý, prosím navštivte http://friendica.com"; -$a->strings["Manage Identities and/or Pages"] = "Správa identit a / nebo stránek"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Přepnutí mezi různými identitami nebo komunitními/skupinovými stránkami, které sdílí Vaše detaily účtu, nebo kterým jste přidělili oprávnění nastavovat přístupová práva."; -$a->strings["Select an identity to manage: "] = "Vyberte identitu pro správu: "; -$a->strings["Welcome to %s"] = "Vítá Vás %s"; -$a->strings["Friends of %s"] = "Přátelé uživatele %s"; -$a->strings["No friends to display."] = "Žádní přátelé k zobrazení"; +$a->strings["Account approved."] = "Účet schválen."; +$a->strings["Registration revoked for %s"] = "Registrace zrušena pro %s"; +$a->strings["Please login."] = "Přihlaste se, prosím."; +$a->strings["Move account"] = "Přesunout účet"; +$a->strings["You can import an account from another Friendica server."] = "Můžete importovat účet z jiného Friendica serveru."; +$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."] = "Musíte exportovat svůj účet na sterém serveru a nahrát ho zde. My následně vytvoříme Váš původní účet zde včetně všech kontaktů. Zároveň se pokusíme informovat všechny Vaše přátele, že jste se sem přestěhovali."; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Tato funkčnost je experimentální. Nemůžeme importovat kontakty z OSStatus sítí (statusnet/identi.ca) nebo z Diaspory"; +$a->strings["Account file"] = "Soubor s účtem"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "K exportu Vašeho účtu, jděte do \"Nastavení->Export vašich osobních dat\" a zvolte \" Export účtu\""; +$a->strings["Item not available."] = "Položka není k dispozici."; +$a->strings["Item was not found."] = "Položka nebyla nalezena."; +$a->strings["Delete this item?"] = "Odstranit tuto položku?"; +$a->strings["show fewer"] = "zobrazit méně"; +$a->strings["Update %s failed. See error logs."] = "Aktualizace %s selhala. Zkontrolujte protokol chyb."; +$a->strings["Create a New Account"] = "Vytvořit nový účet"; +$a->strings["Logout"] = "Odhlásit se"; +$a->strings["Nickname or Email address: "] = "Přezdívka nebo e-mailová adresa:"; +$a->strings["Password: "] = "Heslo: "; +$a->strings["Remember me"] = "Pamatuj si mne"; +$a->strings["Or login using OpenID: "] = "Nebo přihlášení pomocí OpenID: "; +$a->strings["Forgot your password?"] = "Zapomněli jste své heslo?"; +$a->strings["Website Terms of Service"] = "Podmínky použití serveru"; +$a->strings["terms of service"] = "podmínky použití"; +$a->strings["Website Privacy Policy"] = "Pravidla ochrany soukromí serveru"; +$a->strings["privacy policy"] = "Ochrana soukromí"; +$a->strings["Requested account is not available."] = "Požadovaný účet není dostupný."; +$a->strings["Edit profile"] = "Upravit profil"; +$a->strings["Message"] = "Zpráva"; +$a->strings["Profiles"] = "Profily"; +$a->strings["Manage/edit profiles"] = "Spravovat/upravit profily"; +$a->strings["Network:"] = "Síť:"; +$a->strings["g A l F d"] = "g A l F d"; +$a->strings["F d"] = "d. F"; +$a->strings["[today]"] = "[Dnes]"; +$a->strings["Birthday Reminders"] = "Připomínka narozenin"; +$a->strings["Birthdays this week:"] = "Narozeniny tento týden:"; +$a->strings["[No description]"] = "[Žádný popis]"; +$a->strings["Event Reminders"] = "Připomenutí událostí"; +$a->strings["Events this week:"] = "Události tohoto týdne:"; +$a->strings["Status"] = "Stav"; +$a->strings["Status Messages and Posts"] = "Statusové zprávy a příspěvky "; +$a->strings["Profile Details"] = "Detaily profilu"; +$a->strings["Videos"] = "Videa"; +$a->strings["Events and Calendar"] = "Události a kalendář"; +$a->strings["Only You Can See This"] = "Toto můžete vidět jen Vy"; +$a->strings["This entry was edited"] = "Tento záznam byl editován"; +$a->strings["ignore thread"] = "ignorovat vlákno"; +$a->strings["unignore thread"] = "přestat ignorovat vlákno"; +$a->strings["toggle ignore status"] = "přepnout stav Ignorování"; +$a->strings["ignored"] = "ignorován"; +$a->strings["Categories:"] = "Kategorie:"; +$a->strings["Filed under:"] = "Vyplněn pod:"; +$a->strings["via"] = "přes"; +$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."] = "\n\t\t\tThe friendica vývojáři uvolnili nedávno aktualizaci %s,\n\t\t\tale při pokusu o její instalaci se něco velmi nepovedlo.\n\t\t\tJe třeba to opravit a já to sám nedokážu. Prosím kontaktuj\n\t\t\tfriendica vývojáře, pokud mi s tím nepomůžeš ty sám. Moje databáze může být poškozena."; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Chybová zpráva je\n[pre]%s[/pre]"; +$a->strings["Errors encountered creating database tables."] = "Při vytváření databázových tabulek došlo k chybám."; +$a->strings["Errors encountered performing database changes."] = "Při provádění databázových změn došlo k chybám."; +$a->strings["Logged out."] = "Odhlášen."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Zaznamenali jsme problém s Vaším přihlášením prostřednictvím Vámi zadaným OpenID. Prosím ověřte si, že jste ID zadali správně. "; +$a->strings["The error message was:"] = "Chybová zpráva byla:"; $a->strings["Add New Contact"] = "Přidat nový kontakt"; $a->strings["Enter address or web location"] = "Zadejte adresu nebo umístění webu"; $a->strings["Example: bob@example.com, http://example.com/barbara"] = "Příklad: jan@příklad.cz, http://příklad.cz/jana"; @@ -1360,52 +1316,112 @@ $a->strings["Find People"] = "Nalézt lidi"; $a->strings["Enter name or interest"] = "Zadejte jméno nebo zájmy"; $a->strings["Connect/Follow"] = "Připojit / Následovat"; $a->strings["Examples: Robert Morgenstein, Fishing"] = "Příklady: Robert Morgenstein, rybaření"; +$a->strings["Similar Interests"] = "Podobné zájmy"; $a->strings["Random Profile"] = "Náhodný Profil"; +$a->strings["Invite Friends"] = "Pozvat přátele"; $a->strings["Networks"] = "Sítě"; $a->strings["All Networks"] = "Všechny sítě"; $a->strings["Saved Folders"] = "Uložené složky"; $a->strings["Everything"] = "Všechno"; $a->strings["Categories"] = "Kategorie"; -$a->strings["Click here to upgrade."] = "Klikněte zde pro aktualizaci."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Tato akce překročí limit nastavené Vaším předplatným."; -$a->strings["This action is not available under your subscription plan."] = "Tato akce není v rámci Vašeho předplatného dostupná."; -$a->strings["User not found."] = "Uživatel nenalezen"; -$a->strings["Daily posting limit of %d posts reached. The post was rejected."] = "Bylo dosaženo denního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut."; -$a->strings["Weekly posting limit of %d posts reached. The post was rejected."] = "Bylo týdenního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut."; -$a->strings["Monthly posting limit of %d posts reached. The post was rejected."] = "Bylo dosaženo měsíčního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut."; -$a->strings["There is no status with this id."] = "Není tu žádný status s tímto id."; -$a->strings["There is no conversation with this id."] = "Nemáme žádnou konverzaci s tímto id."; -$a->strings["Invalid request."] = "Neplatný požadavek."; -$a->strings["Invalid item."] = "Neplatná položka."; -$a->strings["Invalid action. "] = "Neplatná akce"; -$a->strings["DB error"] = "DB chyba"; -$a->strings["view full size"] = "zobrazit v plné velikosti"; -$a->strings["Starts:"] = "Začíná:"; -$a->strings["Finishes:"] = "Končí:"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Nelze nalézt záznam v DNS pro databázový server '%s'"; -$a->strings["(no subject)"] = "(Bez předmětu)"; -$a->strings["noreply"] = "neodpovídat"; -$a->strings["An invitation is required."] = "Pozvánka je vyžadována."; -$a->strings["Invitation could not be verified."] = "Pozvánka nemohla být ověřena."; -$a->strings["Invalid OpenID url"] = "Neplatný odkaz OpenID"; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Zaznamenali jsme problém s Vaším přihlášením prostřednictvím Vámi zadaným OpenID. Prosím ověřte si, že jste ID zadali správně. "; -$a->strings["The error message was:"] = "Chybová zpráva byla:"; -$a->strings["Please enter the required information."] = "Zadejte prosím požadované informace."; -$a->strings["Please use a shorter name."] = "Použijte prosím kratší jméno."; -$a->strings["Name too short."] = "Jméno je příliš krátké."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Nezdá se, že by to bylo vaše celé jméno (křestní jméno a příjmení)."; -$a->strings["Your email domain is not among those allowed on this site."] = "Váš e-mailová doména není na tomto serveru mezi povolenými."; -$a->strings["Not a valid email address."] = "Neplatná e-mailová adresa."; -$a->strings["Cannot use that email."] = "Tento e-mail nelze použít."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Vaše \"přezdívka\" může obsahovat pouze \"a-z\", \"0-9\", \"-\", a \"_\", a musí začínat písmenem."; -$a->strings["Nickname is already registered. Please choose another."] = "Přezdívka je již registrována. Prosím vyberte jinou."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Tato přezdívka již zde byla použita a nemůže být využita znovu. Prosím vyberete si jinou."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "Závažná chyba: Generování bezpečnostních klíčů se nezdařilo."; -$a->strings["An error occurred during registration. Please try again."] = "Došlo k chybě při registraci. Zkuste to prosím znovu."; -$a->strings["An error occurred creating your default profile. Please try again."] = "Došlo k chybě při vytváření Vašeho výchozího profilu. Zkuste to prosím znovu."; -$a->strings["Friends"] = "Přátelé"; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\n\t\tDrahý %1\$s,\n\t\t\tDěkujeme Vám za registraci na %2\$s. Váš účet byl vytvořen.\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."] = "\n\t\tVaše přihlašovací údaje jsou následující:\n\t\t\tAdresa webu:\t%3\$s\n\t\t\tpřihlašovací jméno:\t%1\$s\n\t\t\theslo:\t%5\$s\n\n\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou.\n\n\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné.\n\t\tPokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\n\t\tDíky a vítejte na %2\$s."; +$a->strings["General Features"] = "Obecné funkčnosti"; +$a->strings["Multiple Profiles"] = "Vícenásobné profily"; +$a->strings["Ability to create multiple profiles"] = "Schopnost vytvořit vícenásobné profily"; +$a->strings["Post Composition Features"] = "Nastavení vytváření příspěvků"; +$a->strings["Richtext Editor"] = "Richtext Editor"; +$a->strings["Enable richtext editor"] = "Povolit richtext editor"; +$a->strings["Post Preview"] = "Náhled příspěvku"; +$a->strings["Allow previewing posts and comments before publishing them"] = "Povolit náhledy příspěvků a komentářů před jejich zveřejněním"; +$a->strings["Auto-mention Forums"] = "Automaticky zmíněná Fóra"; +$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Přidat/odebrat zmínku, když stránka fóra je označena/odznačena v ACL okně"; +$a->strings["Network Sidebar Widgets"] = "Síťové postranní widgety"; +$a->strings["Search by Date"] = "Vyhledávat dle Data"; +$a->strings["Ability to select posts by date ranges"] = "Možnost označit příspěvky dle časového intervalu"; +$a->strings["Group Filter"] = "Skupinový Filtr"; +$a->strings["Enable widget to display Network posts only from selected group"] = "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené skupiny"; +$a->strings["Network Filter"] = "Síťový Filtr"; +$a->strings["Enable widget to display Network posts only from selected network"] = "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené sítě"; +$a->strings["Save search terms for re-use"] = "Uložit kritéria vyhledávání pro znovupoužití"; +$a->strings["Network Tabs"] = "Síťové záložky"; +$a->strings["Network Personal Tab"] = "Osobní síťový záložka "; +$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Povolit záložku pro zobrazení pouze síťových příspěvků, na které jste reagoval "; +$a->strings["Network New Tab"] = "Nová záložka síť"; +$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Povolit záložku pro zobrazení pouze nových příspěvků (za posledních 12 hodin)"; +$a->strings["Network Shared Links Tab"] = "záložka Síťové sdílené odkazy "; +$a->strings["Enable tab to display only Network posts with links in them"] = "Povolit záložky pro zobrazování pouze Síťových příspěvků s vazbou na ně"; +$a->strings["Post/Comment Tools"] = "Nástroje Příspěvků/Komentářů"; +$a->strings["Multiple Deletion"] = "Násobné mazání"; +$a->strings["Select and delete multiple posts/comments at once"] = "Označit a smazat více "; +$a->strings["Edit Sent Posts"] = "Editovat Odeslané příspěvky"; +$a->strings["Edit and correct posts and comments after sending"] = "Editovat a opravit příspěvky a komentáře po odeslání"; +$a->strings["Tagging"] = "Štítkování"; +$a->strings["Ability to tag existing posts"] = "Schopnost přidat štítky ke stávajícím příspvěkům"; +$a->strings["Post Categories"] = "Kategorie příspěvků"; +$a->strings["Add categories to your posts"] = "Přidat kategorie k Vašim příspěvkům"; +$a->strings["Ability to file posts under folders"] = "Možnost řadit příspěvky do složek"; +$a->strings["Dislike Posts"] = "Označit příspěvky jako neoblíbené"; +$a->strings["Ability to dislike posts/comments"] = "Možnost označit příspěvky/komentáře jako neoblíbené"; +$a->strings["Star Posts"] = "Příspěvky s hvězdou"; +$a->strings["Ability to mark special posts with a star indicator"] = "Možnost označit příspěvky s indikátorem hvězdy"; +$a->strings["Mute Post Notifications"] = "Utlumit upozornění na přísvěvky"; +$a->strings["Ability to mute notifications for a thread"] = "Možnost stlumit upozornění pro vlákno"; +$a->strings["Connect URL missing."] = "Chybí URL adresa."; +$a->strings["This site is not configured to allow communications with other networks."] = "Tento web není nakonfigurován tak, aby umožňoval komunikaci s ostatními sítěmi."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Nenalezen žádný kompatibilní komunikační protokol nebo kanál."; +$a->strings["The profile address specified does not provide adequate information."] = "Uvedená adresa profilu neposkytuje dostatečné informace."; +$a->strings["An author or name was not found."] = "Autor nebo jméno nenalezeno"; +$a->strings["No browser URL could be matched to this address."] = "Této adrese neodpovídá žádné URL prohlížeče."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Není možné namapovat adresu identity ve stylu @ s žádným možným protokolem ani emailovým kontaktem."; +$a->strings["Use mailto: in front of address to force email check."] = "Použite mailo: před adresou k vynucení emailové kontroly."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Zadaná adresa profilu patří do sítě, která byla na tomto serveru zakázána."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Omezený profil. Tato osoba nebude schopna od Vás přijímat přímé / osobní sdělení."; +$a->strings["Unable to retrieve contact information."] = "Nepodařilo se získat kontaktní informace."; +$a->strings["following"] = "následující"; +$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."] = "Dříve smazaná skupina s tímto jménem byla obnovena. Stávající oprávnění může ovlivnit tuto skupinu a její budoucí členy. Pokud to není to, co jste chtěli, vytvořte, prosím, další skupinu s jiným názvem."; +$a->strings["Default privacy group for new contacts"] = "Defaultní soukromá skrupina pro nové kontakty."; +$a->strings["Everybody"] = "Všichni"; +$a->strings["edit"] = "editovat"; +$a->strings["Edit group"] = "Editovat skupinu"; +$a->strings["Create a new group"] = "Vytvořit novou skupinu"; +$a->strings["Contacts not in any group"] = "Kontakty, které nejsou v žádné skupině"; +$a->strings["Miscellaneous"] = "Různé"; +$a->strings["year"] = "rok"; +$a->strings["month"] = "měsíc"; +$a->strings["day"] = "den"; +$a->strings["never"] = "nikdy"; +$a->strings["less than a second ago"] = "méně než před sekundou"; +$a->strings["years"] = "let"; +$a->strings["months"] = "měsíců"; +$a->strings["week"] = "týdnem"; +$a->strings["weeks"] = "týdny"; +$a->strings["days"] = "dnů"; +$a->strings["hour"] = "hodina"; +$a->strings["hours"] = "hodin"; +$a->strings["minute"] = "minuta"; +$a->strings["minutes"] = "minut"; +$a->strings["second"] = "sekunda"; +$a->strings["seconds"] = "sekund"; +$a->strings["%1\$d %2\$s ago"] = "před %1\$d %2\$s"; +$a->strings["%s's birthday"] = "%s má narozeniny"; +$a->strings["Happy Birthday %s"] = "Veselé narozeniny %s"; +$a->strings["Visible to everybody"] = "Viditelné pro všechny"; +$a->strings["show"] = "zobrazit"; +$a->strings["don't show"] = "nikdy nezobrazit"; +$a->strings["[no subject]"] = "[bez předmětu]"; +$a->strings["stopped following"] = "následování zastaveno"; +$a->strings["Poke"] = "Šťouchnout"; +$a->strings["View Status"] = "Zobrazit Status"; +$a->strings["View Profile"] = "Zobrazit Profil"; +$a->strings["View Photos"] = "Zobrazit Fotky"; +$a->strings["Network Posts"] = "Zobrazit Příspěvky sítě"; +$a->strings["Edit Contact"] = "Editovat Kontakty"; +$a->strings["Drop Contact"] = "Odstranit kontakt"; +$a->strings["Send PM"] = "Poslat soukromou zprávu"; +$a->strings["Welcome "] = "Vítejte "; +$a->strings["Please upload a profile photo."] = "Prosím nahrejte profilovou fotografii"; +$a->strings["Welcome back "] = "Vítejte zpět "; +$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."] = "Formulářový bezpečnostní token nebyl správný. To pravděpodobně nastalo kvůli tom, že formulář byl otevřen příliš dlouho (>3 hodiny) před jeho odesláním."; +$a->strings["event"] = "událost"; $a->strings["%1\$s poked %2\$s"] = "%1\$s šťouchnul %2\$s"; $a->strings["poked"] = "šťouchnut"; $a->strings["post/item"] = "příspěvek/položka"; @@ -1413,13 +1429,6 @@ $a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "uživatel %1\$s označi $a->strings["remove"] = "odstranit"; $a->strings["Delete Selected Items"] = "Smazat vybrané položky"; $a->strings["Follow Thread"] = "Následovat vlákno"; -$a->strings["View Status"] = "Zobrazit Status"; -$a->strings["View Profile"] = "Zobrazit Profil"; -$a->strings["View Photos"] = "Zobrazit Fotky"; -$a->strings["Network Posts"] = "Zobrazit Příspěvky sítě"; -$a->strings["Edit Contact"] = "Editovat Kontakty"; -$a->strings["Send PM"] = "Poslat soukromou zprávu"; -$a->strings["Poke"] = "Šťouchnout"; $a->strings["%s likes this."] = "%s se to líbí."; $a->strings["%s doesn't like this."] = "%s se to nelíbí."; $a->strings["%2\$d people like this"] = "%2\$d lidem se to líbí"; @@ -1440,19 +1449,7 @@ $a->strings["permissions"] = "oprávnění"; $a->strings["Post to Groups"] = "Zveřejnit na Groups"; $a->strings["Post to Contacts"] = "Zveřejnit na Groups"; $a->strings["Private post"] = "Soukromý příspěvek"; -$a->strings["Logged out."] = "Odhlášen."; -$a->strings["Error decoding account file"] = "Chyba dekódování uživatelského účtu"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Chyba! V datovém souboru není označení verze! Je to opravdu soubor s účtem Friendica?"; -$a->strings["Error! Cannot check nickname"] = "Chyba! Nelze ověřit přezdívku"; -$a->strings["User '%s' already exists on this server!"] = "Uživatel '%s' již na tomto serveru existuje!"; -$a->strings["User creation error"] = "Chyba vytváření uživatele"; -$a->strings["User profile creation error"] = "Chyba vytváření uživatelského účtu"; -$a->strings["%d contact not imported"] = array( - 0 => "%d kontakt nenaimporován", - 1 => "%d kontaktů nenaimporováno", - 2 => "%d kontakty nenaimporovány", -); -$a->strings["Done. You can now login with your username and password"] = "Hotovo. Nyní se můžete přihlásit se svými uživatelským účtem a heslem"; +$a->strings["view full size"] = "zobrazit v plné velikosti"; $a->strings["newer"] = "novější"; $a->strings["older"] = "starší"; $a->strings["prev"] = "předchozí"; @@ -1517,90 +1514,68 @@ $a->strings["November"] = "Listopadu"; $a->strings["December"] = "Prosinec"; $a->strings["bytes"] = "bytů"; $a->strings["Click to open/close"] = "Klikněte pro otevření/zavření"; +$a->strings["default"] = "standardní"; $a->strings["Select an alternate language"] = "Vyběr alternativního jazyka"; $a->strings["activity"] = "aktivita"; $a->strings["post"] = "příspěvek"; $a->strings["Item filed"] = "Položka vyplněna"; -$a->strings["Friendica Notification"] = "Friendica Notifikace"; -$a->strings["Thank You,"] = "Děkujeme, "; -$a->strings["%s Administrator"] = "%s Administrátor"; -$a->strings["%s "] = "%s "; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Upozornění] Obdržena nová zpráva na %s"; -$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s Vám poslal novou soukromou zprávu na %2\$s."; -$a->strings["%1\$s sent you %2\$s."] = "%1\$s Vám poslal %2\$s."; -$a->strings["a private message"] = "soukromá zpráva"; -$a->strings["Please visit %s to view and/or reply to your private messages."] = "Prosím navštivte %s pro zobrazení Vašich soukromých zpráv a možnost na ně odpovědět."; -$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s okomentoval na [url=%2\$s]%3\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s okomentoval na [url=%2\$s]%3\$s's %4\$s[/url]"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s okomentoval na [url=%2\$s]Váš %3\$s[/url]"; -$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Upozornění] Komentář ke konverzaci #%1\$d od %2\$s"; -$a->strings["%s commented on an item/conversation you have been following."] = "Uživatel %s okomentoval vámi sledovanou položku/konverzaci."; -$a->strings["Please visit %s to view and/or reply to the conversation."] = "Prosím navštivte %s pro zobrazení konverzace a možnosti odpovědět."; -$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Upozornění] %s umístěn na Vaši profilovou zeď"; -$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s přidal příspěvek na Vaši profilovou zeď na %2\$s"; -$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s napřidáno na [url=%2\$s]na Vaši zeď[/url]"; -$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Upozornění] %s Vás označil"; -$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s Vás označil na %2\$s"; -$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]Vás označil[/url]."; -$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notify] %s nasdílel nový příspěvek"; -$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s nasdílel nový příspěvek na %2\$s"; -$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]nasdílel příspěvek[/url]."; -$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Upozornění] %1\$s Vás šťouchnul"; -$a->strings["%1\$s poked you at %2\$s"] = "%1\$s Vás šťouchnul na %2\$s"; -$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "Uživatel %1\$s [url=%2\$s]Vás šťouchnul[/url]."; -$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Upozornění] %s označil Váš příspěvek"; -$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s označil Váš příspěvek na %2\$s"; -$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s označil [url=%2\$s]Váš příspěvek[/url]"; -$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Upozornění] Obdrženo přestavení"; -$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Obdržel jste žádost o spojení od '%1\$s' na %2\$s"; -$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Obdržel jste [url=%1\$s]žádost o spojení[/url] od %2\$s."; -$a->strings["You may visit their profile at %s"] = "Můžete navštívit jejich profil na %s"; -$a->strings["Please visit %s to approve or reject the introduction."] = "Prosím navštivte %s pro schválení či zamítnutí představení."; -$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Upozornění] Nový člověk s vámi sdílí"; -$a->strings["%1\$s is sharing with you at %2\$s"] = "uživatel %1\$s sdílí s vámi ma %2\$s"; -$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Upozornění] Máte nového následovníka"; -$a->strings["You have a new follower at %2\$s : %1\$s"] = "Máte nového následovníka na %2\$s : %1\$s"; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Upozornění] Obdržen návrh na přátelství"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Obdržel jste návrh přátelství od '%1\$s' na %2\$s"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Obdržel jste [url=%1\$s]návrh přátelství[/url] s %2\$s from %3\$s."; -$a->strings["Name:"] = "Jméno:"; -$a->strings["Photo:"] = "Foto:"; -$a->strings["Please visit %s to approve or reject the suggestion."] = "Prosím navštivte %s pro schválení či zamítnutí doporučení."; -$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Upozornění] Spojení akceptováno"; -$a->strings["'%1\$s' has acepted your connection request at %2\$s"] = "'%1\$s' akceptoval váš požadavek na spojení na %2\$s"; -$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s akceptoval váš [url=%1\$s]požadavek na spojení[/url]."; -$a->strings["You are now mutual friends and may exchange status updates, photos, and email\n\twithout restriction."] = "Jste nyní vzájemnými přáteli a můžete si vyměňovat aktualizace statusu, fotografií a emailů\nbez omezení."; -$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Prosím navštivte %s pokud chcete změnit tento vztah."; -$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' vás přijal jako \"fanouška\", což omezuje některé formy komunikace - jako jsou soukromé zprávy a některé interakce na profilech. Pokud se jedná o celebritu, případně o komunitní stránky, pak bylo toto nastavení provedeno automaticky.."; -$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future. "] = "''%1\$s' se může rozhodnout rozšířit tento vztah na oboustraný nebo méně restriktivní"; -$a->strings["[Friendica System:Notify] registration request"] = "[Systém Friendica :Upozornění] registrační požadavek"; -$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Obdržel jste požadavek na registraci od '%1\$s' na %2\$s"; -$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Obdržel jste [url=%1\$s]požadavek na registraci[/url] od '%2\$s'."; -$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Plné jméno:\t%1\$s\\nUmístění webu:\t%2\$s\\nPřihlašovací účet:\t%3\$s (%4\$s)"; -$a->strings["Please visit %s to approve or reject the request."] = "Prosím navštivte %s k odsouhlasení nebo k zamítnutí požadavku."; +$a->strings["Image/photo"] = "Obrázek/fotografie"; +$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; +$a->strings["%s wrote the following post"] = "%s napsal následující příspěvek"; +$a->strings["$1 wrote:"] = "$1 napsal:"; +$a->strings["Encrypted content"] = "Šifrovaný obsah"; +$a->strings["(no subject)"] = "(Bez předmětu)"; +$a->strings["noreply"] = "neodpovídat"; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Nelze nalézt záznam v DNS pro databázový server '%s'"; +$a->strings["Unknown | Not categorised"] = "Neznámé | Nezařazeno"; +$a->strings["Block immediately"] = "Okamžitě blokovat "; +$a->strings["Shady, spammer, self-marketer"] = "pochybný, spammer, self-makerter"; +$a->strings["Known to me, but no opinion"] = "Znám ho ale, ale bez rozhodnutí"; +$a->strings["OK, probably harmless"] = "OK, pravděpodobně neškodný"; +$a->strings["Reputable, has my trust"] = "Renomovaný, má mou důvěru"; +$a->strings["Weekly"] = "Týdenně"; +$a->strings["Monthly"] = "Měsíčně"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$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 konektor"; +$a->strings["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = "App.net"; $a->strings[" on Last.fm"] = " na Last.fm"; -$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."] = "Dříve smazaná skupina s tímto jménem byla obnovena. Stávající oprávnění může ovlivnit tuto skupinu a její budoucí členy. Pokud to není to, co jste chtěli, vytvořte, prosím, další skupinu s jiným názvem."; -$a->strings["Default privacy group for new contacts"] = "Defaultní soukromá skrupina pro nové kontakty."; -$a->strings["Everybody"] = "Všichni"; -$a->strings["edit"] = "editovat"; -$a->strings["Edit group"] = "Editovat skupinu"; -$a->strings["Create a new group"] = "Vytvořit novou skupinu"; -$a->strings["Contacts not in any group"] = "Kontakty, které nejsou v žádné skupině"; -$a->strings["Connect URL missing."] = "Chybí URL adresa."; -$a->strings["This site is not configured to allow communications with other networks."] = "Tento web není nakonfigurován tak, aby umožňoval komunikaci s ostatními sítěmi."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Nenalezen žádný kompatibilní komunikační protokol nebo kanál."; -$a->strings["The profile address specified does not provide adequate information."] = "Uvedená adresa profilu neposkytuje dostatečné informace."; -$a->strings["An author or name was not found."] = "Autor nebo jméno nenalezeno"; -$a->strings["No browser URL could be matched to this address."] = "Této adrese neodpovídá žádné URL prohlížeče."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Není možné namapovat adresu identity ve stylu @ s žádným možným protokolem ani emailovým kontaktem."; -$a->strings["Use mailto: in front of address to force email check."] = "Použite mailo: před adresou k vynucení emailové kontroly."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "Zadaná adresa profilu patří do sítě, která byla na tomto serveru zakázána."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Omezený profil. Tato osoba nebude schopna od Vás přijímat přímé / osobní sdělení."; -$a->strings["Unable to retrieve contact information."] = "Nepodařilo se získat kontaktní informace."; -$a->strings["following"] = "následující"; -$a->strings["[no subject]"] = "[bez předmětu]"; +$a->strings["Starts:"] = "Začíná:"; +$a->strings["Finishes:"] = "Končí:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Narozeniny:"; +$a->strings["Age:"] = "Věk:"; +$a->strings["for %1\$d %2\$s"] = "pro %1\$d %2\$s"; +$a->strings["Tags:"] = "Štítky:"; +$a->strings["Religion:"] = "Náboženství:"; +$a->strings["Hobbies/Interests:"] = "Koníčky/zájmy:"; +$a->strings["Contact information and Social Networks:"] = "Kontaktní informace a sociální sítě:"; +$a->strings["Musical interests:"] = "Hudební vkus:"; +$a->strings["Books, literature:"] = "Knihy, literatura:"; +$a->strings["Television:"] = "Televize:"; +$a->strings["Film/dance/culture/entertainment:"] = "Film/tanec/kultura/zábava:"; +$a->strings["Love/Romance:"] = "Láska/romance"; +$a->strings["Work/employment:"] = "Práce/zaměstnání:"; +$a->strings["School/education:"] = "Škola/vzdělávání:"; +$a->strings["Click here to upgrade."] = "Klikněte zde pro aktualizaci."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Tato akce překročí limit nastavené Vaším předplatným."; +$a->strings["This action is not available under your subscription plan."] = "Tato akce není v rámci Vašeho předplatného dostupná."; $a->strings["End this session"] = "Konec této relace"; +$a->strings["Your posts and conversations"] = "Vaše příspěvky a konverzace"; +$a->strings["Your profile page"] = "Vaše profilová stránka"; +$a->strings["Your photos"] = "Vaše fotky"; $a->strings["Your videos"] = "Vaše videa"; +$a->strings["Your events"] = "Vaše události"; +$a->strings["Personal notes"] = "Osobní poznámky"; $a->strings["Your personal notes"] = "Vaše osobní poznámky"; $a->strings["Sign in"] = "Přihlásit se"; $a->strings["Home Page"] = "Domácí stránka"; @@ -1610,6 +1585,7 @@ $a->strings["Apps"] = "Aplikace"; $a->strings["Addon applications, utilities, games"] = "Doplňkové aplikace, nástroje, hry"; $a->strings["Search site content"] = "Hledání na stránkách tohoto webu"; $a->strings["Conversations on this site"] = "Konverzace na tomto webu"; +$a->strings["Conversations on the network"] = ""; $a->strings["Directory"] = "Adresář"; $a->strings["People directory"] = "Adresář"; $a->strings["Information"] = "Informace"; @@ -1631,123 +1607,39 @@ $a->strings["Manage/edit friends and contacts"] = "Spravovat/upravit přátelé $a->strings["Site setup and configuration"] = "Nastavení webu a konfigurace"; $a->strings["Navigation"] = "Navigace"; $a->strings["Site map"] = "Mapa webu"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Narozeniny:"; -$a->strings["Age:"] = "Věk:"; -$a->strings["for %1\$d %2\$s"] = "pro %1\$d %2\$s"; -$a->strings["Tags:"] = "Štítky:"; -$a->strings["Religion:"] = "Náboženství:"; -$a->strings["Hobbies/Interests:"] = "Koníčky/zájmy:"; -$a->strings["Contact information and Social Networks:"] = "Kontaktní informace a sociální sítě:"; -$a->strings["Musical interests:"] = "Hudební vkus:"; -$a->strings["Books, literature:"] = "Knihy, literatura:"; -$a->strings["Television:"] = "Televize:"; -$a->strings["Film/dance/culture/entertainment:"] = "Film/tanec/kultura/zábava:"; -$a->strings["Love/Romance:"] = "Láska/romance"; -$a->strings["Work/employment:"] = "Práce/zaměstnání:"; -$a->strings["School/education:"] = "Škola/vzdělávání:"; -$a->strings["Image/photo"] = "Obrázek/fotografie"; -$a->strings["%2\$s %3\$s"] = "%2\$s %3\$s"; -$a->strings["%s wrote the following post"] = "%s napsal následující příspěvek"; -$a->strings["$1 wrote:"] = "$1 napsal:"; -$a->strings["Encrypted content"] = "Šifrovaný obsah"; -$a->strings["Unknown | Not categorised"] = "Neznámé | Nezařazeno"; -$a->strings["Block immediately"] = "Okamžitě blokovat "; -$a->strings["Shady, spammer, self-marketer"] = "pochybný, spammer, self-makerter"; -$a->strings["Known to me, but no opinion"] = "Znám ho ale, ale bez rozhodnutí"; -$a->strings["OK, probably harmless"] = "OK, pravděpodobně neškodný"; -$a->strings["Reputable, has my trust"] = "Renomovaný, má mou důvěru"; -$a->strings["Weekly"] = "Týdenně"; -$a->strings["Monthly"] = "Měsíčně"; -$a->strings["OStatus"] = "OStatus"; -$a->strings["RSS/Atom"] = "RSS/Atom"; -$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 konektor"; -$a->strings["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = "App.net"; -$a->strings["Miscellaneous"] = "Různé"; -$a->strings["year"] = "rok"; -$a->strings["month"] = "měsíc"; -$a->strings["day"] = "den"; -$a->strings["never"] = "nikdy"; -$a->strings["less than a second ago"] = "méně než před sekundou"; -$a->strings["years"] = "let"; -$a->strings["months"] = "měsíců"; -$a->strings["week"] = "týdnem"; -$a->strings["weeks"] = "týdny"; -$a->strings["days"] = "dnů"; -$a->strings["hour"] = "hodina"; -$a->strings["hours"] = "hodin"; -$a->strings["minute"] = "minuta"; -$a->strings["minutes"] = "minut"; -$a->strings["second"] = "sekunda"; -$a->strings["seconds"] = "sekund"; -$a->strings["%1\$d %2\$s ago"] = "před %1\$d %2\$s"; -$a->strings["%s's birthday"] = "%s má narozeniny"; -$a->strings["Happy Birthday %s"] = "Veselé narozeniny %s"; -$a->strings["General Features"] = "Obecné funkčnosti"; -$a->strings["Multiple Profiles"] = "Vícenásobné profily"; -$a->strings["Ability to create multiple profiles"] = "Schopnost vytvořit vícenásobné profily"; -$a->strings["Post Composition Features"] = "Nastavení vytváření příspěvků"; -$a->strings["Richtext Editor"] = "Richtext Editor"; -$a->strings["Enable richtext editor"] = "Povolit richtext editor"; -$a->strings["Post Preview"] = "Náhled příspěvku"; -$a->strings["Allow previewing posts and comments before publishing them"] = "Povolit náhledy příspěvků a komentářů před jejich zveřejněním"; -$a->strings["Auto-mention Forums"] = "Automaticky zmíněná Fóra"; -$a->strings["Add/remove mention when a fourm page is selected/deselected in ACL window."] = "Přidat/odebrat zmínku, když stránka fóra je označena/odznačena v ACL okně"; -$a->strings["Network Sidebar Widgets"] = "Síťové postranní widgety"; -$a->strings["Search by Date"] = "Vyhledávat dle Data"; -$a->strings["Ability to select posts by date ranges"] = "Možnost označit příspěvky dle časového intervalu"; -$a->strings["Group Filter"] = "Skupinový Filtr"; -$a->strings["Enable widget to display Network posts only from selected group"] = "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené skupiny"; -$a->strings["Network Filter"] = "Síťový Filtr"; -$a->strings["Enable widget to display Network posts only from selected network"] = "Povolit widget pro zobrazení příspěvků v Síti pouze ze zvolené sítě"; -$a->strings["Save search terms for re-use"] = "Uložit kritéria vyhledávání pro znovupoužití"; -$a->strings["Network Tabs"] = "Síťové záložky"; -$a->strings["Network Personal Tab"] = "Osobní síťový záložka "; -$a->strings["Enable tab to display only Network posts that you've interacted on"] = "Povolit záložku pro zobrazení pouze síťových příspěvků, na které jste reagoval "; -$a->strings["Network New Tab"] = "Nová záložka síť"; -$a->strings["Enable tab to display only new Network posts (from the last 12 hours)"] = "Povolit záložku pro zobrazení pouze nových příspěvků (za posledních 12 hodin)"; -$a->strings["Network Shared Links Tab"] = "záložka Síťové sdílené odkazy "; -$a->strings["Enable tab to display only Network posts with links in them"] = "Povolit záložky pro zobrazování pouze Síťových příspěvků s vazbou na ně"; -$a->strings["Post/Comment Tools"] = "Nástroje Příspěvků/Komentářů"; -$a->strings["Multiple Deletion"] = "Násobné mazání"; -$a->strings["Select and delete multiple posts/comments at once"] = "Označit a smazat více "; -$a->strings["Edit Sent Posts"] = "Editovat Odeslané příspěvky"; -$a->strings["Edit and correct posts and comments after sending"] = "Editovat a opravit příspěvky a komentáře po odeslání"; -$a->strings["Tagging"] = "Štítkování"; -$a->strings["Ability to tag existing posts"] = "Schopnost přidat štítky ke stávajícím příspvěkům"; -$a->strings["Post Categories"] = "Kategorie příspěvků"; -$a->strings["Add categories to your posts"] = "Přidat kategorie k Vašim příspěvkům"; -$a->strings["Ability to file posts under folders"] = "Možnost řadit příspěvky do složek"; -$a->strings["Dislike Posts"] = "Označit příspěvky jako neoblíbené"; -$a->strings["Ability to dislike posts/comments"] = "Možnost označit příspěvky/komentáře jako neoblíbené"; -$a->strings["Star Posts"] = "Příspěvky s hvězdou"; -$a->strings["Ability to mark special posts with a star indicator"] = "Možnost označit příspěvky s indikátorem hvězdy"; -$a->strings["Mute Post Notifications"] = "Utlumit upozornění na přísvěvky"; -$a->strings["Ability to mute notifications for a thread"] = "Možnost stlumit upozornění pro vlákno"; +$a->strings["User not found."] = "Uživatel nenalezen"; +$a->strings["Daily posting limit of %d posts reached. The post was rejected."] = "Bylo dosaženo denního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut."; +$a->strings["Weekly posting limit of %d posts reached. The post was rejected."] = "Bylo týdenního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut."; +$a->strings["Monthly posting limit of %d posts reached. The post was rejected."] = "Bylo dosaženo měsíčního limitu %d odeslaných příspěvků. Příspěvek byl odmítnut."; +$a->strings["There is no status with this id."] = "Není tu žádný status s tímto id."; +$a->strings["There is no conversation with this id."] = "Nemáme žádnou konverzaci s tímto id."; +$a->strings["Invalid request."] = "Neplatný požadavek."; +$a->strings["Invalid item."] = "Neplatná položka."; +$a->strings["Invalid action. "] = "Neplatná akce"; +$a->strings["DB error"] = "DB chyba"; +$a->strings["An invitation is required."] = "Pozvánka je vyžadována."; +$a->strings["Invitation could not be verified."] = "Pozvánka nemohla být ověřena."; +$a->strings["Invalid OpenID url"] = "Neplatný odkaz OpenID"; +$a->strings["Please enter the required information."] = "Zadejte prosím požadované informace."; +$a->strings["Please use a shorter name."] = "Použijte prosím kratší jméno."; +$a->strings["Name too short."] = "Jméno je příliš krátké."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Nezdá se, že by to bylo vaše celé jméno (křestní jméno a příjmení)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Váš e-mailová doména není na tomto serveru mezi povolenými."; +$a->strings["Not a valid email address."] = "Neplatná e-mailová adresa."; +$a->strings["Cannot use that email."] = "Tento e-mail nelze použít."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Vaše \"přezdívka\" může obsahovat pouze \"a-z\", \"0-9\", \"-\", a \"_\", a musí začínat písmenem."; +$a->strings["Nickname is already registered. Please choose another."] = "Přezdívka je již registrována. Prosím vyberte jinou."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Tato přezdívka již zde byla použita a nemůže být využita znovu. Prosím vyberete si jinou."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "Závažná chyba: Generování bezpečnostních klíčů se nezdařilo."; +$a->strings["An error occurred during registration. Please try again."] = "Došlo k chybě při registraci. Zkuste to prosím znovu."; +$a->strings["An error occurred creating your default profile. Please try again."] = "Došlo k chybě při vytváření Vašeho výchozího profilu. Zkuste to prosím znovu."; +$a->strings["Friends"] = "Přátelé"; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\n\t\tDrahý %1\$s,\n\t\t\tDěkujeme Vám za registraci na %2\$s. Váš účet byl vytvořen.\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."] = "\n\t\tVaše přihlašovací údaje jsou následující:\n\t\t\tAdresa webu:\t%3\$s\n\t\t\tpřihlašovací jméno:\t%1\$s\n\t\t\theslo:\t%5\$s\n\n\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou.\n\n\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné.\n\t\tPokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\n\t\tDíky a vítejte na %2\$s."; $a->strings["Sharing notification from Diaspora network"] = "Sdílení oznámení ze sítě Diaspora"; $a->strings["Attachments:"] = "Přílohy:"; -$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."] = "\n\t\t\tThe friendica vývojáři uvolnili nedávno aktualizaci %s,\n\t\t\tale při pokusu o její instalaci se něco velmi nepovedlo.\n\t\t\tJe třeba to opravit a já to sám nedokážu. Prosím kontaktuj\n\t\t\tfriendica vývojáře, pokud mi s tím nepomůžeš ty sám. Moje databáze může být poškozena."; -$a->strings["The error message is\n[pre]%s[/pre]"] = "Chybová zpráva je\n[pre]%s[/pre]"; -$a->strings["Errors encountered creating database tables."] = "Při vytváření databázových tabulek došlo k chybám."; -$a->strings["Errors encountered performing database changes."] = "Při provádění databázových změn došlo k chybám."; -$a->strings["Visible to everybody"] = "Viditelné pro všechny"; $a->strings["Do you really want to delete this item?"] = "Opravdu chcete smazat tuto položku?"; $a->strings["Archives"] = "Archív"; -$a->strings["Embedded content"] = "vložený obsah"; -$a->strings["Embedding disabled"] = "Vkládání zakázáno"; -$a->strings["Welcome "] = "Vítejte "; -$a->strings["Please upload a profile photo."] = "Prosím nahrejte profilovou fotografii"; -$a->strings["Welcome back "] = "Vítejte zpět "; -$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."] = "Formulářový bezpečnostní token nebyl správný. To pravděpodobně nastalo kvůli tom, že formulář byl otevřen příliš dlouho (>3 hodiny) před jeho odesláním."; $a->strings["Male"] = "Muž"; $a->strings["Female"] = "Žena"; $a->strings["Currently Male"] = "V současné době muž"; @@ -1805,5 +1697,114 @@ $a->strings["Uncertain"] = "Nejistý"; $a->strings["It's complicated"] = "Je to složité"; $a->strings["Don't care"] = "Nezajímá"; $a->strings["Ask me"] = "Zeptej se mě"; -$a->strings["stopped following"] = "následování zastaveno"; -$a->strings["Drop Contact"] = "Odstranit kontakt"; +$a->strings["Friendica Notification"] = "Friendica Notifikace"; +$a->strings["Thank You,"] = "Děkujeme, "; +$a->strings["%s Administrator"] = "%s Administrátor"; +$a->strings["%s "] = "%s "; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Upozornění] Obdržena nová zpráva na %s"; +$a->strings["%1\$s sent you a new private message at %2\$s."] = "%1\$s Vám poslal novou soukromou zprávu na %2\$s."; +$a->strings["%1\$s sent you %2\$s."] = "%1\$s Vám poslal %2\$s."; +$a->strings["a private message"] = "soukromá zpráva"; +$a->strings["Please visit %s to view and/or reply to your private messages."] = "Prosím navštivte %s pro zobrazení Vašich soukromých zpráv a možnost na ně odpovědět."; +$a->strings["%1\$s commented on [url=%2\$s]a %3\$s[/url]"] = "%1\$s okomentoval na [url=%2\$s]%3\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]%3\$s's %4\$s[/url]"] = "%1\$s okomentoval na [url=%2\$s]%3\$s's %4\$s[/url]"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s okomentoval na [url=%2\$s]Váš %3\$s[/url]"; +$a->strings["[Friendica:Notify] Comment to conversation #%1\$d by %2\$s"] = "[Friendica:Upozornění] Komentář ke konverzaci #%1\$d od %2\$s"; +$a->strings["%s commented on an item/conversation you have been following."] = "Uživatel %s okomentoval vámi sledovanou položku/konverzaci."; +$a->strings["Please visit %s to view and/or reply to the conversation."] = "Prosím navštivte %s pro zobrazení konverzace a možnosti odpovědět."; +$a->strings["[Friendica:Notify] %s posted to your profile wall"] = "[Friendica:Upozornění] %s umístěn na Vaši profilovou zeď"; +$a->strings["%1\$s posted to your profile wall at %2\$s"] = "%1\$s přidal příspěvek na Vaši profilovou zeď na %2\$s"; +$a->strings["%1\$s posted to [url=%2\$s]your wall[/url]"] = "%1\$s napřidáno na [url=%2\$s]na Vaši zeď[/url]"; +$a->strings["[Friendica:Notify] %s tagged you"] = "[Friendica:Upozornění] %s Vás označil"; +$a->strings["%1\$s tagged you at %2\$s"] = "%1\$s Vás označil na %2\$s"; +$a->strings["%1\$s [url=%2\$s]tagged you[/url]."] = "%1\$s [url=%2\$s]Vás označil[/url]."; +$a->strings["[Friendica:Notify] %s shared a new post"] = "[Friendica:Notify] %s nasdílel nový příspěvek"; +$a->strings["%1\$s shared a new post at %2\$s"] = "%1\$s nasdílel nový příspěvek na %2\$s"; +$a->strings["%1\$s [url=%2\$s]shared a post[/url]."] = "%1\$s [url=%2\$s]nasdílel příspěvek[/url]."; +$a->strings["[Friendica:Notify] %1\$s poked you"] = "[Friendica:Upozornění] %1\$s Vás šťouchnul"; +$a->strings["%1\$s poked you at %2\$s"] = "%1\$s Vás šťouchnul na %2\$s"; +$a->strings["%1\$s [url=%2\$s]poked you[/url]."] = "Uživatel %1\$s [url=%2\$s]Vás šťouchnul[/url]."; +$a->strings["[Friendica:Notify] %s tagged your post"] = "[Friendica:Upozornění] %s označil Váš příspěvek"; +$a->strings["%1\$s tagged your post at %2\$s"] = "%1\$s označil Váš příspěvek na %2\$s"; +$a->strings["%1\$s tagged [url=%2\$s]your post[/url]"] = "%1\$s označil [url=%2\$s]Váš příspěvek[/url]"; +$a->strings["[Friendica:Notify] Introduction received"] = "[Friendica:Upozornění] Obdrženo přestavení"; +$a->strings["You've received an introduction from '%1\$s' at %2\$s"] = "Obdržel jste žádost o spojení od '%1\$s' na %2\$s"; +$a->strings["You've received [url=%1\$s]an introduction[/url] from %2\$s."] = "Obdržel jste [url=%1\$s]žádost o spojení[/url] od %2\$s."; +$a->strings["You may visit their profile at %s"] = "Můžete navštívit jejich profil na %s"; +$a->strings["Please visit %s to approve or reject the introduction."] = "Prosím navštivte %s pro schválení či zamítnutí představení."; +$a->strings["[Friendica:Notify] A new person is sharing with you"] = "[Friendica:Upozornění] Nový člověk s vámi sdílí"; +$a->strings["%1\$s is sharing with you at %2\$s"] = "uživatel %1\$s sdílí s vámi ma %2\$s"; +$a->strings["[Friendica:Notify] You have a new follower"] = "[Friendica:Upozornění] Máte nového následovníka"; +$a->strings["You have a new follower at %2\$s : %1\$s"] = "Máte nového následovníka na %2\$s : %1\$s"; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Upozornění] Obdržen návrh na přátelství"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "Obdržel jste návrh přátelství od '%1\$s' na %2\$s"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "Obdržel jste [url=%1\$s]návrh přátelství[/url] s %2\$s from %3\$s."; +$a->strings["Name:"] = "Jméno:"; +$a->strings["Photo:"] = "Foto:"; +$a->strings["Please visit %s to approve or reject the suggestion."] = "Prosím navštivte %s pro schválení či zamítnutí doporučení."; +$a->strings["[Friendica:Notify] Connection accepted"] = "[Friendica:Upozornění] Spojení akceptováno"; +$a->strings["'%1\$s' has acepted your connection request at %2\$s"] = "'%1\$s' akceptoval váš požadavek na spojení na %2\$s"; +$a->strings["%2\$s has accepted your [url=%1\$s]connection request[/url]."] = "%2\$s akceptoval váš [url=%1\$s]požadavek na spojení[/url]."; +$a->strings["You are now mutual friends and may exchange status updates, photos, and email\n\twithout restriction."] = "Jste nyní vzájemnými přáteli a můžete si vyměňovat aktualizace statusu, fotografií a emailů\nbez omezení."; +$a->strings["Please visit %s if you wish to make any changes to this relationship."] = "Prosím navštivte %s pokud chcete změnit tento vztah."; +$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' vás přijal jako \"fanouška\", což omezuje některé formy komunikace - jako jsou soukromé zprávy a některé interakce na profilech. Pokud se jedná o celebritu, případně o komunitní stránky, pak bylo toto nastavení provedeno automaticky.."; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future. "] = "''%1\$s' se může rozhodnout rozšířit tento vztah na oboustraný nebo méně restriktivní"; +$a->strings["[Friendica System:Notify] registration request"] = "[Systém Friendica :Upozornění] registrační požadavek"; +$a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "Obdržel jste požadavek na registraci od '%1\$s' na %2\$s"; +$a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Obdržel jste [url=%1\$s]požadavek na registraci[/url] od '%2\$s'."; +$a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Plné jméno:\t%1\$s\\nUmístění webu:\t%2\$s\\nPřihlašovací účet:\t%3\$s (%4\$s)"; +$a->strings["Please visit %s to approve or reject the request."] = "Prosím navštivte %s k odsouhlasení nebo k zamítnutí požadavku."; +$a->strings["Embedded content"] = "vložený obsah"; +$a->strings["Embedding disabled"] = "Vkládání zakázáno"; +$a->strings["Error decoding account file"] = "Chyba dekódování uživatelského účtu"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Chyba! V datovém souboru není označení verze! Je to opravdu soubor s účtem Friendica?"; +$a->strings["Error! Cannot check nickname"] = "Chyba! Nelze ověřit přezdívku"; +$a->strings["User '%s' already exists on this server!"] = "Uživatel '%s' již na tomto serveru existuje!"; +$a->strings["User creation error"] = "Chyba vytváření uživatele"; +$a->strings["User profile creation error"] = "Chyba vytváření uživatelského účtu"; +$a->strings["%d contact not imported"] = array( + 0 => "%d kontakt nenaimporován", + 1 => "%d kontaktů nenaimporováno", + 2 => "%d kontakty nenaimporovány", +); +$a->strings["Done. You can now login with your username and password"] = "Hotovo. Nyní se můžete přihlásit se svými uživatelským účtem a heslem"; +$a->strings["toggle mobile"] = "přepnout mobil"; +$a->strings["Theme settings"] = "Nastavení téma"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Nastavit velikost fotek v přízpěvcích a komentářích (šířka a výška)"; +$a->strings["Set font-size for posts and comments"] = "Nastav velikost písma pro přízpěvky a komentáře."; +$a->strings["Set theme width"] = "Nastavení šířku grafické šablony"; +$a->strings["Color scheme"] = "Barevné schéma"; +$a->strings["Set line-height for posts and comments"] = "Nastav výšku řádku pro přízpěvky a komentáře."; +$a->strings["Set colour scheme"] = "Nastavit barevné schéma"; +$a->strings["Alignment"] = "Zarovnání"; +$a->strings["Left"] = "Vlevo"; +$a->strings["Center"] = "Uprostřed"; +$a->strings["Posts font size"] = "Velikost písma u příspěvků"; +$a->strings["Textareas font size"] = "Velikost písma textů"; +$a->strings["Set resolution for middle column"] = "Nastav rozlišení pro prostřední sloupec"; +$a->strings["Set color scheme"] = "Nastavení barevného schematu"; +$a->strings["Set zoomfactor for Earth Layer"] = "Nastavit přiblížení pro Earth Layer"; +$a->strings["Set longitude (X) for Earth Layers"] = "Nastavit zeměpistnou délku (X) pro Earth Layers"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Nastavit zeměpistnou šířku (X) pro Earth Layers"; +$a->strings["Community Pages"] = "Komunitní stránky"; +$a->strings["Earth Layers"] = "Earth Layers"; +$a->strings["Community Profiles"] = "Komunitní profily"; +$a->strings["Help or @NewHere ?"] = "Pomoc nebo @ProNováčky ?"; +$a->strings["Connect Services"] = "Propojené služby"; +$a->strings["Find Friends"] = "Nalézt Přátele"; +$a->strings["Last users"] = "Poslední uživatelé"; +$a->strings["Last photos"] = "Poslední fotografie"; +$a->strings["Last likes"] = "Poslední líbí/nelíbí"; +$a->strings["Your contacts"] = "Vaše kontakty"; +$a->strings["Your personal photos"] = "Vaše osobní fotky"; +$a->strings["Local Directory"] = "Lokální Adresář"; +$a->strings["Set zoomfactor for Earth Layers"] = "Nastavit faktor přiblížení pro Earth Layers"; +$a->strings["Show/hide boxes at right-hand column:"] = "Zobrazit/skrýt boxy na pravém sloupci:"; +$a->strings["Set style"] = "Nastavit styl"; +$a->strings["greenzero"] = "zelená nula"; +$a->strings["purplezero"] = "fialová nula"; +$a->strings["easterbunny"] = "velikonoční zajíček"; +$a->strings["darkzero"] = "tmavá nula"; +$a->strings["comix"] = "komiksová"; +$a->strings["slackr"] = "flákač"; +$a->strings["Variations"] = "Variace"; diff --git a/view/it/messages.po b/view/it/messages.po index 920e802d2b..41def27aaa 100644 --- a/view/it/messages.po +++ b/view/it/messages.po @@ -5,7 +5,7 @@ # Translators: # Elena , 2014 # fabrixxm , 2011 -# fabrixxm , 2013-2014 +# fabrixxm , 2013-2015 # fabrixxm , 2011-2012 # Francesco Apruzzese , 2012-2013 # ufic , 2012 @@ -14,9 +14,9 @@ msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-10-22 10:05+0200\n" -"PO-Revision-Date: 2014-12-30 11:50+0000\n" -"Last-Translator: Elena \n" +"POT-Creation-Date: 2015-02-09 08:57+0100\n" +"PO-Revision-Date: 2015-02-09 10:48+0000\n" +"Last-Translator: fabrixxm \n" "Language-Team: Italian (http://www.transifex.com/projects/p/friendica/language/it/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -24,3206 +24,525 @@ msgstr "" "Language: it\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "Questa voce è stata modificata" - -#: ../../object/Item.php:116 ../../mod/photos.php:1357 -#: ../../mod/content.php:620 -msgid "Private Message" -msgstr "Messaggio privato" - -#: ../../object/Item.php:120 ../../mod/settings.php:673 -#: ../../mod/content.php:728 -msgid "Edit" -msgstr "Modifica" - -#: ../../object/Item.php:129 ../../mod/photos.php:1651 -#: ../../mod/content.php:437 ../../mod/content.php:740 -#: ../../include/conversation.php:613 -msgid "Select" -msgstr "Seleziona" - -#: ../../object/Item.php:130 ../../mod/admin.php:970 ../../mod/photos.php:1652 -#: ../../mod/contacts.php:709 ../../mod/settings.php:674 -#: ../../mod/group.php:171 ../../mod/content.php:438 ../../mod/content.php:741 -#: ../../include/conversation.php:614 -msgid "Delete" -msgstr "Rimuovi" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "salva nella cartella" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "aggiungi a speciali" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "rimuovi da speciali" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "Inverti stato preferito" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "preferito" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "ignora la discussione" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "non ignorare la discussione" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "inverti stato \"Ignora\"" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "ignorato" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "aggiungi tag" - -#: ../../object/Item.php:231 ../../mod/photos.php:1540 -#: ../../mod/content.php:684 -msgid "I like this (toggle)" -msgstr "Mi piace (clic per cambiare)" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "mi piace" - -#: ../../object/Item.php:232 ../../mod/photos.php:1541 -#: ../../mod/content.php:685 -msgid "I don't like this (toggle)" -msgstr "Non mi piace (clic per cambiare)" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "non mi piace" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "Condividi questo" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "condividi" - -#: ../../object/Item.php:316 ../../include/conversation.php:666 -msgid "Categories:" -msgstr "Categorie:" - -#: ../../object/Item.php:317 ../../include/conversation.php:667 -msgid "Filed under:" -msgstr "Archiviato in:" - -#: ../../object/Item.php:326 ../../object/Item.php:327 -#: ../../mod/content.php:471 ../../mod/content.php:852 -#: ../../mod/content.php:853 ../../include/conversation.php:654 -#, php-format -msgid "View %s's profile @ %s" -msgstr "Vedi il profilo di %s @ %s" - -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "a" - -#: ../../object/Item.php:329 -msgid "via" -msgstr "via" - -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "Da bacheca a bacheca" - -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "da bacheca a bacheca" - -#: ../../object/Item.php:340 ../../mod/content.php:481 -#: ../../mod/content.php:864 ../../include/conversation.php:674 -#, php-format -msgid "%s from %s" -msgstr "%s da %s" - -#: ../../object/Item.php:361 ../../object/Item.php:677 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 ../../mod/content.php:709 ../../boot.php:724 -msgid "Comment" -msgstr "Commento" - -#: ../../object/Item.php:364 ../../mod/message.php:334 -#: ../../mod/message.php:565 ../../mod/editpost.php:124 -#: ../../mod/wallmessage.php:156 ../../mod/photos.php:1543 -#: ../../mod/content.php:499 ../../mod/content.php:883 -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -msgid "Please wait" -msgstr "Attendi" - -#: ../../object/Item.php:387 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d commento" -msgstr[1] "%d commenti" - -#: ../../object/Item.php:389 ../../object/Item.php:402 -#: ../../mod/content.php:605 ../../include/text.php:1969 -msgid "comment" -msgid_plural "comments" -msgstr[0] "" -msgstr[1] "commento" - -#: ../../object/Item.php:390 ../../mod/content.php:606 ../../boot.php:725 -#: ../../include/contact_widgets.php:205 -msgid "show more" -msgstr "mostra di più" - -#: ../../object/Item.php:675 ../../mod/photos.php:1560 -#: ../../mod/photos.php:1604 ../../mod/photos.php:1692 -#: ../../mod/content.php:707 -msgid "This is you" -msgstr "Questo sei tu" - -#: ../../object/Item.php:678 ../../mod/fsuggest.php:107 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/events.php:478 ../../mod/photos.php:1084 -#: ../../mod/photos.php:1205 ../../mod/photos.php:1512 -#: ../../mod/photos.php:1563 ../../mod/photos.php:1607 -#: ../../mod/photos.php:1695 ../../mod/contacts.php:470 -#: ../../mod/invite.php:140 ../../mod/profiles.php:645 -#: ../../mod/manage.php:110 ../../mod/poke.php:199 ../../mod/localtime.php:45 -#: ../../mod/install.php:248 ../../mod/install.php:286 -#: ../../mod/content.php:710 ../../mod/mood.php:137 ../../mod/crepair.php:181 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/diabook/config.php:148 ../../view/theme/vier/config.php:52 -#: ../../view/theme/dispy/config.php:70 -#: ../../view/theme/duepuntozero/config.php:59 -#: ../../view/theme/quattro/config.php:64 -#: ../../view/theme/cleanzero/config.php:80 -msgid "Submit" -msgstr "Invia" - -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" -msgstr "Grassetto" - -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "Corsivo" - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "Sottolineato" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "Citazione" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "Codice" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "Immagine" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "Link" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "Video" - -#: ../../object/Item.php:687 ../../mod/editpost.php:145 -#: ../../mod/photos.php:1564 ../../mod/photos.php:1608 -#: ../../mod/photos.php:1696 ../../mod/content.php:719 -#: ../../include/conversation.php:1126 -msgid "Preview" -msgstr "Anteprima" - -#: ../../index.php:205 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "Devi aver effettuato il login per usare gli addons." - -#: ../../index.php:249 ../../mod/help.php:90 -msgid "Not Found" -msgstr "Non trovato" - -#: ../../index.php:252 ../../mod/help.php:93 -msgid "Page not found." -msgstr "Pagina non trovata." - -#: ../../index.php:361 ../../mod/profperm.php:19 ../../mod/group.php:72 -msgid "Permission denied" -msgstr "Permesso negato" - -#: ../../index.php:362 ../../mod/fsuggest.php:78 ../../mod/files.php:170 -#: ../../mod/notifications.php:66 ../../mod/message.php:38 -#: ../../mod/message.php:174 ../../mod/editpost.php:10 -#: ../../mod/dfrn_confirm.php:55 ../../mod/events.php:140 -#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 -#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 -#: ../../mod/nogroup.php:25 ../../mod/wall_upload.php:66 ../../mod/api.php:26 -#: ../../mod/api.php:31 ../../mod/photos.php:134 ../../mod/photos.php:1050 -#: ../../mod/register.php:42 ../../mod/attach.php:33 -#: ../../mod/contacts.php:249 ../../mod/follow.php:9 ../../mod/uimport.php:23 -#: ../../mod/allfriends.php:9 ../../mod/invite.php:15 ../../mod/invite.php:101 -#: ../../mod/settings.php:102 ../../mod/settings.php:593 -#: ../../mod/settings.php:598 ../../mod/display.php:455 -#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 -#: ../../mod/wall_attach.php:55 ../../mod/suggest.php:56 -#: ../../mod/manage.php:96 ../../mod/delegate.php:12 -#: ../../mod/viewcontacts.php:22 ../../mod/notes.php:20 ../../mod/poke.php:135 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/install.php:151 ../../mod/group.php:19 ../../mod/regmod.php:110 -#: ../../mod/item.php:149 ../../mod/item.php:165 ../../mod/mood.php:114 -#: ../../mod/network.php:4 ../../mod/crepair.php:119 -#: ../../include/items.php:4575 -msgid "Permission denied." -msgstr "Permesso negato." - -#: ../../index.php:421 -msgid "toggle mobile" -msgstr "commuta tema mobile" - -#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 -#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 -#: ../../mod/update_display.php:22 -msgid "[Embedded content - reload page to view]" -msgstr "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]" - -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -#: ../../mod/dfrn_confirm.php:120 ../../mod/crepair.php:133 -msgid "Contact not found." -msgstr "Contatto non trovato." - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "Suggerimento di amicizia inviato." - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "Suggerisci amici" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "Suggerisci un amico a %s" - -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "Questa presentazione è già stata accettata." - -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "L'indirizzo del profilo non è valido o non contiene un profilo." - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario." - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "Attenzione: l'indirizzo del profilo non ha una foto." - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 -#, 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 parametro richiesto non è stato trovato all'indirizzo dato" -msgstr[1] "%d parametri richiesti non sono stati trovati all'indirizzo dato" - -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "Presentazione completa." - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "Errore di comunicazione." - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "Profilo non disponibile." - -#: ../../mod/dfrn_request.php:267 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s ha ricevuto troppe richieste di connessione per oggi." - -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "Sono state attivate le misure di protezione contro lo spam." - -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "Gli amici sono pregati di riprovare tra 24 ore." - -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "Invalid locator" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "Indirizzo email non valido." - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "Questo account non è stato configurato per l'email. Richiesta fallita." - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "Impossibile risolvere il tuo nome nella posizione indicata." - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "Ti sei già presentato qui." - -#: ../../mod/dfrn_request.php:480 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "Pare che tu e %s siate già amici." - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "Indirizzo profilo non valido." - -#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 -msgid "Disallowed profile URL." -msgstr "Indirizzo profilo non permesso." - -#: ../../mod/dfrn_request.php:576 ../../mod/contacts.php:183 -msgid "Failed to update contact record." -msgstr "Errore nell'aggiornamento del contatto." - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "La tua presentazione è stata inviata." - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "Accedi per confermare la presentazione." - -#: ../../mod/dfrn_request.php:664 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo." - -#: ../../mod/dfrn_request.php:675 -msgid "Hide this contact" -msgstr "Nascondi questo contatto" - -#: ../../mod/dfrn_request.php:678 -#, php-format -msgid "Welcome home %s." -msgstr "Bentornato a casa %s." - -#: ../../mod/dfrn_request.php:679 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "Conferma la tua richiesta di connessione con %s." - -#: ../../mod/dfrn_request.php:680 -msgid "Confirm" -msgstr "Conferma" - -#: ../../mod/dfrn_request.php:721 ../../mod/dfrn_confirm.php:752 -#: ../../include/items.php:3881 -msgid "[Name Withheld]" -msgstr "[Nome Nascosto]" - -#: ../../mod/dfrn_request.php:766 ../../mod/photos.php:920 -#: ../../mod/videos.php:115 ../../mod/search.php:89 ../../mod/display.php:180 -#: ../../mod/community.php:18 ../../mod/viewcontacts.php:17 -#: ../../mod/directory.php:33 -msgid "Public access denied." -msgstr "Accesso negato." - -#: ../../mod/dfrn_request.php:808 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:" - -#: ../../mod/dfrn_request.php:828 -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 "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi" - -#: ../../mod/dfrn_request.php:831 -msgid "Friend/Connection Request" -msgstr "Richieste di amicizia/connessione" - -#: ../../mod/dfrn_request.php:832 -msgid "" -"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " -"testuser@identi.ca" -msgstr "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" - -#: ../../mod/dfrn_request.php:833 -msgid "Please answer the following:" -msgstr "Rispondi:" - -#: ../../mod/dfrn_request.php:834 -#, php-format -msgid "Does %s know you?" -msgstr "%s ti conosce?" - -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 -#: ../../mod/register.php:234 ../../mod/settings.php:1007 -#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 -#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 -#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 -#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 -#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 -#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 -msgid "No" -msgstr "No" - -#: ../../mod/dfrn_request.php:834 ../../mod/message.php:209 -#: ../../mod/api.php:105 ../../mod/register.php:233 ../../mod/contacts.php:332 -#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 -#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 -#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 -#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 -#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 -#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/profiles.php:620 -#: ../../mod/profiles.php:623 ../../mod/suggest.php:29 -#: ../../include/items.php:4420 -msgid "Yes" -msgstr "Si" - -#: ../../mod/dfrn_request.php:838 -msgid "Add a personal note:" -msgstr "Aggiungi una nota personale:" - -#: ../../mod/dfrn_request.php:840 ../../include/contact_selectors.php:76 -msgid "Friendica" -msgstr "Friendica" - -#: ../../mod/dfrn_request.php:841 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/Federated Social Web" - -#: ../../mod/dfrn_request.php:842 ../../mod/settings.php:733 -#: ../../include/contact_selectors.php:80 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../mod/dfrn_request.php:843 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora." - -#: ../../mod/dfrn_request.php:844 -msgid "Your Identity Address:" -msgstr "L'indirizzo della tua identità:" - -#: ../../mod/dfrn_request.php:847 -msgid "Submit Request" -msgstr "Invia richiesta" - -#: ../../mod/dfrn_request.php:848 ../../mod/message.php:212 -#: ../../mod/editpost.php:148 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../mod/photos.php:203 -#: ../../mod/photos.php:292 ../../mod/contacts.php:335 ../../mod/tagrm.php:11 -#: ../../mod/tagrm.php:94 ../../mod/settings.php:612 -#: ../../mod/settings.php:638 ../../mod/suggest.php:32 -#: ../../include/items.php:4423 ../../include/conversation.php:1129 -msgid "Cancel" -msgstr "Annulla" - -#: ../../mod/files.php:156 ../../mod/videos.php:301 -#: ../../include/text.php:1402 -msgid "View Video" -msgstr "Guarda Video" - -#: ../../mod/profile.php:21 ../../boot.php:1432 -msgid "Requested profile is not available." -msgstr "Profilo richiesto non disponibile." - -#: ../../mod/profile.php:155 ../../mod/display.php:288 -msgid "Access to this profile has been restricted." -msgstr "L'accesso a questo profilo è stato limitato." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "Consigli per i Nuovi Utenti" - -#: ../../mod/notifications.php:26 -msgid "Invalid request identifier." -msgstr "L'identificativo della richiesta non è valido." - -#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 -#: ../../mod/notifications.php:211 -msgid "Discard" -msgstr "Scarta" - -#: ../../mod/notifications.php:51 ../../mod/notifications.php:164 -#: ../../mod/notifications.php:210 ../../mod/contacts.php:443 -#: ../../mod/contacts.php:497 ../../mod/contacts.php:707 -msgid "Ignore" -msgstr "Ignora" - -#: ../../mod/notifications.php:78 -msgid "System" -msgstr "Sistema" - -#: ../../mod/notifications.php:83 ../../include/nav.php:143 -msgid "Network" -msgstr "Rete" - -#: ../../mod/notifications.php:88 ../../mod/network.php:365 -msgid "Personal" -msgstr "Personale" - -#: ../../mod/notifications.php:93 ../../view/theme/diabook/theme.php:123 -#: ../../include/nav.php:105 ../../include/nav.php:146 -msgid "Home" -msgstr "Home" - -#: ../../mod/notifications.php:98 ../../include/nav.php:152 -msgid "Introductions" -msgstr "Presentazioni" - -#: ../../mod/notifications.php:122 -msgid "Show Ignored Requests" -msgstr "Mostra richieste ignorate" - -#: ../../mod/notifications.php:122 -msgid "Hide Ignored Requests" -msgstr "Nascondi richieste ignorate" - -#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 -msgid "Notification type: " -msgstr "Tipo di notifica: " - -#: ../../mod/notifications.php:150 -msgid "Friend Suggestion" -msgstr "Amico suggerito" - -#: ../../mod/notifications.php:152 -#, php-format -msgid "suggested by %s" -msgstr "sugerito da %s" - -#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 -#: ../../mod/contacts.php:503 -msgid "Hide this contact from others" -msgstr "Nascondi questo contatto agli altri" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "Post a new friend activity" -msgstr "Invia una attività \"è ora amico con\"" - -#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 -msgid "if applicable" -msgstr "se applicabile" - -#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 -#: ../../mod/admin.php:968 -msgid "Approve" -msgstr "Approva" - -#: ../../mod/notifications.php:181 -msgid "Claims to be known to you: " -msgstr "Dice di conoscerti: " - -#: ../../mod/notifications.php:181 -msgid "yes" -msgstr "si" - -#: ../../mod/notifications.php:181 -msgid "no" -msgstr "no" - -#: ../../mod/notifications.php:188 -msgid "Approve as: " -msgstr "Approva come: " - -#: ../../mod/notifications.php:189 -msgid "Friend" -msgstr "Amico" - -#: ../../mod/notifications.php:190 -msgid "Sharer" -msgstr "Condivisore" - -#: ../../mod/notifications.php:190 -msgid "Fan/Admirer" -msgstr "Fan/Ammiratore" - -#: ../../mod/notifications.php:196 -msgid "Friend/Connect Request" -msgstr "Richiesta amicizia/connessione" - -#: ../../mod/notifications.php:196 -msgid "New Follower" -msgstr "Qualcuno inizia a seguirti" - -#: ../../mod/notifications.php:217 -msgid "No introductions." -msgstr "Nessuna presentazione." - -#: ../../mod/notifications.php:220 ../../include/nav.php:153 -msgid "Notifications" -msgstr "Notifiche" - -#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 -#: ../../mod/notifications.php:478 -#, php-format -msgid "%s liked %s's post" -msgstr "a %s è piaciuto il messaggio di %s" - -#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 -#: ../../mod/notifications.php:488 -#, php-format -msgid "%s disliked %s's post" -msgstr "a %s non è piaciuto il messaggio di %s" - -#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 -#: ../../mod/notifications.php:503 -#, php-format -msgid "%s is now friends with %s" -msgstr "%s è ora amico di %s" - -#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 -#, php-format -msgid "%s created a new post" -msgstr "%s a creato un nuovo messaggio" - -#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 -#: ../../mod/notifications.php:513 -#, php-format -msgid "%s commented on %s's post" -msgstr "%s ha commentato il messaggio di %s" - -#: ../../mod/notifications.php:306 -msgid "No more network notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:310 -msgid "Network Notifications" -msgstr "Notifiche dalla rete" - -#: ../../mod/notifications.php:336 ../../mod/notify.php:75 -msgid "No more system notifications." -msgstr "Nessuna nuova notifica di sistema." - -#: ../../mod/notifications.php:340 ../../mod/notify.php:79 -msgid "System Notifications" -msgstr "Notifiche di sistema" - -#: ../../mod/notifications.php:435 -msgid "No more personal notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:439 -msgid "Personal Notifications" -msgstr "Notifiche personali" - -#: ../../mod/notifications.php:520 -msgid "No more home notifications." -msgstr "Nessuna nuova." - -#: ../../mod/notifications.php:524 -msgid "Home Notifications" -msgstr "Notifiche bacheca" - -#: ../../mod/like.php:149 ../../mod/tagger.php:62 ../../mod/subthread.php:87 -#: ../../view/theme/diabook/theme.php:471 ../../include/text.php:1965 -#: ../../include/diaspora.php:1919 ../../include/conversation.php:126 -#: ../../include/conversation.php:254 -msgid "photo" -msgstr "foto" - -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/tagger.php:62 -#: ../../mod/subthread.php:87 ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -msgid "status" -msgstr "stato" - -#: ../../mod/like.php:166 ../../view/theme/diabook/theme.php:480 -#: ../../include/diaspora.php:1935 ../../include/conversation.php:137 -#, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "A %1$s piace %3$s di %2$s" - -#: ../../mod/like.php:168 ../../include/conversation.php:140 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "A %1$s non piace %3$s di %2$s" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "Errore protocollo OpenID. Nessun ID ricevuto." - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito." - -#: ../../mod/openid.php:93 ../../include/auth.php:112 -#: ../../include/auth.php:175 -msgid "Login failed." -msgstr "Accesso fallito." - -#: ../../mod/babel.php:17 -msgid "Source (bbcode) text:" -msgstr "Testo sorgente (bbcode):" - -#: ../../mod/babel.php:23 -msgid "Source (Diaspora) text to convert to BBcode:" -msgstr "Testo sorgente (da Diaspora) da convertire in BBcode:" - -#: ../../mod/babel.php:31 -msgid "Source input: " -msgstr "Sorgente:" - -#: ../../mod/babel.php:35 -msgid "bb2html (raw HTML): " -msgstr "bb2html (HTML grezzo):" - -#: ../../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 "Sorgente (formato Diaspora):" - -#: ../../mod/babel.php:74 -msgid "diaspora2bb: " -msgstr "diaspora2bb: " - -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "Impostazioni del tema aggiornate." - -#: ../../mod/admin.php:104 ../../mod/admin.php:589 -msgid "Site" -msgstr "Sito" - -#: ../../mod/admin.php:105 ../../mod/admin.php:961 ../../mod/admin.php:976 -msgid "Users" -msgstr "Utenti" - -#: ../../mod/admin.php:106 ../../mod/admin.php:1065 ../../mod/admin.php:1118 -#: ../../mod/settings.php:57 -msgid "Plugins" -msgstr "Plugin" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1286 ../../mod/admin.php:1320 -msgid "Themes" -msgstr "Temi" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "Aggiornamenti Database" - -#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1407 -msgid "Logs" -msgstr "Log" - -#: ../../mod/admin.php:128 ../../include/nav.php:182 -msgid "Admin" -msgstr "Amministrazione" - -#: ../../mod/admin.php:129 -msgid "Plugin Features" -msgstr "Impostazioni Plugins" - -#: ../../mod/admin.php:131 -msgid "User registrations waiting for confirmation" -msgstr "Utenti registrati in attesa di conferma" - -#: ../../mod/admin.php:166 ../../mod/admin.php:1015 ../../mod/admin.php:1228 -#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 -#: ../../mod/display.php:459 ../../mod/viewsrc.php:15 -#: ../../include/items.php:4379 -msgid "Item not found." -msgstr "Elemento non trovato." - -#: ../../mod/admin.php:190 ../../mod/admin.php:915 -msgid "Normal Account" -msgstr "Account normale" - -#: ../../mod/admin.php:191 ../../mod/admin.php:916 -msgid "Soapbox Account" -msgstr "Account per comunicati e annunci" - -#: ../../mod/admin.php:192 ../../mod/admin.php:917 -msgid "Community/Celebrity Account" -msgstr "Account per celebrità o per comunità" - -#: ../../mod/admin.php:193 ../../mod/admin.php:918 -msgid "Automatic Friend Account" -msgstr "Account per amicizia automatizzato" - -#: ../../mod/admin.php:194 -msgid "Blog Account" -msgstr "Account Blog" - -#: ../../mod/admin.php:195 -msgid "Private Forum" -msgstr "Forum Privato" - -#: ../../mod/admin.php:214 -msgid "Message queues" -msgstr "Code messaggi" - -#: ../../mod/admin.php:219 ../../mod/admin.php:588 ../../mod/admin.php:960 -#: ../../mod/admin.php:1064 ../../mod/admin.php:1117 ../../mod/admin.php:1285 -#: ../../mod/admin.php:1319 ../../mod/admin.php:1406 -msgid "Administration" -msgstr "Amministrazione" - -#: ../../mod/admin.php:220 -msgid "Summary" -msgstr "Sommario" - -#: ../../mod/admin.php:222 -msgid "Registered users" -msgstr "Utenti registrati" - -#: ../../mod/admin.php:224 -msgid "Pending registrations" -msgstr "Registrazioni in attesa" - -#: ../../mod/admin.php:225 -msgid "Version" -msgstr "Versione" - -#: ../../mod/admin.php:229 -msgid "Active plugins" -msgstr "Plugin attivi" - -#: ../../mod/admin.php:252 -msgid "Can not parse base url. Must have at least ://" -msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]" - -#: ../../mod/admin.php:496 -msgid "Site settings updated." -msgstr "Impostazioni del sito aggiornate." - -#: ../../mod/admin.php:525 ../../mod/settings.php:825 -msgid "No special theme for mobile devices" -msgstr "Nessun tema speciale per i dispositivi mobili" - -#: ../../mod/admin.php:542 ../../mod/contacts.php:414 -msgid "Never" -msgstr "Mai" - -#: ../../mod/admin.php:543 -msgid "At post arrival" -msgstr "All'arrivo di un messaggio" - -#: ../../mod/admin.php:544 ../../include/contact_selectors.php:56 -msgid "Frequently" -msgstr "Frequentemente" - -#: ../../mod/admin.php:545 ../../include/contact_selectors.php:57 -msgid "Hourly" -msgstr "Ogni ora" - -#: ../../mod/admin.php:546 ../../include/contact_selectors.php:58 -msgid "Twice daily" -msgstr "Due volte al dì" - -#: ../../mod/admin.php:547 ../../include/contact_selectors.php:59 -msgid "Daily" -msgstr "Giornalmente" - -#: ../../mod/admin.php:552 -msgid "Multi user instance" -msgstr "Istanza multi utente" - -#: ../../mod/admin.php:575 -msgid "Closed" -msgstr "Chiusa" - -#: ../../mod/admin.php:576 -msgid "Requires approval" -msgstr "Richiede l'approvazione" - -#: ../../mod/admin.php:577 -msgid "Open" -msgstr "Aperta" - -#: ../../mod/admin.php:581 -msgid "No SSL policy, links will track page SSL state" -msgstr "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina" - -#: ../../mod/admin.php:582 -msgid "Force all links to use SSL" -msgstr "Forza tutti i linki ad usare SSL" - -#: ../../mod/admin.php:583 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)" - -#: ../../mod/admin.php:590 ../../mod/admin.php:1119 ../../mod/admin.php:1321 -#: ../../mod/admin.php:1408 ../../mod/settings.php:611 -#: ../../mod/settings.php:721 ../../mod/settings.php:795 -#: ../../mod/settings.php:877 ../../mod/settings.php:1110 -msgid "Save Settings" -msgstr "Salva Impostazioni" - -#: ../../mod/admin.php:591 ../../mod/register.php:255 -msgid "Registration" -msgstr "Registrazione" - -#: ../../mod/admin.php:592 -msgid "File upload" -msgstr "Caricamento file" - -#: ../../mod/admin.php:593 -msgid "Policies" -msgstr "Politiche" - -#: ../../mod/admin.php:594 -msgid "Advanced" -msgstr "Avanzate" - -#: ../../mod/admin.php:595 -msgid "Performance" -msgstr "Performance" - -#: ../../mod/admin.php:596 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile." - -#: ../../mod/admin.php:599 -msgid "Site name" -msgstr "Nome del sito" - -#: ../../mod/admin.php:600 -msgid "Banner/Logo" -msgstr "Banner/Logo" - -#: ../../mod/admin.php:601 -msgid "Additional Info" -msgstr "Informazioni aggiuntive" - -#: ../../mod/admin.php:601 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo." - -#: ../../mod/admin.php:602 -msgid "System language" -msgstr "Lingua di sistema" - -#: ../../mod/admin.php:603 -msgid "System theme" -msgstr "Tema di sistema" - -#: ../../mod/admin.php:603 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "Tema di sistema - puo' essere sovrascritto dalle impostazioni utente - cambia le impostazioni del tema" - -#: ../../mod/admin.php:604 -msgid "Mobile system theme" -msgstr "Tema mobile di sistema" - -#: ../../mod/admin.php:604 -msgid "Theme for mobile devices" -msgstr "Tema per dispositivi mobili" - -#: ../../mod/admin.php:605 -msgid "SSL link policy" -msgstr "Gestione link SSL" - -#: ../../mod/admin.php:605 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "Determina se i link generati devono essere forzati a usare SSL" - -#: ../../mod/admin.php:606 -msgid "Old style 'Share'" -msgstr "Ricondivisione vecchio stile" - -#: ../../mod/admin.php:606 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "Disattiva l'elemento bbcode 'share' con elementi ripetuti" - -#: ../../mod/admin.php:607 -msgid "Hide help entry from navigation menu" -msgstr "Nascondi la voce 'Guida' dal menu di navigazione" - -#: ../../mod/admin.php:607 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "Nasconde la voce per le pagine della guida dal menu di navigazione. E' comunque possibile accedervi richiamando /help direttamente." - -#: ../../mod/admin.php:608 -msgid "Single user instance" -msgstr "Instanza a singolo utente" - -#: ../../mod/admin.php:608 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "Rendi questa istanza multi utente o a singolo utente per l'utente selezionato" - -#: ../../mod/admin.php:609 -msgid "Maximum image size" -msgstr "Massima dimensione immagini" - -#: ../../mod/admin.php:609 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "Massima dimensione in byte delle immagini caricate. Il default è 0, cioè nessun limite." - -#: ../../mod/admin.php:610 -msgid "Maximum image length" -msgstr "Massima lunghezza immagine" - -#: ../../mod/admin.php:610 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "Massima lunghezza in pixel del lato più lungo delle immagini caricate. Predefinito a -1, ovvero nessun limite." - -#: ../../mod/admin.php:611 -msgid "JPEG image quality" -msgstr "Qualità immagini JPEG" - -#: ../../mod/admin.php:611 -msgid "" -"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " -"100, which is full quality." -msgstr "Le immagini JPEG caricate verranno salvate con questa qualità [0-100]. Predefinito è 100, ovvero qualità piena." - -#: ../../mod/admin.php:613 -msgid "Register policy" -msgstr "Politica di registrazione" - -#: ../../mod/admin.php:614 -msgid "Maximum Daily Registrations" -msgstr "Massime registrazioni giornaliere" - -#: ../../mod/admin.php:614 -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 "Se la registrazione è permessa, qui si definisce il massimo numero di nuovi utenti registrati da accettare giornalmente. Se la registrazione è chiusa, questa impostazione non ha effetto." - -#: ../../mod/admin.php:615 -msgid "Register text" -msgstr "Testo registrazione" - -#: ../../mod/admin.php:615 -msgid "Will be displayed prominently on the registration page." -msgstr "Sarà mostrato ben visibile nella pagina di registrazione." - -#: ../../mod/admin.php:616 -msgid "Accounts abandoned after x days" -msgstr "Account abbandonati dopo x giorni" - -#: ../../mod/admin.php:616 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "Non spreca risorse di sistema controllando siti esterni per gli account abbandonati. Immettere 0 per nessun limite di tempo." - -#: ../../mod/admin.php:617 -msgid "Allowed friend domains" -msgstr "Domini amici consentiti" - -#: ../../mod/admin.php:617 -msgid "" -"Comma separated list of domains which are allowed to establish friendships " -"with this site. Wildcards are accepted. Empty to allow any domains" -msgstr "Elenco separato da virglola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." - -#: ../../mod/admin.php:618 -msgid "Allowed email domains" -msgstr "Domini email consentiti" - -#: ../../mod/admin.php:618 -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 "Elenco separato da virgola dei domini permessi come indirizzi email in fase di registrazione a questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." - -#: ../../mod/admin.php:619 -msgid "Block public" -msgstr "Blocca pagine pubbliche" - -#: ../../mod/admin.php:619 -msgid "" -"Check to block public access to all otherwise public personal pages on this " -"site unless you are currently logged in." -msgstr "Seleziona per bloccare l'accesso pubblico a tutte le pagine personali di questo sito, a meno di essere loggato." - -#: ../../mod/admin.php:620 -msgid "Force publish" -msgstr "Forza publicazione" - -#: ../../mod/admin.php:620 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "Seleziona per forzare tutti i profili di questo sito ad essere compresi nell'elenco di questo sito." - -#: ../../mod/admin.php:621 -msgid "Global directory update URL" -msgstr "URL aggiornamento Elenco Globale" - -#: ../../mod/admin.php:621 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL dell'elenco globale. Se vuoto, l'elenco globale sarà completamente disabilitato." - -#: ../../mod/admin.php:622 -msgid "Allow threaded items" -msgstr "Permetti commenti nidificati" - -#: ../../mod/admin.php:622 -msgid "Allow infinite level threading for items on this site." -msgstr "Permette un infinito livello di nidificazione dei commenti su questo sito." - -#: ../../mod/admin.php:623 -msgid "Private posts by default for new users" -msgstr "Post privati di default per i nuovi utenti" - -#: ../../mod/admin.php:623 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici." - -#: ../../mod/admin.php:624 -msgid "Don't include post content in email notifications" -msgstr "Non includere il contenuto dei post nelle notifiche via email" - -#: ../../mod/admin.php:624 -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 "Non include il contenuti del post/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" - -#: ../../mod/admin.php:625 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." - -#: ../../mod/admin.php:625 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "Selezionando questo box si limiterà ai soli membri l'accesso agli addon nel menu applicazioni" - -#: ../../mod/admin.php:626 -msgid "Don't embed private images in posts" -msgstr "Non inglobare immagini private nei post" - -#: ../../mod/admin.php:626 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "Non sostituire le foto locali nei post con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i post contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che puo' richiedere un po' di tempo." - -#: ../../mod/admin.php:627 -msgid "Allow Users to set remote_self" -msgstr "Permetti agli utenti di impostare 'io remoto'" - -#: ../../mod/admin.php:627 -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 "Selezionando questo, a tutti gli utenti sarà permesso di impostare qualsiasi contatto come 'io remoto' nella pagina di modifica del contatto. Impostare questa opzione fa si che tutti i messaggi di quel contatto vengano ripetuti nello stream del'utente." - -#: ../../mod/admin.php:628 -msgid "Block multiple registrations" -msgstr "Blocca registrazioni multiple" - -#: ../../mod/admin.php:628 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "Non permette all'utente di registrare account extra da usare come pagine." - -#: ../../mod/admin.php:629 -msgid "OpenID support" -msgstr "Supporto OpenID" - -#: ../../mod/admin.php:629 -msgid "OpenID support for registration and logins." -msgstr "Supporta OpenID per la registrazione e il login" - -#: ../../mod/admin.php:630 -msgid "Fullname check" -msgstr "Controllo nome completo" - -#: ../../mod/admin.php:630 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam" - -#: ../../mod/admin.php:631 -msgid "UTF-8 Regular expressions" -msgstr "Espressioni regolari UTF-8" - -#: ../../mod/admin.php:631 -msgid "Use PHP UTF8 regular expressions" -msgstr "Usa le espressioni regolari PHP in UTF8" - -#: ../../mod/admin.php:632 -msgid "Show Community Page" -msgstr "Mostra pagina Comunità" - -#: ../../mod/admin.php:632 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "Mostra una pagina Comunità con tutti i recenti messaggi pubblici su questo sito." - -#: ../../mod/admin.php:633 -msgid "Enable OStatus support" -msgstr "Abilita supporto OStatus" - -#: ../../mod/admin.php:633 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente." - -#: ../../mod/admin.php:634 -msgid "OStatus conversation completion interval" -msgstr "Intervallo completamento conversazioni OStatus" - -#: ../../mod/admin.php:634 -msgid "" -"How often shall the poller check for new entries in OStatus conversations? " -"This can be a very ressource task." -msgstr "quanto spesso il poller deve controllare se esistono nuovi commenti in una conversazione OStatus? Questo è un lavoro che puo' richiedere molte risorse." - -#: ../../mod/admin.php:635 -msgid "Enable Diaspora support" -msgstr "Abilita il supporto a Diaspora" - -#: ../../mod/admin.php:635 -msgid "Provide built-in Diaspora network compatibility." -msgstr "Fornisce compatibilità con il network Diaspora." - -#: ../../mod/admin.php:636 -msgid "Only allow Friendica contacts" -msgstr "Permetti solo contatti Friendica" - -#: ../../mod/admin.php:636 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "Tutti i contatti devono usare il protocollo di Friendica. Tutti gli altri protocolli sono disabilitati." - -#: ../../mod/admin.php:637 -msgid "Verify SSL" -msgstr "Verifica SSL" - -#: ../../mod/admin.php:637 -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 "Se vuoi, puoi abilitare il controllo rigoroso dei certificati.Questo significa che non potrai collegarti (del tutto) con siti con certificati SSL auto-firmati." - -#: ../../mod/admin.php:638 -msgid "Proxy user" -msgstr "Utente Proxy" - -#: ../../mod/admin.php:639 -msgid "Proxy URL" -msgstr "URL Proxy" - -#: ../../mod/admin.php:640 -msgid "Network timeout" -msgstr "Timeout rete" - -#: ../../mod/admin.php:640 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." - -#: ../../mod/admin.php:641 -msgid "Delivery interval" -msgstr "Intervallo di invio" - -#: ../../mod/admin.php:641 -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 "Ritarda il processo di invio in background di n secondi per ridurre il carico di sistema. Raccomandato: 4-5 per host condivisit, 2-3 per VPS. 0-1 per grandi server dedicati." - -#: ../../mod/admin.php:642 -msgid "Poll interval" -msgstr "Intervallo di poll" - -#: ../../mod/admin.php:642 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "Ritarda il processo di poll in background di n secondi per ridurre il carico di sistema. Se 0, usa l'intervallo di invio." - -#: ../../mod/admin.php:643 -msgid "Maximum Load Average" -msgstr "Massimo carico medio" - -#: ../../mod/admin.php:643 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "Massimo carico di sistema prima che i processi di invio e di poll siano ritardati. Predefinito a 50." - -#: ../../mod/admin.php:645 -msgid "Use MySQL full text engine" -msgstr "Usa il motore MySQL full text" - -#: ../../mod/admin.php:645 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri." - -#: ../../mod/admin.php:646 -msgid "Suppress Language" -msgstr "Disattiva lingua" - -#: ../../mod/admin.php:646 -msgid "Suppress language information in meta information about a posting." -msgstr "Disattiva le informazioni sulla lingua nei meta di un post." - -#: ../../mod/admin.php:647 -msgid "Path to item cache" -msgstr "Percorso cache elementi" - -#: ../../mod/admin.php:648 -msgid "Cache duration in seconds" -msgstr "Durata della cache in secondi" - -#: ../../mod/admin.php:648 -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 "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1." - -#: ../../mod/admin.php:649 -msgid "Maximum numbers of comments per post" -msgstr "Numero massimo di commenti per post" - -#: ../../mod/admin.php:649 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "Quanti commenti devono essere mostrati per ogni post? Default : 100." - -#: ../../mod/admin.php:650 -msgid "Path for lock file" -msgstr "Percorso al file di lock" - -#: ../../mod/admin.php:651 -msgid "Temp path" -msgstr "Percorso file temporanei" - -#: ../../mod/admin.php:652 -msgid "Base path to installation" -msgstr "Percorso base all'installazione" - -#: ../../mod/admin.php:653 -msgid "Disable picture proxy" -msgstr "Disabilita il proxy immagini" - -#: ../../mod/admin.php:653 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile." - -#: ../../mod/admin.php:655 -msgid "New base url" -msgstr "Nuovo url base" - -#: ../../mod/admin.php:657 -msgid "Disable noscrape" -msgstr "" - -#: ../../mod/admin.php:657 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping. Disabling it will cause higher load on your server" -" and the directory server." -msgstr "" - -#: ../../mod/admin.php:674 -msgid "Update has been marked successful" -msgstr "L'aggiornamento è stato segnato come di successo" - -#: ../../mod/admin.php:682 -#, php-format -msgid "Database structure update %s was successfully applied." -msgstr "Aggiornamento struttura database %s applicata con successo." - -#: ../../mod/admin.php:685 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "Aggiornamento struttura database %s fallita con errore: %s" - -#: ../../mod/admin.php:697 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "Esecuzione di %s fallita con errore: %s" - -#: ../../mod/admin.php:700 -#, php-format -msgid "Update %s was successfully applied." -msgstr "L'aggiornamento %s è stato applicato con successo" - -#: ../../mod/admin.php:704 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine." - -#: ../../mod/admin.php:706 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "Non ci sono altre funzioni di aggiornamento %s da richiamare." - -#: ../../mod/admin.php:725 -msgid "No failed updates." -msgstr "Nessun aggiornamento fallito." - -#: ../../mod/admin.php:726 -msgid "Check database structure" -msgstr "Controlla struttura database" - -#: ../../mod/admin.php:731 -msgid "Failed Updates" -msgstr "Aggiornamenti falliti" - -#: ../../mod/admin.php:732 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato." - -#: ../../mod/admin.php:733 -msgid "Mark success (if update was manually applied)" -msgstr "Segna completato (se l'update è stato applicato manualmente)" - -#: ../../mod/admin.php:734 -msgid "Attempt to execute this update step automatically" -msgstr "Cerco di eseguire questo aggiornamento in automatico" - -#: ../../mod/admin.php:766 -#, php-format -msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "\nGentile %1$s,\n l'amministratore di %2$s ha impostato un account per te." - -#: ../../mod/admin.php:769 -#, php-format -msgid "" -"\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." -msgstr "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %4$s" - -#: ../../mod/admin.php:801 ../../include/user.php:413 -#, php-format -msgid "Registration details for %s" -msgstr "Dettagli della registrazione di %s" - -#: ../../mod/admin.php:813 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s utente bloccato/sbloccato" -msgstr[1] "%s utenti bloccati/sbloccati" - -#: ../../mod/admin.php:820 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s utente cancellato" -msgstr[1] "%s utenti cancellati" - -#: ../../mod/admin.php:859 -#, php-format -msgid "User '%s' deleted" -msgstr "Utente '%s' cancellato" - -#: ../../mod/admin.php:867 -#, php-format -msgid "User '%s' unblocked" -msgstr "Utente '%s' sbloccato" - -#: ../../mod/admin.php:867 -#, php-format -msgid "User '%s' blocked" -msgstr "Utente '%s' bloccato" - -#: ../../mod/admin.php:962 -msgid "Add User" -msgstr "Aggiungi utente" - -#: ../../mod/admin.php:963 -msgid "select all" -msgstr "seleziona tutti" - -#: ../../mod/admin.php:964 -msgid "User registrations waiting for confirm" -msgstr "Richieste di registrazione in attesa di conferma" - -#: ../../mod/admin.php:965 -msgid "User waiting for permanent deletion" -msgstr "Utente in attesa di cancellazione definitiva" - -#: ../../mod/admin.php:966 -msgid "Request date" -msgstr "Data richiesta" - -#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 -#: ../../mod/admin.php:992 ../../mod/settings.php:613 -#: ../../mod/settings.php:639 ../../mod/crepair.php:160 -msgid "Name" -msgstr "Nome" - -#: ../../mod/admin.php:966 ../../mod/admin.php:978 ../../mod/admin.php:979 -#: ../../mod/admin.php:994 ../../include/contact_selectors.php:79 -#: ../../include/contact_selectors.php:86 -msgid "Email" -msgstr "Email" - -#: ../../mod/admin.php:967 -msgid "No registrations." -msgstr "Nessuna registrazione." - -#: ../../mod/admin.php:969 -msgid "Deny" -msgstr "Nega" - -#: ../../mod/admin.php:971 ../../mod/contacts.php:437 -#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 -msgid "Block" -msgstr "Blocca" - -#: ../../mod/admin.php:972 ../../mod/contacts.php:437 -#: ../../mod/contacts.php:496 ../../mod/contacts.php:706 -msgid "Unblock" -msgstr "Sblocca" - -#: ../../mod/admin.php:973 -msgid "Site admin" -msgstr "Amministrazione sito" - -#: ../../mod/admin.php:974 -msgid "Account expired" -msgstr "Account scaduto" - -#: ../../mod/admin.php:977 -msgid "New User" -msgstr "Nuovo Utente" - -#: ../../mod/admin.php:978 ../../mod/admin.php:979 -msgid "Register date" -msgstr "Data registrazione" - -#: ../../mod/admin.php:978 ../../mod/admin.php:979 -msgid "Last login" -msgstr "Ultimo accesso" - -#: ../../mod/admin.php:978 ../../mod/admin.php:979 -msgid "Last item" -msgstr "Ultimo elemento" - -#: ../../mod/admin.php:978 -msgid "Deleted since" -msgstr "Rimosso da" - -#: ../../mod/admin.php:979 ../../mod/settings.php:36 -msgid "Account" -msgstr "Account" - -#: ../../mod/admin.php:981 -msgid "" -"Selected users will be deleted!\\n\\nEverything these users had posted on " -"this site will be permanently deleted!\\n\\nAre you sure?" -msgstr "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?" - -#: ../../mod/admin.php:982 -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 "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?" - -#: ../../mod/admin.php:992 -msgid "Name of the new user." -msgstr "Nome del nuovo utente." - -#: ../../mod/admin.php:993 -msgid "Nickname" -msgstr "Nome utente" - -#: ../../mod/admin.php:993 -msgid "Nickname of the new user." -msgstr "Nome utente del nuovo utente." - -#: ../../mod/admin.php:994 -msgid "Email address of the new user." -msgstr "Indirizzo Email del nuovo utente." - -#: ../../mod/admin.php:1027 -#, php-format -msgid "Plugin %s disabled." -msgstr "Plugin %s disabilitato." - -#: ../../mod/admin.php:1031 -#, php-format -msgid "Plugin %s enabled." -msgstr "Plugin %s abilitato." - -#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 -msgid "Disable" -msgstr "Disabilita" - -#: ../../mod/admin.php:1043 ../../mod/admin.php:1259 -msgid "Enable" -msgstr "Abilita" - -#: ../../mod/admin.php:1066 ../../mod/admin.php:1287 -msgid "Toggle" -msgstr "Inverti" - -#: ../../mod/admin.php:1067 ../../mod/admin.php:1288 -#: ../../mod/newmember.php:22 ../../mod/settings.php:85 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 -msgid "Settings" -msgstr "Impostazioni" - -#: ../../mod/admin.php:1074 ../../mod/admin.php:1297 -msgid "Author: " -msgstr "Autore: " - -#: ../../mod/admin.php:1075 ../../mod/admin.php:1298 -msgid "Maintainer: " -msgstr "Manutentore: " - -#: ../../mod/admin.php:1217 -msgid "No themes found." -msgstr "Nessun tema trovato." - -#: ../../mod/admin.php:1279 -msgid "Screenshot" -msgstr "Anteprima" - -#: ../../mod/admin.php:1325 -msgid "[Experimental]" -msgstr "[Sperimentale]" - -#: ../../mod/admin.php:1326 -msgid "[Unsupported]" -msgstr "[Non supportato]" - -#: ../../mod/admin.php:1353 -msgid "Log settings updated." -msgstr "Impostazioni Log aggiornate." - -#: ../../mod/admin.php:1409 -msgid "Clear" -msgstr "Pulisci" - -#: ../../mod/admin.php:1415 -msgid "Enable Debugging" -msgstr "Abilita Debugging" - -#: ../../mod/admin.php:1416 -msgid "Log file" -msgstr "File di Log" - -#: ../../mod/admin.php:1416 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica." - -#: ../../mod/admin.php:1417 -msgid "Log level" -msgstr "Livello di Log" - -#: ../../mod/admin.php:1466 ../../mod/contacts.php:493 -msgid "Update now" -msgstr "Aggiorna adesso" - -#: ../../mod/admin.php:1467 -msgid "Close" -msgstr "Chiudi" - -#: ../../mod/admin.php:1473 -msgid "FTP Host" -msgstr "Indirizzo FTP" - -#: ../../mod/admin.php:1474 -msgid "FTP Path" -msgstr "Percorso FTP" - -#: ../../mod/admin.php:1475 -msgid "FTP User" -msgstr "Utente FTP" - -#: ../../mod/admin.php:1476 -msgid "FTP Password" -msgstr "Pasword FTP" - -#: ../../mod/message.php:9 ../../include/nav.php:162 -msgid "New Message" -msgstr "Nuovo messaggio" - -#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 -msgid "No recipient selected." -msgstr "Nessun destinatario selezionato." - -#: ../../mod/message.php:67 -msgid "Unable to locate contact information." -msgstr "Impossibile trovare le informazioni del contatto." - -#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 -msgid "Message could not be sent." -msgstr "Il messaggio non puo' essere inviato." - -#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 -msgid "Message collection failure." -msgstr "Errore recuperando il messaggio." - -#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 -msgid "Message sent." -msgstr "Messaggio inviato." - -#: ../../mod/message.php:182 ../../include/nav.php:159 -msgid "Messages" -msgstr "Messaggi" - -#: ../../mod/message.php:207 -msgid "Do you really want to delete this message?" -msgstr "Vuoi veramente cancellare questo messaggio?" - -#: ../../mod/message.php:227 -msgid "Message deleted." -msgstr "Messaggio eliminato." - -#: ../../mod/message.php:258 -msgid "Conversation removed." -msgstr "Conversazione rimossa." - -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -msgid "Please enter a link URL:" -msgstr "Inserisci l'indirizzo del link:" - -#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 -msgid "Send Private Message" -msgstr "Invia un messaggio privato" - -#: ../../mod/message.php:320 ../../mod/message.php:553 -#: ../../mod/wallmessage.php:144 -msgid "To:" -msgstr "A:" - -#: ../../mod/message.php:325 ../../mod/message.php:555 -#: ../../mod/wallmessage.php:145 -msgid "Subject:" -msgstr "Oggetto:" - -#: ../../mod/message.php:329 ../../mod/message.php:558 -#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 -msgid "Your message:" -msgstr "Il tuo messaggio:" - -#: ../../mod/message.php:332 ../../mod/message.php:562 -#: ../../mod/editpost.php:110 ../../mod/wallmessage.php:154 -#: ../../include/conversation.php:1091 -msgid "Upload photo" -msgstr "Carica foto" - -#: ../../mod/message.php:333 ../../mod/message.php:563 -#: ../../mod/editpost.php:114 ../../mod/wallmessage.php:155 -#: ../../include/conversation.php:1095 -msgid "Insert web link" -msgstr "Inserisci link" - -#: ../../mod/message.php:371 -msgid "No messages." -msgstr "Nessun messaggio." - -#: ../../mod/message.php:378 -#, php-format -msgid "Unknown sender - %s" -msgstr "Mittente sconosciuto - %s" - -#: ../../mod/message.php:381 -#, php-format -msgid "You and %s" -msgstr "Tu e %s" - -#: ../../mod/message.php:384 -#, php-format -msgid "%s and You" -msgstr "%s e Tu" - -#: ../../mod/message.php:405 ../../mod/message.php:546 -msgid "Delete conversation" -msgstr "Elimina la conversazione" - -#: ../../mod/message.php:408 -msgid "D, d M Y - g:i A" -msgstr "D d M Y - G:i" - -#: ../../mod/message.php:411 -#, php-format -msgid "%d message" -msgid_plural "%d messages" -msgstr[0] "%d messaggio" -msgstr[1] "%d messaggi" - -#: ../../mod/message.php:450 -msgid "Message not available." -msgstr "Messaggio non disponibile." - -#: ../../mod/message.php:520 -msgid "Delete message" -msgstr "Elimina il messaggio" - -#: ../../mod/message.php:548 -msgid "" -"No secure communications available. You may be able to " -"respond from the sender's profile page." -msgstr "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente." - -#: ../../mod/message.php:552 -msgid "Send Reply" -msgstr "Invia la risposta" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "Oggetto non trovato" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "Modifica messaggio" - -#: ../../mod/editpost.php:109 ../../mod/filer.php:31 ../../mod/notes.php:63 -#: ../../include/text.php:955 -msgid "Save" -msgstr "Salva" - -#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 -msgid "upload photo" -msgstr "carica foto" - -#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 -msgid "Attach file" -msgstr "Allega file" - -#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 -msgid "attach file" -msgstr "allega file" - -#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 -msgid "web link" -msgstr "link web" - -#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 -msgid "Insert video link" -msgstr "Inserire collegamento video" - -#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 -msgid "video link" -msgstr "link video" - -#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 -msgid "Insert audio link" -msgstr "Inserisci collegamento audio" - -#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 -msgid "audio link" -msgstr "link audio" - -#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 -msgid "Set your location" -msgstr "La tua posizione" - -#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 -msgid "set location" -msgstr "posizione" - -#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 -msgid "Clear browser location" -msgstr "Rimuovi la localizzazione data dal browser" - -#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 -msgid "clear location" -msgstr "canc. pos." - -#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 -msgid "Permission settings" -msgstr "Impostazioni permessi" - -#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 -msgid "CC: email addresses" -msgstr "CC: indirizzi email" - -#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 -msgid "Public post" -msgstr "Messaggio pubblico" - -#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 -msgid "Set title" -msgstr "Scegli un titolo" - -#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 -msgid "Categories (comma-separated list)" -msgstr "Categorie (lista separata da virgola)" - -#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 -msgid "Example: bob@example.com, mary@example.com" -msgstr "Esempio: bob@example.com, mary@example.com" - -#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 -#: ../../mod/profiles.php:133 ../../mod/profiles.php:162 -#: ../../mod/profiles.php:589 -msgid "Profile not found." -msgstr "Profilo non trovato." - -#: ../../mod/dfrn_confirm.php:121 -msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata." - -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "Errore di comunicazione con l'altro sito." - -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "La risposta dell'altro sito non può essere gestita: " - -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "Conferma completata con successo." - -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "Il sito remoto riporta: " - -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "Problema temporaneo. Attendi e riprova." - -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "La presentazione ha generato un errore o è stata revocata." - -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "Impossibile impostare la foto del contatto." - -#: ../../mod/dfrn_confirm.php:486 ../../include/diaspora.php:620 -#: ../../include/conversation.php:172 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s e %2$s adesso sono amici" - -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "Nessun utente trovato '%s'" - -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "La nostra chiave di criptazione del sito sembra essere corrotta." - -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo." - -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "Il contatto non è stato trovato sul nostro sito." - -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "La chiave pubblica del sito non è disponibile per l'URL %s" - -#: ../../mod/dfrn_confirm.php:647 -msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare." - -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "Impossibile impostare le credenziali del tuo contatto sul nostro sistema." - -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema" - -#: ../../mod/dfrn_confirm.php:797 -#, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s si è unito a %2$s" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "Titolo e ora di inizio dell'evento sono richiesti." - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l j F" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "Modifca l'evento" - -#: ../../mod/events.php:335 ../../include/text.php:1644 -#: ../../include/text.php:1654 -msgid "link to source" -msgstr "Collegamento all'originale" - -#: ../../mod/events.php:370 ../../view/theme/diabook/theme.php:127 -#: ../../boot.php:2114 ../../include/nav.php:80 -msgid "Events" -msgstr "Eventi" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "Crea un nuovo evento" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "Precendente" - -#: ../../mod/events.php:373 ../../mod/install.php:207 -msgid "Next" -msgstr "Successivo" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "ora:minuti" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "Dettagli dell'evento" - -#: ../../mod/events.php:457 -#, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "Il formato è %s %s. Data di inizio e Titolo sono richiesti." - -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "L'evento inizia:" - -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "Richiesto" - -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "La data/ora di fine non è definita" - -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "L'evento finisce:" - -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "Visualizza con il fuso orario di chi legge" - -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "Descrizione:" - -#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1622 -#: ../../include/event.php:40 ../../include/bb2diaspora.php:156 -msgid "Location:" -msgstr "Posizione:" - -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "Titolo:" - -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "Condividi questo evento" - -#: ../../mod/fbrowser.php:25 ../../view/theme/diabook/theme.php:126 -#: ../../boot.php:2097 ../../include/nav.php:78 -msgid "Photos" -msgstr "Foto" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "File" - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "Benvenuto su %s" - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "Informazioni remote sulla privacy non disponibili." - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "Visibile a:" - -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "Numero giornaliero di messaggi per %s superato. Invio fallito." - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "Impossibile controllare la tua posizione di origine." - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "Nessun destinatario." - -#: ../../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 "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti." - -#: ../../mod/nogroup.php:40 ../../mod/contacts.php:479 -#: ../../mod/contacts.php:671 ../../mod/viewcontacts.php:62 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "Visita il profilo di %s [%s]" - -#: ../../mod/nogroup.php:41 ../../mod/contacts.php:672 -msgid "Edit contact" -msgstr "Modifca contatto" - -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "Contatti che non sono membri di un gruppo" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "Questo è Friendica, versione" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "in esecuzione all'indirizzo web" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "Visita Friendica.com per saperne di più sul progetto Friendica." - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "Segnalazioni di bug e problemi: visita" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "Plugin/addon/applicazioni instalate" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "Nessun plugin/addons/applicazione installata" - -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "Rimuovi il mio account" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo." - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "Inserisci la tua password per verifica:" - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "La dimensione dell'immagine supera il limite di %d" - -#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "Impossibile caricare l'immagine." - -#: ../../mod/wall_upload.php:169 ../../mod/wall_upload.php:178 -#: ../../mod/wall_upload.php:185 ../../mod/item.php:465 -#: ../../include/message.php:144 ../../include/Photo.php:911 -#: ../../include/Photo.php:926 ../../include/Photo.php:933 -#: ../../include/Photo.php:955 -msgid "Wall Photos" -msgstr "Foto della bacheca" - -#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "Caricamento immagine fallito." - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "Autorizza la connessione dell'applicazione" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "Torna alla tua applicazione e inserisci questo codice di sicurezza:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "Effettua il login per continuare." - -#: ../../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 "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" - -#: ../../mod/tagger.php:95 ../../include/conversation.php:266 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s ha taggato %3$s di %2$s con %4$s" - -#: ../../mod/photos.php:52 ../../boot.php:2100 -msgid "Photo Albums" -msgstr "Album foto" - -#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 -#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 -#: ../../view/theme/diabook/theme.php:499 -msgid "Contact Photos" -msgstr "Foto dei contatti" - -#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 -msgid "Upload New Photos" -msgstr "Carica nuove foto" - -#: ../../mod/photos.php:80 ../../mod/settings.php:29 -msgid "everybody" -msgstr "tutti" - -#: ../../mod/photos.php:144 -msgid "Contact information unavailable" -msgstr "I dati di questo contatto non sono disponibili" - -#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 -#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 ../../view/theme/diabook/theme.php:500 -#: ../../include/user.php:335 ../../include/user.php:342 -#: ../../include/user.php:349 -msgid "Profile Photos" -msgstr "Foto del profilo" - -#: ../../mod/photos.php:165 -msgid "Album not found." -msgstr "Album non trovato." - -#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 -msgid "Delete Album" -msgstr "Rimuovi album" - -#: ../../mod/photos.php:198 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "Vuoi davvero cancellare questo album e tutte le sue foto?" - -#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 -msgid "Delete Photo" -msgstr "Rimuovi foto" - -#: ../../mod/photos.php:287 -msgid "Do you really want to delete this photo?" -msgstr "Vuoi veramente cancellare questa foto?" - -#: ../../mod/photos.php:662 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s è stato taggato in %2$s da %3$s" - -#: ../../mod/photos.php:662 -msgid "a photo" -msgstr "una foto" - -#: ../../mod/photos.php:767 -msgid "Image exceeds size limit of " -msgstr "L'immagine supera il limite di" - -#: ../../mod/photos.php:775 -msgid "Image file is empty." -msgstr "Il file dell'immagine è vuoto." - -#: ../../mod/photos.php:930 -msgid "No photos selected" -msgstr "Nessuna foto selezionata" - -#: ../../mod/photos.php:1031 ../../mod/videos.php:226 -msgid "Access to this item is restricted." -msgstr "Questo oggetto non è visibile a tutti." - -#: ../../mod/photos.php:1094 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "Hai usato %1$.2f MBytes su %2$.2f disponibili." - -#: ../../mod/photos.php:1129 -msgid "Upload Photos" -msgstr "Carica foto" - -#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 -msgid "New album name: " -msgstr "Nome nuovo album: " - -#: ../../mod/photos.php:1134 -msgid "or existing album name: " -msgstr "o nome di un album esistente: " - -#: ../../mod/photos.php:1135 -msgid "Do not show a status post for this upload" -msgstr "Non creare un post per questo upload" - -#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 -msgid "Permissions" -msgstr "Permessi" - -#: ../../mod/photos.php:1146 ../../mod/photos.php:1517 -#: ../../mod/settings.php:1145 -msgid "Show to Groups" -msgstr "Mostra ai gruppi" - -#: ../../mod/photos.php:1147 ../../mod/photos.php:1518 -#: ../../mod/settings.php:1146 -msgid "Show to Contacts" -msgstr "Mostra ai contatti" - -#: ../../mod/photos.php:1148 -msgid "Private Photo" -msgstr "Foto privata" - -#: ../../mod/photos.php:1149 -msgid "Public Photo" -msgstr "Foto pubblica" - -#: ../../mod/photos.php:1216 -msgid "Edit Album" -msgstr "Modifica album" - -#: ../../mod/photos.php:1222 -msgid "Show Newest First" -msgstr "Mostra nuove foto per prime" - -#: ../../mod/photos.php:1224 -msgid "Show Oldest First" -msgstr "Mostra vecchie foto per prime" - -#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 -msgid "View Photo" -msgstr "Vedi foto" - -#: ../../mod/photos.php:1292 -msgid "Permission denied. Access to this item may be restricted." -msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." - -#: ../../mod/photos.php:1294 -msgid "Photo not available" -msgstr "Foto non disponibile" - -#: ../../mod/photos.php:1350 -msgid "View photo" -msgstr "Vedi foto" - -#: ../../mod/photos.php:1350 -msgid "Edit photo" -msgstr "Modifica foto" - -#: ../../mod/photos.php:1351 -msgid "Use as profile photo" -msgstr "Usa come foto del profilo" - -#: ../../mod/photos.php:1376 -msgid "View Full Size" -msgstr "Vedi dimensione intera" - -#: ../../mod/photos.php:1455 -msgid "Tags: " -msgstr "Tag: " - -#: ../../mod/photos.php:1458 -msgid "[Remove any tag]" -msgstr "[Rimuovi tutti i tag]" - -#: ../../mod/photos.php:1498 -msgid "Rotate CW (right)" -msgstr "Ruota a destra" - -#: ../../mod/photos.php:1499 -msgid "Rotate CCW (left)" -msgstr "Ruota a sinistra" - -#: ../../mod/photos.php:1501 -msgid "New album name" -msgstr "Nuovo nome dell'album" - -#: ../../mod/photos.php:1504 -msgid "Caption" -msgstr "Titolo" - -#: ../../mod/photos.php:1506 -msgid "Add a Tag" -msgstr "Aggiungi tag" - -#: ../../mod/photos.php:1510 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" - -#: ../../mod/photos.php:1519 -msgid "Private photo" -msgstr "Foto privata" - -#: ../../mod/photos.php:1520 -msgid "Public photo" -msgstr "Foto pubblica" - -#: ../../mod/photos.php:1542 ../../include/conversation.php:1090 -msgid "Share" -msgstr "Condividi" - -#: ../../mod/photos.php:1806 ../../mod/videos.php:308 -msgid "View Album" -msgstr "Sfoglia l'album" - -#: ../../mod/photos.php:1815 -msgid "Recent Photos" -msgstr "Foto recenti" - -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "Nessun profilo" - -#: ../../mod/register.php:90 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "Registrazione completata. Controlla la tua mail per ulteriori informazioni." - -#: ../../mod/register.php:96 -#, 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 -msgid "Your registration can not be processed." -msgstr "La tua registrazione non puo' essere elaborata." - -#: ../../mod/register.php:148 -msgid "Your registration is pending approval by the site owner." -msgstr "La tua richiesta è in attesa di approvazione da parte del prorietario del sito." - -#: ../../mod/register.php:186 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani." - -#: ../../mod/register.php:214 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'." - -#: ../../mod/register.php:215 -msgid "" -"If you are not familiar with OpenID, please leave that field blank and fill " -"in the rest of the items." -msgstr "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera." - -#: ../../mod/register.php:216 -msgid "Your OpenID (optional): " -msgstr "Il tuo OpenID (opzionale): " - -#: ../../mod/register.php:230 -msgid "Include your profile in member directory?" -msgstr "Includi il tuo profilo nell'elenco pubblico?" - -#: ../../mod/register.php:251 -msgid "Membership on this site is by invitation only." -msgstr "La registrazione su questo sito è solo su invito." - -#: ../../mod/register.php:252 -msgid "Your invitation ID: " -msgstr "L'ID del tuo invito:" - -#: ../../mod/register.php:263 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "Il tuo nome completo (es. Mario Rossi): " - -#: ../../mod/register.php:264 -msgid "Your Email Address: " -msgstr "Il tuo indirizzo email: " - -#: ../../mod/register.php:265 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@$sitename'." - -#: ../../mod/register.php:266 -msgid "Choose a nickname: " -msgstr "Scegli un nome utente: " - -#: ../../mod/register.php:269 ../../boot.php:1215 ../../include/nav.php:109 -msgid "Register" -msgstr "Registrati" - -#: ../../mod/register.php:275 ../../mod/uimport.php:64 -msgid "Import" -msgstr "Importa" - -#: ../../mod/register.php:276 -msgid "Import your profile to this friendica instance" -msgstr "Importa il tuo profilo in questo server friendica" - -#: ../../mod/lostpass.php:19 -msgid "No valid account found." -msgstr "Nessun account valido trovato." - -#: ../../mod/lostpass.php:35 -msgid "Password reset request issued. Check your email." -msgstr "La richiesta per reimpostare la password è stata inviata. Controlla la tua email." - -#: ../../mod/lostpass.php:42 -#, 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 "\nGentile %1$s,\n abbiamo ricevuto su \"%2$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica." - -#: ../../mod/lostpass.php:53 -#, 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 "\nSegui questo link per verificare la tua identità:\n\n%1$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2$s\n Nome utente: %3$s" - -#: ../../mod/lostpass.php:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "Richiesta reimpostazione password su %s" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita." - -#: ../../mod/lostpass.php:109 ../../boot.php:1254 -msgid "Password Reset" -msgstr "Reimpostazione password" - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "La tua password è stata reimpostata come richiesto." - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "La tua nuova password è" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "Salva o copia la tua nuova password, quindi" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "clicca qui per entrare" - -#: ../../mod/lostpass.php:114 -msgid "" -"Your password may be changed from the Settings page after " -"successful login." -msgstr "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso." - -#: ../../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 "\nGentile %1$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare." - -#: ../../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 "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato." - -#: ../../mod/lostpass.php:147 -#, php-format -msgid "Your password has been changed at %s" -msgstr "La tua password presso %s è stata cambiata" - -#: ../../mod/lostpass.php:159 -msgid "Forgot your Password?" -msgstr "Hai dimenticato la password?" - -#: ../../mod/lostpass.php:160 -msgid "" -"Enter your email address and submit to have your password reset. Then check " -"your email for further instructions." -msgstr "Inserisci il tuo indirizzo email per reimpostare la password." - -#: ../../mod/lostpass.php:161 -msgid "Nickname or Email: " -msgstr "Nome utente o email: " - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "Reimposta" - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "Sistema in manutenzione" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "Oggetto non disponibile." - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "Oggetto non trovato." - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "Applicazioni" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "Nessuna applicazione installata." - -#: ../../mod/help.php:79 -msgid "Help:" -msgstr "Guida:" - -#: ../../mod/help.php:84 ../../include/nav.php:114 -msgid "Help" -msgstr "Guida" - -#: ../../mod/contacts.php:107 +#: ../../mod/contacts.php:108 #, php-format msgid "%d contact edited." msgid_plural "%d contacts edited" msgstr[0] "%d contatto modificato" msgstr[1] "%d contatti modificati" -#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 +#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 msgid "Could not access contact record." msgstr "Non è possibile accedere al contatto." -#: ../../mod/contacts.php:152 +#: ../../mod/contacts.php:153 msgid "Could not locate selected profile." msgstr "Non riesco a trovare il profilo selezionato." -#: ../../mod/contacts.php:181 +#: ../../mod/contacts.php:186 msgid "Contact updated." msgstr "Contatto aggiornato." -#: ../../mod/contacts.php:282 +#: ../../mod/contacts.php:188 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." +msgstr "Errore nell'aggiornamento del contatto." + +#: ../../mod/contacts.php:254 ../../mod/manage.php:96 +#: ../../mod/display.php:499 ../../mod/profile_photo.php:19 +#: ../../mod/profile_photo.php:169 ../../mod/profile_photo.php:180 +#: ../../mod/profile_photo.php:193 ../../mod/follow.php:9 +#: ../../mod/item.php:168 ../../mod/item.php:184 ../../mod/group.php:19 +#: ../../mod/dfrn_confirm.php:55 ../../mod/fsuggest.php:78 +#: ../../mod/wall_upload.php:66 ../../mod/viewcontacts.php:24 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/crepair.php:119 +#: ../../mod/nogroup.php:25 ../../mod/network.php:4 ../../mod/allfriends.php:9 +#: ../../mod/events.php:140 ../../mod/install.php:151 +#: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 +#: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 +#: ../../mod/wall_attach.php:55 ../../mod/settings.php:102 +#: ../../mod/settings.php:596 ../../mod/settings.php:601 +#: ../../mod/register.php:42 ../../mod/delegate.php:12 ../../mod/mood.php:114 +#: ../../mod/suggest.php:58 ../../mod/profiles.php:165 +#: ../../mod/profiles.php:618 ../../mod/editpost.php:10 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/regmod.php:110 ../../mod/uimport.php:23 +#: ../../mod/attach.php:33 ../../include/items.php:4712 ../../index.php:369 +msgid "Permission denied." +msgstr "Permesso negato." + +#: ../../mod/contacts.php:287 msgid "Contact has been blocked" msgstr "Il contatto è stato bloccato" -#: ../../mod/contacts.php:282 +#: ../../mod/contacts.php:287 msgid "Contact has been unblocked" msgstr "Il contatto è stato sbloccato" -#: ../../mod/contacts.php:293 +#: ../../mod/contacts.php:298 msgid "Contact has been ignored" msgstr "Il contatto è ignorato" -#: ../../mod/contacts.php:293 +#: ../../mod/contacts.php:298 msgid "Contact has been unignored" msgstr "Il contatto non è più ignorato" -#: ../../mod/contacts.php:305 +#: ../../mod/contacts.php:310 msgid "Contact has been archived" msgstr "Il contatto è stato archiviato" -#: ../../mod/contacts.php:305 +#: ../../mod/contacts.php:310 msgid "Contact has been unarchived" msgstr "Il contatto è stato dearchiviato" -#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 +#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 msgid "Do you really want to delete this contact?" msgstr "Vuoi veramente cancellare questo contatto?" -#: ../../mod/contacts.php:347 +#: ../../mod/contacts.php:337 ../../mod/message.php:209 +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:233 ../../mod/suggest.php:29 +#: ../../mod/profiles.php:661 ../../mod/profiles.php:664 ../../mod/api.php:105 +#: ../../include/items.php:4557 +msgid "Yes" +msgstr "Si" + +#: ../../mod/contacts.php:340 ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 +#: ../../mod/message.php:212 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/settings.php:615 +#: ../../mod/settings.php:641 ../../mod/dfrn_request.php:844 +#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 +#: ../../include/conversation.php:1129 ../../include/items.php:4560 +msgid "Cancel" +msgstr "Annulla" + +#: ../../mod/contacts.php:352 msgid "Contact has been removed." msgstr "Il contatto è stato rimosso." -#: ../../mod/contacts.php:385 +#: ../../mod/contacts.php:390 #, php-format msgid "You are mutual friends with %s" msgstr "Sei amico reciproco con %s" -#: ../../mod/contacts.php:389 +#: ../../mod/contacts.php:394 #, php-format msgid "You are sharing with %s" msgstr "Stai condividendo con %s" -#: ../../mod/contacts.php:394 +#: ../../mod/contacts.php:399 #, php-format msgid "%s is sharing with you" msgstr "%s sta condividendo con te" -#: ../../mod/contacts.php:411 +#: ../../mod/contacts.php:416 msgid "Private communications are not available for this contact." msgstr "Le comunicazioni private non sono disponibili per questo contatto." -#: ../../mod/contacts.php:418 +#: ../../mod/contacts.php:419 ../../mod/admin.php:569 +msgid "Never" +msgstr "Mai" + +#: ../../mod/contacts.php:423 msgid "(Update was successful)" msgstr "(L'aggiornamento è stato completato)" -#: ../../mod/contacts.php:418 +#: ../../mod/contacts.php:423 msgid "(Update was not successful)" msgstr "(L'aggiornamento non è stato completato)" -#: ../../mod/contacts.php:420 +#: ../../mod/contacts.php:425 msgid "Suggest friends" msgstr "Suggerisci amici" -#: ../../mod/contacts.php:424 +#: ../../mod/contacts.php:429 #, php-format msgid "Network type: %s" msgstr "Tipo di rete: %s" -#: ../../mod/contacts.php:427 ../../include/contact_widgets.php:200 +#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 #, php-format msgid "%d contact in common" msgid_plural "%d contacts in common" msgstr[0] "%d contatto in comune" msgstr[1] "%d contatti in comune" -#: ../../mod/contacts.php:432 +#: ../../mod/contacts.php:437 msgid "View all contacts" msgstr "Vedi tutti i contatti" -#: ../../mod/contacts.php:440 +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1009 +msgid "Unblock" +msgstr "Sblocca" + +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1008 +msgid "Block" +msgstr "Blocca" + +#: ../../mod/contacts.php:445 msgid "Toggle Blocked status" msgstr "Inverti stato \"Blocca\"" -#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 -#: ../../mod/contacts.php:707 +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 msgid "Unignore" msgstr "Non ignorare" -#: ../../mod/contacts.php:446 +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 +#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 +msgid "Ignore" +msgstr "Ignora" + +#: ../../mod/contacts.php:451 msgid "Toggle Ignored status" msgstr "Inverti stato \"Ignora\"" -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 msgid "Unarchive" msgstr "Dearchivia" -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 msgid "Archive" msgstr "Archivia" -#: ../../mod/contacts.php:453 +#: ../../mod/contacts.php:458 msgid "Toggle Archive status" msgstr "Inverti stato \"Archiviato\"" -#: ../../mod/contacts.php:456 +#: ../../mod/contacts.php:461 msgid "Repair" msgstr "Ripara" -#: ../../mod/contacts.php:459 +#: ../../mod/contacts.php:464 msgid "Advanced Contact Settings" msgstr "Impostazioni avanzate Contatto" -#: ../../mod/contacts.php:465 +#: ../../mod/contacts.php:470 msgid "Communications lost with this contact!" msgstr "Comunicazione con questo contatto persa!" -#: ../../mod/contacts.php:468 +#: ../../mod/contacts.php:473 msgid "Contact Editor" msgstr "Editor dei Contatti" -#: ../../mod/contacts.php:471 +#: ../../mod/contacts.php:475 ../../mod/manage.php:110 +#: ../../mod/fsuggest.php:107 ../../mod/message.php:335 +#: ../../mod/message.php:564 ../../mod/crepair.php:186 +#: ../../mod/events.php:478 ../../mod/content.php:710 +#: ../../mod/install.php:248 ../../mod/install.php:286 ../../mod/mood.php:137 +#: ../../mod/profiles.php:686 ../../mod/localtime.php:45 +#: ../../mod/poke.php:199 ../../mod/invite.php:140 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 +#: ../../mod/photos.php:1697 ../../object/Item.php:678 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/dispy/config.php:70 ../../view/theme/quattro/config.php:64 +#: ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 ../../view/theme/vier/config.php:53 +#: ../../view/theme/duepuntozero/config.php:59 +msgid "Submit" +msgstr "Invia" + +#: ../../mod/contacts.php:476 msgid "Profile Visibility" msgstr "Visibilità del profilo" -#: ../../mod/contacts.php:472 +#: ../../mod/contacts.php:477 #, php-format msgid "" "Please choose the profile you would like to display to %s when viewing your " "profile securely." msgstr "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro." -#: ../../mod/contacts.php:473 +#: ../../mod/contacts.php:478 msgid "Contact Information / Notes" msgstr "Informazioni / Note sul contatto" -#: ../../mod/contacts.php:474 +#: ../../mod/contacts.php:479 msgid "Edit contact notes" msgstr "Modifica note contatto" -#: ../../mod/contacts.php:480 +#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 +#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 +#, php-format +msgid "Visit %s's profile [%s]" +msgstr "Visita il profilo di %s [%s]" + +#: ../../mod/contacts.php:485 msgid "Block/Unblock contact" msgstr "Blocca/Sblocca contatto" -#: ../../mod/contacts.php:481 +#: ../../mod/contacts.php:486 msgid "Ignore contact" msgstr "Ignora il contatto" -#: ../../mod/contacts.php:482 +#: ../../mod/contacts.php:487 msgid "Repair URL settings" msgstr "Impostazioni riparazione URL" -#: ../../mod/contacts.php:483 +#: ../../mod/contacts.php:488 msgid "View conversations" msgstr "Vedi conversazioni" -#: ../../mod/contacts.php:485 +#: ../../mod/contacts.php:490 msgid "Delete contact" msgstr "Rimuovi contatto" -#: ../../mod/contacts.php:489 +#: ../../mod/contacts.php:494 msgid "Last update:" msgstr "Ultimo aggiornamento:" -#: ../../mod/contacts.php:491 +#: ../../mod/contacts.php:496 msgid "Update public posts" msgstr "Aggiorna messaggi pubblici" -#: ../../mod/contacts.php:500 +#: ../../mod/contacts.php:498 ../../mod/admin.php:1503 +msgid "Update now" +msgstr "Aggiorna adesso" + +#: ../../mod/contacts.php:505 msgid "Currently blocked" msgstr "Bloccato" -#: ../../mod/contacts.php:501 +#: ../../mod/contacts.php:506 msgid "Currently ignored" msgstr "Ignorato" -#: ../../mod/contacts.php:502 +#: ../../mod/contacts.php:507 msgid "Currently archived" msgstr "Al momento archiviato" -#: ../../mod/contacts.php:503 +#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 +#: ../../mod/notifications.php:204 +msgid "Hide this contact from others" +msgstr "Nascondi questo contatto agli altri" + +#: ../../mod/contacts.php:508 msgid "" "Replies/likes to your public posts may still be visible" msgstr "Risposte ai tuoi post pubblici possono essere comunque visibili" -#: ../../mod/contacts.php:504 +#: ../../mod/contacts.php:509 msgid "Notification for new posts" msgstr "Notifica per i nuovi messaggi" -#: ../../mod/contacts.php:504 +#: ../../mod/contacts.php:509 msgid "Send a notification of every new post of this contact" msgstr "Invia una notifica per ogni nuovo messaggio di questo contatto" -#: ../../mod/contacts.php:505 +#: ../../mod/contacts.php:510 msgid "Fetch further information for feeds" msgstr "Recupera maggiori infomazioni per i feed" -#: ../../mod/contacts.php:556 +#: ../../mod/contacts.php:511 +msgid "Disabled" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Fetch information" +msgstr "" + +#: ../../mod/contacts.php:511 +msgid "Fetch information and keywords" +msgstr "" + +#: ../../mod/contacts.php:513 +msgid "Blacklisted keywords" +msgstr "" + +#: ../../mod/contacts.php:513 +msgid "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "" + +#: ../../mod/contacts.php:564 msgid "Suggestions" msgstr "Suggerimenti" -#: ../../mod/contacts.php:559 +#: ../../mod/contacts.php:567 msgid "Suggest potential friends" msgstr "Suggerisci potenziali amici" -#: ../../mod/contacts.php:562 ../../mod/group.php:194 +#: ../../mod/contacts.php:570 ../../mod/group.php:194 msgid "All Contacts" msgstr "Tutti i contatti" -#: ../../mod/contacts.php:565 +#: ../../mod/contacts.php:573 msgid "Show all contacts" msgstr "Mostra tutti i contatti" -#: ../../mod/contacts.php:568 +#: ../../mod/contacts.php:576 msgid "Unblocked" msgstr "Sbloccato" -#: ../../mod/contacts.php:571 +#: ../../mod/contacts.php:579 msgid "Only show unblocked contacts" msgstr "Mostra solo contatti non bloccati" -#: ../../mod/contacts.php:575 +#: ../../mod/contacts.php:583 msgid "Blocked" msgstr "Bloccato" -#: ../../mod/contacts.php:578 +#: ../../mod/contacts.php:586 msgid "Only show blocked contacts" msgstr "Mostra solo contatti bloccati" -#: ../../mod/contacts.php:582 +#: ../../mod/contacts.php:590 msgid "Ignored" msgstr "Ignorato" -#: ../../mod/contacts.php:585 +#: ../../mod/contacts.php:593 msgid "Only show ignored contacts" msgstr "Mostra solo contatti ignorati" -#: ../../mod/contacts.php:589 +#: ../../mod/contacts.php:597 msgid "Archived" msgstr "Achiviato" -#: ../../mod/contacts.php:592 +#: ../../mod/contacts.php:600 msgid "Only show archived contacts" msgstr "Mostra solo contatti archiviati" -#: ../../mod/contacts.php:596 +#: ../../mod/contacts.php:604 msgid "Hidden" msgstr "Nascosto" -#: ../../mod/contacts.php:599 +#: ../../mod/contacts.php:607 msgid "Only show hidden contacts" msgstr "Mostra solo contatti nascosti" -#: ../../mod/contacts.php:647 +#: ../../mod/contacts.php:655 msgid "Mutual Friendship" msgstr "Amicizia reciproca" -#: ../../mod/contacts.php:651 +#: ../../mod/contacts.php:659 msgid "is a fan of yours" msgstr "è un tuo fan" -#: ../../mod/contacts.php:655 +#: ../../mod/contacts.php:663 msgid "you are a fan of" msgstr "sei un fan di" -#: ../../mod/contacts.php:694 ../../view/theme/diabook/theme.php:125 -#: ../../include/nav.php:175 +#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "Modifca contatto" + +#: ../../mod/contacts.php:702 ../../include/nav.php:177 +#: ../../view/theme/diabook/theme.php:125 msgid "Contacts" msgstr "Contatti" -#: ../../mod/contacts.php:698 +#: ../../mod/contacts.php:706 msgid "Search your contacts" msgstr "Cerca nei tuoi contatti" -#: ../../mod/contacts.php:699 ../../mod/directory.php:61 +#: ../../mod/contacts.php:707 ../../mod/directory.php:61 msgid "Finding: " msgstr "Ricerca: " -#: ../../mod/contacts.php:700 ../../mod/directory.php:63 +#: ../../mod/contacts.php:708 ../../mod/directory.php:63 #: ../../include/contact_widgets.php:34 msgid "Find" msgstr "Trova" -#: ../../mod/contacts.php:705 ../../mod/settings.php:132 -#: ../../mod/settings.php:637 +#: ../../mod/contacts.php:713 ../../mod/settings.php:132 +#: ../../mod/settings.php:640 msgid "Update" msgstr "Aggiorna" -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "Nessun video selezionato" - -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "Video Recenti" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "Carica Nuovo Video" - -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "Amici in comune" - -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "Nessun contatto in comune." - -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "Contatto aggiunto" - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "Muovi account" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "Puoi importare un account da un altro server Friendica." - -#: ../../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 "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui." - -#: ../../mod/uimport.php:69 -msgid "" -"This feature is experimental. We can't import contacts from the OStatus " -"network (statusnet/identi.ca) or from Diaspora" -msgstr "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora" - -#: ../../mod/uimport.php:70 -msgid "Account file" -msgstr "File account" - -#: ../../mod/uimport.php:70 -msgid "" -"To export your account, go to \"Settings->Export your personal data\" and " -"select \"Export account\"" -msgstr "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\"" - -#: ../../mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s sta seguendo %3$s di %2$s" - -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "Amici di %s" - -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "Nessun amico da visualizzare." - -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "Tag rimosso" - -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "Rimuovi il tag" - -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "Seleziona un tag da rimuovere: " - -#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 -msgid "Remove" +#: ../../mod/contacts.php:717 ../../mod/group.php:171 ../../mod/admin.php:1007 +#: ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../mod/settings.php:677 ../../mod/photos.php:1654 +#: ../../object/Item.php:130 ../../include/conversation.php:614 +msgid "Delete" msgstr "Rimuovi" +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "Nessun profilo" + +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "Gestisci indentità e/o pagine" + +#: ../../mod/manage.php:107 +msgid "" +"Toggle between different identities or community/group pages which share " +"your account details or which you have been granted \"manage\" permissions" +msgstr "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione" + +#: ../../mod/manage.php:108 +msgid "Select an identity to manage: " +msgstr "Seleziona un'identità da gestire:" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "Inviato!" + +#: ../../mod/profperm.php:19 ../../mod/group.php:72 ../../index.php:368 +msgid "Permission denied" +msgstr "Permesso negato" + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "Indentificativo del profilo non valido." + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "Modifica visibilità del profilo" + +#: ../../mod/profperm.php:103 ../../mod/newmember.php:32 ../../boot.php:2119 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Profile" +msgstr "Profilo" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "Clicca su un contatto per aggiungerlo o rimuoverlo." + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "Visibile a" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "Tutti i contatti (con profilo ad accesso sicuro)" + +#: ../../mod/display.php:82 ../../mod/display.php:284 +#: ../../mod/display.php:503 ../../mod/viewsrc.php:15 ../../mod/admin.php:169 +#: ../../mod/admin.php:1052 ../../mod/admin.php:1265 ../../mod/notice.php:15 +#: ../../include/items.php:4516 +msgid "Item not found." +msgstr "Elemento non trovato." + +#: ../../mod/display.php:212 ../../mod/videos.php:115 +#: ../../mod/viewcontacts.php:19 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:762 ../../mod/search.php:89 +#: ../../mod/directory.php:33 ../../mod/photos.php:920 +msgid "Public access denied." +msgstr "Accesso negato." + +#: ../../mod/display.php:332 ../../mod/profile.php:155 +msgid "Access to this profile has been restricted." +msgstr "L'accesso a questo profilo è stato limitato." + +#: ../../mod/display.php:496 +msgid "Item has been removed." +msgstr "L'oggetto è stato rimosso." + #: ../../mod/newmember.php:6 msgid "Welcome to Friendica" msgstr "Benvenuto su Friendica" @@ -3255,6 +574,13 @@ msgid "" " join." msgstr "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti." +#: ../../mod/newmember.php:22 ../../mod/admin.php:1104 +#: ../../mod/admin.php:1325 ../../mod/settings.php:85 +#: ../../include/nav.php:172 ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 +msgid "Settings" +msgstr "Impostazioni" + #: ../../mod/newmember.php:26 msgid "Go to Your Settings" msgstr "Vai alle tue Impostazioni" @@ -3274,15 +600,8 @@ msgid "" "potential friends know exactly how to find you." msgstr "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti." -#: ../../mod/newmember.php:32 ../../mod/profperm.php:103 -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2090 -#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 -#: ../../include/nav.php:77 -msgid "Profile" -msgstr "Profilo" - -#: ../../mod/newmember.php:36 ../../mod/profiles.php:658 -#: ../../mod/profile_photo.php:244 +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +#: ../../mod/profiles.php:699 msgid "Upload Profile Photo" msgstr "Carica la foto del profilo" @@ -3422,1082 +741,543 @@ msgid "" " features and resources." msgstr "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse." -#: ../../mod/search.php:21 ../../mod/network.php:179 -msgid "Remove term" -msgstr "Rimuovi termine" +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "Errore protocollo OpenID. Nessun ID ricevuto." -#: ../../mod/search.php:30 ../../mod/network.php:188 -#: ../../include/features.php:42 -msgid "Saved Searches" -msgstr "Ricerche salvate" +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito." -#: ../../mod/search.php:99 ../../include/text.php:952 -#: ../../include/text.php:953 ../../include/nav.php:119 -msgid "Search" -msgstr "Cerca" +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 +msgid "Login failed." +msgstr "Accesso fallito." -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "Nessun risultato." +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "L'immagine è stata caricata, ma il non è stato possibile ritagliarla." -#: ../../mod/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "Limite totale degli inviti superato." +#: ../../mod/profile_photo.php:74 ../../mod/profile_photo.php:81 +#: ../../mod/profile_photo.php:88 ../../mod/profile_photo.php:204 +#: ../../mod/profile_photo.php:296 ../../mod/profile_photo.php:305 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1187 +#: ../../mod/photos.php:1210 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../view/theme/diabook/theme.php:500 +msgid "Profile Photos" +msgstr "Foto del profilo" -#: ../../mod/invite.php:49 +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 #, php-format -msgid "%s : Not a valid email address." -msgstr "%s: non è un indirizzo email valido." +msgid "Image size reduction [%s] failed." +msgstr "Il ridimensionamento del'immagine [%s] è fallito." -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "Unisiciti a noi su Friendica" +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente." -#: ../../mod/invite.php:84 -msgid "Invitation limit exceeded. Please contact your site administrator." -msgstr "Limite degli inviti superato. Contatta l'amministratore del tuo sito." +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "Impossibile elaborare l'immagine" -#: ../../mod/invite.php:89 +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:122 #, php-format -msgid "%s : Message delivery failed." -msgstr "%s: la consegna del messaggio fallita." +msgid "Image exceeds size limit of %d" +msgstr "La dimensione dell'immagine supera il limite di %d" -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d messaggio inviato." -msgstr[1] "%d messaggi inviati." +#: ../../mod/profile_photo.php:153 ../../mod/wall_upload.php:144 +#: ../../mod/photos.php:807 +msgid "Unable to process image." +msgstr "Impossibile caricare l'immagine." -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "Non hai altri inviti disponibili" +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "Carica un file:" -#: ../../mod/invite.php:120 -#, 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 "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network." +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "Seleziona un profilo:" -#: ../../mod/invite.php:122 -#, php-format -msgid "" -"To accept this invitation, please visit and register at %s or any other " -"public Friendica website." -msgstr "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico." +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "Carica" -#: ../../mod/invite.php:123 -#, 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 "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti." - -#: ../../mod/invite.php:126 -msgid "" -"Our apologies. This system is not currently configured to connect with other" -" public sites or invite members." -msgstr "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri." - -#: ../../mod/invite.php:132 -msgid "Send invitations" -msgstr "Invia inviti" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "Inserisci gli indirizzi email, uno per riga:" - -#: ../../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 "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore." - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "Sarà necessario fornire questo codice invito: $invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "Una volta registrato, connettiti con me dal mio profilo:" - -#: ../../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 "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com" - -#: ../../mod/settings.php:41 -msgid "Additional features" -msgstr "Funzionalità aggiuntive" - -#: ../../mod/settings.php:46 -msgid "Display" -msgstr "Visualizzazione" - -#: ../../mod/settings.php:52 ../../mod/settings.php:777 -msgid "Social Networks" -msgstr "Social Networks" - -#: ../../mod/settings.php:62 ../../include/nav.php:168 -msgid "Delegations" -msgstr "Delegazioni" - -#: ../../mod/settings.php:67 -msgid "Connected apps" -msgstr "Applicazioni collegate" - -#: ../../mod/settings.php:72 ../../mod/uexport.php:85 -msgid "Export personal data" -msgstr "Esporta dati personali" - -#: ../../mod/settings.php:77 -msgid "Remove account" -msgstr "Rimuovi account" - -#: ../../mod/settings.php:129 -msgid "Missing some important data!" -msgstr "Mancano alcuni dati importanti!" - -#: ../../mod/settings.php:238 -msgid "Failed to connect with email account using the settings provided." -msgstr "Impossibile collegarsi all'account email con i parametri forniti." - -#: ../../mod/settings.php:243 -msgid "Email settings updated." -msgstr "Impostazioni e-mail aggiornate." - -#: ../../mod/settings.php:258 -msgid "Features updated" -msgstr "Funzionalità aggiornate" - -#: ../../mod/settings.php:321 -msgid "Relocate message has been send to your contacts" -msgstr "Il messaggio di trasloco è stato inviato ai tuoi contatti" - -#: ../../mod/settings.php:335 -msgid "Passwords do not match. Password unchanged." -msgstr "Le password non corrispondono. Password non cambiata." - -#: ../../mod/settings.php:340 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "Le password non possono essere vuote. Password non cambiata." - -#: ../../mod/settings.php:348 -msgid "Wrong password." -msgstr "Password sbagliata." - -#: ../../mod/settings.php:359 -msgid "Password changed." -msgstr "Password cambiata." - -#: ../../mod/settings.php:361 -msgid "Password update failed. Please try again." -msgstr "Aggiornamento password fallito. Prova ancora." - -#: ../../mod/settings.php:426 -msgid " Please use a shorter name." -msgstr " Usa un nome più corto." - -#: ../../mod/settings.php:428 -msgid " Name too short." -msgstr " Nome troppo corto." - -#: ../../mod/settings.php:437 -msgid "Wrong Password" -msgstr "Password Sbagliata" - -#: ../../mod/settings.php:442 -msgid " Not valid email." -msgstr " Email non valida." - -#: ../../mod/settings.php:448 -msgid " Cannot change to that email." -msgstr "Non puoi usare quella email." - -#: ../../mod/settings.php:503 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito." - -#: ../../mod/settings.php:507 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito." - -#: ../../mod/settings.php:537 -msgid "Settings updated." -msgstr "Impostazioni aggiornate." - -#: ../../mod/settings.php:610 ../../mod/settings.php:636 -#: ../../mod/settings.php:672 -msgid "Add application" -msgstr "Aggiungi applicazione" - -#: ../../mod/settings.php:614 ../../mod/settings.php:640 -msgid "Consumer Key" -msgstr "Consumer Key" - -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -msgid "Consumer Secret" -msgstr "Consumer Secret" - -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Redirect" -msgstr "Redirect" - -#: ../../mod/settings.php:617 ../../mod/settings.php:643 -msgid "Icon url" -msgstr "Url icona" - -#: ../../mod/settings.php:628 -msgid "You can't edit this application." -msgstr "Non puoi modificare questa applicazione." - -#: ../../mod/settings.php:671 -msgid "Connected Apps" -msgstr "Applicazioni Collegate" - -#: ../../mod/settings.php:675 -msgid "Client key starts with" -msgstr "Chiave del client inizia con" - -#: ../../mod/settings.php:676 -msgid "No name" -msgstr "Nessun nome" - -#: ../../mod/settings.php:677 -msgid "Remove authorization" -msgstr "Rimuovi l'autorizzazione" - -#: ../../mod/settings.php:689 -msgid "No Plugin settings configured" -msgstr "Nessun plugin ha impostazioni modificabili" - -#: ../../mod/settings.php:697 -msgid "Plugin Settings" -msgstr "Impostazioni plugin" - -#: ../../mod/settings.php:711 -msgid "Off" -msgstr "Spento" - -#: ../../mod/settings.php:711 -msgid "On" -msgstr "Acceso" - -#: ../../mod/settings.php:719 -msgid "Additional Features" -msgstr "Funzionalità aggiuntive" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "Il supporto integrato per la connettività con %s è %s" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "enabled" -msgstr "abilitato" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "disabled" -msgstr "disabilitato" - -#: ../../mod/settings.php:734 -msgid "StatusNet" -msgstr "StatusNet" - -#: ../../mod/settings.php:770 -msgid "Email access is disabled on this site." -msgstr "L'accesso email è disabilitato su questo sito." - -#: ../../mod/settings.php:782 -msgid "Email/Mailbox Setup" -msgstr "Impostazioni email" - -#: ../../mod/settings.php:783 -msgid "" -"If you wish to communicate with email contacts using this service " -"(optional), please specify how to connect to your mailbox." -msgstr "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)" - -#: ../../mod/settings.php:784 -msgid "Last successful email check:" -msgstr "Ultimo controllo email eseguito con successo:" - -#: ../../mod/settings.php:786 -msgid "IMAP server name:" -msgstr "Nome server IMAP:" - -#: ../../mod/settings.php:787 -msgid "IMAP port:" -msgstr "Porta IMAP:" - -#: ../../mod/settings.php:788 -msgid "Security:" -msgstr "Sicurezza:" - -#: ../../mod/settings.php:788 ../../mod/settings.php:793 -msgid "None" -msgstr "Nessuna" - -#: ../../mod/settings.php:789 -msgid "Email login name:" -msgstr "Nome utente email:" - -#: ../../mod/settings.php:790 -msgid "Email password:" -msgstr "Password email:" - -#: ../../mod/settings.php:791 -msgid "Reply-to address:" -msgstr "Indirizzo di risposta:" - -#: ../../mod/settings.php:792 -msgid "Send public posts to all email contacts:" -msgstr "Invia i messaggi pubblici ai contatti email:" - -#: ../../mod/settings.php:793 -msgid "Action after import:" -msgstr "Azione post importazione:" - -#: ../../mod/settings.php:793 -msgid "Mark as seen" -msgstr "Segna come letto" - -#: ../../mod/settings.php:793 -msgid "Move to folder" -msgstr "Sposta nella cartella" - -#: ../../mod/settings.php:794 -msgid "Move to folder:" -msgstr "Sposta nella cartella:" - -#: ../../mod/settings.php:875 -msgid "Display Settings" -msgstr "Impostazioni Grafiche" - -#: ../../mod/settings.php:881 ../../mod/settings.php:896 -msgid "Display Theme:" -msgstr "Tema:" - -#: ../../mod/settings.php:882 -msgid "Mobile Theme:" -msgstr "Tema mobile:" - -#: ../../mod/settings.php:883 -msgid "Update browser every xx seconds" -msgstr "Aggiorna il browser ogni x secondi" - -#: ../../mod/settings.php:883 -msgid "Minimum of 10 seconds, no maximum" -msgstr "Minimo 10 secondi, nessun limite massimo" - -#: ../../mod/settings.php:884 -msgid "Number of items to display per page:" -msgstr "Numero di elementi da mostrare per pagina:" - -#: ../../mod/settings.php:884 ../../mod/settings.php:885 -msgid "Maximum of 100 items" -msgstr "Massimo 100 voci" - -#: ../../mod/settings.php:885 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:" - -#: ../../mod/settings.php:886 -msgid "Don't show emoticons" -msgstr "Non mostrare le emoticons" - -#: ../../mod/settings.php:887 -msgid "Don't show notices" -msgstr "Non mostrare gli avvisi" - -#: ../../mod/settings.php:888 -msgid "Infinite scroll" -msgstr "Scroll infinito" - -#: ../../mod/settings.php:889 -msgid "Automatic updates only at the top of the network page" -msgstr "Aggiornamenti automatici solo in cima alla pagina \"rete\"" - -#: ../../mod/settings.php:966 -msgid "User Types" -msgstr "Tipi di Utenti" - -#: ../../mod/settings.php:967 -msgid "Community Types" -msgstr "Tipi di Comunità" - -#: ../../mod/settings.php:968 -msgid "Normal Account Page" -msgstr "Pagina Account Normale" - -#: ../../mod/settings.php:969 -msgid "This account is a normal personal profile" -msgstr "Questo account è un normale profilo personale" - -#: ../../mod/settings.php:972 -msgid "Soapbox Page" -msgstr "Pagina Sandbox" - -#: ../../mod/settings.php:973 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca" - -#: ../../mod/settings.php:976 -msgid "Community Forum/Celebrity Account" -msgstr "Account Celebrità/Forum comunitario" - -#: ../../mod/settings.php:977 -msgid "" -"Automatically approve all connection/friend requests as read-write fans" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca" - -#: ../../mod/settings.php:980 -msgid "Automatic Friend Page" -msgstr "Pagina con amicizia automatica" - -#: ../../mod/settings.php:981 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico" - -#: ../../mod/settings.php:984 -msgid "Private Forum [Experimental]" -msgstr "Forum privato [sperimentale]" - -#: ../../mod/settings.php:985 -msgid "Private forum - approved members only" -msgstr "Forum privato - solo membri approvati" - -#: ../../mod/settings.php:997 -msgid "OpenID:" -msgstr "OpenID:" - -#: ../../mod/settings.php:997 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(Opzionale) Consente di loggarti in questo account con questo OpenID" - -#: ../../mod/settings.php:1007 -msgid "Publish your default profile in your local site directory?" -msgstr "Pubblica il tuo profilo predefinito nell'elenco locale del sito" - -#: ../../mod/settings.php:1013 -msgid "Publish your default profile in the global social directory?" -msgstr "Pubblica il tuo profilo predefinito nell'elenco sociale globale" - -#: ../../mod/settings.php:1021 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito" - -#: ../../mod/settings.php:1025 ../../include/conversation.php:1057 -msgid "Hide your profile details from unknown viewers?" -msgstr "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?" - -#: ../../mod/settings.php:1030 -msgid "Allow friends to post to your profile page?" -msgstr "Permetti agli amici di scrivere sulla tua pagina profilo?" - -#: ../../mod/settings.php:1036 -msgid "Allow friends to tag your posts?" -msgstr "Permetti agli amici di taggare i tuoi messaggi?" - -#: ../../mod/settings.php:1042 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "Ci permetti di suggerirti come potenziale amico ai nuovi membri?" - -#: ../../mod/settings.php:1048 -msgid "Permit unknown people to send you private mail?" -msgstr "Permetti a utenti sconosciuti di inviarti messaggi privati?" - -#: ../../mod/settings.php:1056 -msgid "Profile is not published." -msgstr "Il profilo non è pubblicato." - -#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 +#: ../../mod/profile_photo.php:248 ../../mod/settings.php:1062 msgid "or" msgstr "o" -#: ../../mod/settings.php:1064 -msgid "Your Identity Address is" -msgstr "L'indirizzo della tua identità è" - -#: ../../mod/settings.php:1075 -msgid "Automatically expire posts after this many days:" -msgstr "Fai scadere i post automaticamente dopo x giorni:" - -#: ../../mod/settings.php:1075 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "Se lasciato vuoto, i messaggi non verranno cancellati." - -#: ../../mod/settings.php:1076 -msgid "Advanced expiration settings" -msgstr "Impostazioni avanzate di scandenza" - -#: ../../mod/settings.php:1077 -msgid "Advanced Expiration" -msgstr "Scadenza avanzata" - -#: ../../mod/settings.php:1078 -msgid "Expire posts:" -msgstr "Fai scadere i post:" - -#: ../../mod/settings.php:1079 -msgid "Expire personal notes:" -msgstr "Fai scadere le Note personali:" - -#: ../../mod/settings.php:1080 -msgid "Expire starred posts:" -msgstr "Fai scadere i post Speciali:" - -#: ../../mod/settings.php:1081 -msgid "Expire photos:" -msgstr "Fai scadere le foto:" - -#: ../../mod/settings.php:1082 -msgid "Only expire posts by others:" -msgstr "Fai scadere solo i post degli altri:" - -#: ../../mod/settings.php:1108 -msgid "Account Settings" -msgstr "Impostazioni account" - -#: ../../mod/settings.php:1116 -msgid "Password Settings" -msgstr "Impostazioni password" - -#: ../../mod/settings.php:1117 -msgid "New Password:" -msgstr "Nuova password:" - -#: ../../mod/settings.php:1118 -msgid "Confirm:" -msgstr "Conferma:" - -#: ../../mod/settings.php:1118 -msgid "Leave password fields blank unless changing" -msgstr "Lascia questi campi in bianco per non effettuare variazioni alla password" - -#: ../../mod/settings.php:1119 -msgid "Current Password:" -msgstr "Password Attuale:" - -#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 -msgid "Your current password to confirm the changes" -msgstr "La tua password attuale per confermare le modifiche" - -#: ../../mod/settings.php:1120 -msgid "Password:" -msgstr "Password:" - -#: ../../mod/settings.php:1124 -msgid "Basic Settings" -msgstr "Impostazioni base" - -#: ../../mod/settings.php:1125 ../../include/profile_advanced.php:15 -msgid "Full Name:" -msgstr "Nome completo:" - -#: ../../mod/settings.php:1126 -msgid "Email Address:" -msgstr "Indirizzo Email:" - -#: ../../mod/settings.php:1127 -msgid "Your Timezone:" -msgstr "Il tuo fuso orario:" - -#: ../../mod/settings.php:1128 -msgid "Default Post Location:" -msgstr "Località predefinita:" - -#: ../../mod/settings.php:1129 -msgid "Use Browser Location:" -msgstr "Usa la località rilevata dal browser:" - -#: ../../mod/settings.php:1132 -msgid "Security and Privacy Settings" -msgstr "Impostazioni di sicurezza e privacy" - -#: ../../mod/settings.php:1134 -msgid "Maximum Friend Requests/Day:" -msgstr "Numero massimo di richieste di amicizia al giorno:" - -#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 -msgid "(to prevent spam abuse)" -msgstr "(per prevenire lo spam)" - -#: ../../mod/settings.php:1135 -msgid "Default Post Permissions" -msgstr "Permessi predefiniti per i messaggi" - -#: ../../mod/settings.php:1136 -msgid "(click to open/close)" -msgstr "(clicca per aprire/chiudere)" - -#: ../../mod/settings.php:1147 -msgid "Default Private Post" -msgstr "Default Post Privato" - -#: ../../mod/settings.php:1148 -msgid "Default Public Post" -msgstr "Default Post Pubblico" - -#: ../../mod/settings.php:1152 -msgid "Default Permissions for New Posts" -msgstr "Permessi predefiniti per i nuovi post" - -#: ../../mod/settings.php:1164 -msgid "Maximum private messages per day from unknown people:" -msgstr "Numero massimo di messaggi privati da utenti sconosciuti per giorno:" - -#: ../../mod/settings.php:1167 -msgid "Notification Settings" -msgstr "Impostazioni notifiche" - -#: ../../mod/settings.php:1168 -msgid "By default post a status message when:" -msgstr "Invia un messaggio di stato quando:" - -#: ../../mod/settings.php:1169 -msgid "accepting a friend request" -msgstr "accetti una richiesta di amicizia" - -#: ../../mod/settings.php:1170 -msgid "joining a forum/community" -msgstr "ti unisci a un forum/comunità" - -#: ../../mod/settings.php:1171 -msgid "making an interesting profile change" -msgstr "fai un interessante modifica al profilo" - -#: ../../mod/settings.php:1172 -msgid "Send a notification email when:" -msgstr "Invia una mail di notifica quando:" - -#: ../../mod/settings.php:1173 -msgid "You receive an introduction" -msgstr "Ricevi una presentazione" - -#: ../../mod/settings.php:1174 -msgid "Your introductions are confirmed" -msgstr "Le tue presentazioni sono confermate" - -#: ../../mod/settings.php:1175 -msgid "Someone writes on your profile wall" -msgstr "Qualcuno scrive sulla bacheca del tuo profilo" - -#: ../../mod/settings.php:1176 -msgid "Someone writes a followup comment" -msgstr "Qualcuno scrive un commento a un tuo messaggio" - -#: ../../mod/settings.php:1177 -msgid "You receive a private message" -msgstr "Ricevi un messaggio privato" - -#: ../../mod/settings.php:1178 -msgid "You receive a friend suggestion" -msgstr "Hai ricevuto un suggerimento di amicizia" - -#: ../../mod/settings.php:1179 -msgid "You are tagged in a post" -msgstr "Sei stato taggato in un post" - -#: ../../mod/settings.php:1180 -msgid "You are poked/prodded/etc. in a post" -msgstr "Sei 'toccato'/'spronato'/ecc. in un post" - -#: ../../mod/settings.php:1183 -msgid "Advanced Account/Page Type Settings" -msgstr "Impostazioni avanzate Account/Tipo di pagina" - -#: ../../mod/settings.php:1184 -msgid "Change the behaviour of this account for special situations" -msgstr "Modifica il comportamento di questo account in situazioni speciali" - -#: ../../mod/settings.php:1187 -msgid "Relocate" -msgstr "Trasloca" - -#: ../../mod/settings.php:1188 -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 "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone." - -#: ../../mod/settings.php:1189 -msgid "Resend relocate message to contacts" -msgstr "Reinvia il messaggio di trasloco" - -#: ../../mod/display.php:452 -msgid "Item has been removed." -msgstr "L'oggetto è stato rimosso." - -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "Cerca persone" - -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "Nessun risultato" - -#: ../../mod/profiles.php:37 -msgid "Profile deleted." -msgstr "Profilo elminato." - -#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 -msgid "Profile-" -msgstr "Profilo-" - -#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 -msgid "New profile created." -msgstr "Il nuovo profilo è stato creato." - -#: ../../mod/profiles.php:95 -msgid "Profile unavailable to clone." -msgstr "Impossibile duplicare il profilo." - -#: ../../mod/profiles.php:172 -msgid "Profile Name is required." -msgstr "Il nome profilo è obbligatorio ." - -#: ../../mod/profiles.php:323 -msgid "Marital Status" -msgstr "Stato civile" - -#: ../../mod/profiles.php:327 -msgid "Romantic Partner" -msgstr "Partner romantico" - -#: ../../mod/profiles.php:331 -msgid "Likes" -msgstr "Mi piace" - -#: ../../mod/profiles.php:335 -msgid "Dislikes" -msgstr "Non mi piace" - -#: ../../mod/profiles.php:339 -msgid "Work/Employment" -msgstr "Lavoro/Impiego" - -#: ../../mod/profiles.php:342 -msgid "Religion" -msgstr "Religione" - -#: ../../mod/profiles.php:346 -msgid "Political Views" -msgstr "Orientamento Politico" - -#: ../../mod/profiles.php:350 -msgid "Gender" -msgstr "Sesso" - -#: ../../mod/profiles.php:354 -msgid "Sexual Preference" -msgstr "Preferenza sessuale" - -#: ../../mod/profiles.php:358 -msgid "Homepage" -msgstr "Homepage" - -#: ../../mod/profiles.php:362 ../../mod/profiles.php:657 -msgid "Interests" -msgstr "Interessi" - -#: ../../mod/profiles.php:366 -msgid "Address" -msgstr "Indirizzo" - -#: ../../mod/profiles.php:373 ../../mod/profiles.php:653 -msgid "Location" -msgstr "Posizione" - -#: ../../mod/profiles.php:456 -msgid "Profile updated." -msgstr "Profilo aggiornato." - -#: ../../mod/profiles.php:527 -msgid " and " -msgstr "e " - -#: ../../mod/profiles.php:535 -msgid "public profile" -msgstr "profilo pubblico" - -#: ../../mod/profiles.php:538 +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "salta questo passaggio" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "seleziona una foto dai tuoi album" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "Ritaglia immagine" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "Ritaglia l'imagine per una visualizzazione migliore." + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "Finito" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "Immagine caricata con successo." + +#: ../../mod/profile_photo.php:301 ../../mod/wall_upload.php:172 +#: ../../mod/photos.php:834 +msgid "Image upload failed." +msgstr "Caricamento immagine fallito." + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1968 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:471 +msgid "photo" +msgstr "foto" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../mod/like.php:319 ../../include/conversation.php:121 +#: ../../include/conversation.php:130 ../../include/conversation.php:249 +#: ../../include/conversation.php:258 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 +msgid "status" +msgstr "stato" + +#: ../../mod/subthread.php:103 #, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s ha cambiato %2$s in “%3$s”" +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s sta seguendo %3$s di %2$s" -#: ../../mod/profiles.php:539 +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "Tag rimosso" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "Rimuovi il tag" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "Seleziona un tag da rimuovere: " + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "Rimuovi" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "Salva nella Cartella:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "- seleziona -" + +#: ../../mod/filer.php:31 ../../mod/editpost.php:109 ../../mod/notes.php:63 +#: ../../include/text.php:956 +msgid "Save" +msgstr "Salva" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "Contatto aggiunto" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "Impossibile trovare il messaggio originale." + +#: ../../mod/item.php:345 +msgid "Empty post discarded." +msgstr "Messaggio vuoto scartato." + +#: ../../mod/item.php:484 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../include/Photo.php:916 ../../include/Photo.php:931 +#: ../../include/Photo.php:938 ../../include/Photo.php:960 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "Foto della bacheca" + +#: ../../mod/item.php:938 +msgid "System error. Post not saved." +msgstr "Errore di sistema. Messaggio non salvato." + +#: ../../mod/item.php:964 #, php-format -msgid " - Visit %1$s's %2$s" -msgstr "- Visita %2$s di %1$s" +msgid "" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica." -#: ../../mod/profiles.php:542 +#: ../../mod/item.php:966 #, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s ha un %2$s aggiornato. Ha cambiato %3$s" +msgid "You may visit them online at %s" +msgstr "Puoi visitarli online su %s" -#: ../../mod/profiles.php:617 -msgid "Hide contacts and friends:" -msgstr "Nascondi contatti:" +#: ../../mod/item.php:967 +msgid "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi." -#: ../../mod/profiles.php:622 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?" - -#: ../../mod/profiles.php:644 -msgid "Edit Profile Details" -msgstr "Modifica i dettagli del profilo" - -#: ../../mod/profiles.php:646 -msgid "Change Profile Photo" -msgstr "Cambia la foto del profilo" - -#: ../../mod/profiles.php:647 -msgid "View this profile" -msgstr "Visualizza questo profilo" - -#: ../../mod/profiles.php:648 -msgid "Create a new profile using these settings" -msgstr "Crea un nuovo profilo usando queste impostazioni" - -#: ../../mod/profiles.php:649 -msgid "Clone this profile" -msgstr "Clona questo profilo" - -#: ../../mod/profiles.php:650 -msgid "Delete this profile" -msgstr "Elimina questo profilo" - -#: ../../mod/profiles.php:651 -msgid "Basic information" -msgstr "Informazioni di base" - -#: ../../mod/profiles.php:652 -msgid "Profile picture" -msgstr "Immagine del profilo" - -#: ../../mod/profiles.php:654 -msgid "Preferences" -msgstr "Preferenze" - -#: ../../mod/profiles.php:655 -msgid "Status information" -msgstr "Informazioni stato" - -#: ../../mod/profiles.php:656 -msgid "Additional information" -msgstr "Informazioni aggiuntive" - -#: ../../mod/profiles.php:659 -msgid "Profile Name:" -msgstr "Nome del profilo:" - -#: ../../mod/profiles.php:660 -msgid "Your Full Name:" -msgstr "Il tuo nome completo:" - -#: ../../mod/profiles.php:661 -msgid "Title/Description:" -msgstr "Breve descrizione (es. titolo, posizione, altro):" - -#: ../../mod/profiles.php:662 -msgid "Your Gender:" -msgstr "Il tuo sesso:" - -#: ../../mod/profiles.php:663 +#: ../../mod/item.php:971 #, php-format -msgid "Birthday (%s):" -msgstr "Compleanno (%s)" +msgid "%s posted an update." +msgstr "%s ha inviato un aggiornamento." -#: ../../mod/profiles.php:664 -msgid "Street Address:" -msgstr "Indirizzo (via/piazza):" +#: ../../mod/group.php:29 +msgid "Group created." +msgstr "Gruppo creato." -#: ../../mod/profiles.php:665 -msgid "Locality/City:" -msgstr "Località:" +#: ../../mod/group.php:35 +msgid "Could not create group." +msgstr "Impossibile creare il gruppo." -#: ../../mod/profiles.php:666 -msgid "Postal/Zip Code:" -msgstr "CAP:" +#: ../../mod/group.php:47 ../../mod/group.php:140 +msgid "Group not found." +msgstr "Gruppo non trovato." -#: ../../mod/profiles.php:667 -msgid "Country:" -msgstr "Nazione:" +#: ../../mod/group.php:60 +msgid "Group name changed." +msgstr "Il nome del gruppo è cambiato." -#: ../../mod/profiles.php:668 -msgid "Region/State:" -msgstr "Regione/Stato:" +#: ../../mod/group.php:87 +msgid "Save Group" +msgstr "Salva gruppo" -#: ../../mod/profiles.php:669 -msgid " Marital Status:" -msgstr " Stato sentimentale:" +#: ../../mod/group.php:93 +msgid "Create a group of contacts/friends." +msgstr "Crea un gruppo di amici/contatti." -#: ../../mod/profiles.php:670 -msgid "Who: (if applicable)" -msgstr "Con chi: (se possibile)" +#: ../../mod/group.php:94 ../../mod/group.php:180 +msgid "Group Name: " +msgstr "Nome del gruppo:" -#: ../../mod/profiles.php:671 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "Esempio: cathy123, Cathy Williams, cathy@example.com" +#: ../../mod/group.php:113 +msgid "Group removed." +msgstr "Gruppo rimosso." -#: ../../mod/profiles.php:672 -msgid "Since [date]:" -msgstr "Dal [data]:" +#: ../../mod/group.php:115 +msgid "Unable to remove group." +msgstr "Impossibile rimuovere il gruppo." -#: ../../mod/profiles.php:673 ../../include/profile_advanced.php:46 -msgid "Sexual Preference:" -msgstr "Preferenze sessuali:" +#: ../../mod/group.php:179 +msgid "Group Editor" +msgstr "Modifica gruppo" -#: ../../mod/profiles.php:674 -msgid "Homepage URL:" -msgstr "Homepage:" +#: ../../mod/group.php:192 +msgid "Members" +msgstr "Membri" -#: ../../mod/profiles.php:675 ../../include/profile_advanced.php:50 -msgid "Hometown:" -msgstr "Paese natale:" +#: ../../mod/apps.php:7 ../../index.php:212 +msgid "You must be logged in to use addons. " +msgstr "Devi aver effettuato il login per usare gli addons." -#: ../../mod/profiles.php:676 ../../include/profile_advanced.php:54 -msgid "Political Views:" -msgstr "Orientamento politico:" +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "Applicazioni" -#: ../../mod/profiles.php:677 -msgid "Religious Views:" -msgstr "Orientamento religioso:" +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "Nessuna applicazione installata." -#: ../../mod/profiles.php:678 -msgid "Public Keywords:" -msgstr "Parole chiave visibili a tutti:" +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 +#: ../../mod/profiles.php:630 +msgid "Profile not found." +msgstr "Profilo non trovato." -#: ../../mod/profiles.php:679 -msgid "Private Keywords:" -msgstr "Parole chiave private:" +#: ../../mod/dfrn_confirm.php:120 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "Contatto non trovato." -#: ../../mod/profiles.php:680 ../../include/profile_advanced.php:62 -msgid "Likes:" -msgstr "Mi piace:" - -#: ../../mod/profiles.php:681 ../../include/profile_advanced.php:64 -msgid "Dislikes:" -msgstr "Non mi piace:" - -#: ../../mod/profiles.php:682 -msgid "Example: fishing photography software" -msgstr "Esempio: pesca fotografia programmazione" - -#: ../../mod/profiles.php:683 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)" - -#: ../../mod/profiles.php:684 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(Usato per cercare tra i profili, non è mai visibile agli altri)" - -#: ../../mod/profiles.php:685 -msgid "Tell us about yourself..." -msgstr "Raccontaci di te..." - -#: ../../mod/profiles.php:686 -msgid "Hobbies/Interests" -msgstr "Hobby/interessi" - -#: ../../mod/profiles.php:687 -msgid "Contact information and Social Networks" -msgstr "Informazioni su contatti e social network" - -#: ../../mod/profiles.php:688 -msgid "Musical interests" -msgstr "Interessi musicali" - -#: ../../mod/profiles.php:689 -msgid "Books, literature" -msgstr "Libri, letteratura" - -#: ../../mod/profiles.php:690 -msgid "Television" -msgstr "Televisione" - -#: ../../mod/profiles.php:691 -msgid "Film/dance/culture/entertainment" -msgstr "Film/danza/cultura/intrattenimento" - -#: ../../mod/profiles.php:692 -msgid "Love/romance" -msgstr "Amore" - -#: ../../mod/profiles.php:693 -msgid "Work/employment" -msgstr "Lavoro/impiego" - -#: ../../mod/profiles.php:694 -msgid "School/education" -msgstr "Scuola/educazione" - -#: ../../mod/profiles.php:699 +#: ../../mod/dfrn_confirm.php:121 msgid "" -"This is your public profile.
    It may " -"be visible to anybody using the internet." -msgstr "Questo è il tuo profilo publico.
    Potrebbe essere visto da chiunque attraverso internet." +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata." -#: ../../mod/profiles.php:709 ../../mod/directory.php:113 -msgid "Age: " -msgstr "Età : " +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "Errore di comunicazione con l'altro sito." -#: ../../mod/profiles.php:762 -msgid "Edit/Manage Profiles" -msgstr "Modifica / Gestisci profili" +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "La risposta dell'altro sito non può essere gestita: " -#: ../../mod/profiles.php:763 ../../boot.php:1585 ../../boot.php:1611 -msgid "Change profile photo" -msgstr "Cambia la foto del profilo" +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "Conferma completata con successo." -#: ../../mod/profiles.php:764 ../../boot.php:1586 -msgid "Create New Profile" -msgstr "Crea un nuovo profilo" +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "Il sito remoto riporta: " -#: ../../mod/profiles.php:775 ../../boot.php:1596 -msgid "Profile Image" -msgstr "Immagine del Profilo" +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "Problema temporaneo. Attendi e riprova." -#: ../../mod/profiles.php:777 ../../boot.php:1599 -msgid "visible to everybody" -msgstr "visibile a tutti" +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "La presentazione ha generato un errore o è stata revocata." -#: ../../mod/profiles.php:778 ../../boot.php:1600 -msgid "Edit visibility" -msgstr "Modifica visibilità" +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "Impossibile impostare la foto del contatto." -#: ../../mod/share.php:44 -msgid "link" -msgstr "collegamento" +#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 +#: ../../include/diaspora.php:620 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s e %2$s adesso sono amici" -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "Esporta account" +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "Nessun utente trovato '%s'" -#: ../../mod/uexport.php:77 +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "La nostra chiave di criptazione del sito sembra essere corrotta." + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo." + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "Il contatto non è stato trovato sul nostro sito." + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "La chiave pubblica del sito non è disponibile per l'URL %s" + +#: ../../mod/dfrn_confirm.php:647 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 "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server." +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare." -#: ../../mod/uexport.php:78 -msgid "Export all" -msgstr "Esporta tutto" +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "Impossibile impostare le credenziali del tuo contatto sul nostro sistema." -#: ../../mod/uexport.php:78 +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema" + +#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 +#: ../../include/items.php:4008 +msgid "[Name Withheld]" +msgstr "[Nome Nascosto]" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s si è unito a %2$s" + +#: ../../mod/profile.php:21 ../../boot.php:1458 +msgid "Requested profile is not available." +msgstr "Profilo richiesto non disponibile." + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "Consigli per i Nuovi Utenti" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "Nessun video selezionato" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "Questo oggetto non è visibile a tutti." + +#: ../../mod/videos.php:301 ../../include/text.php:1405 +msgid "View Video" +msgstr "Guarda Video" + +#: ../../mod/videos.php:308 ../../mod/photos.php:1808 +msgid "View Album" +msgstr "Sfoglia l'album" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "Video Recenti" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "Carica Nuovo Video" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s ha taggato %3$s di %2$s con %4$s" + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "Suggerimento di amicizia inviato." + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "Suggerisci amici" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "Suggerisci un amico a %s" + +#: ../../mod/lostpass.php:19 +msgid "No valid account found." +msgstr "Nessun account valido trovato." + +#: ../../mod/lostpass.php:35 +msgid "Password reset request issued. Check your email." +msgstr "La richiesta per reimpostare la password è stata inviata. Controlla la tua email." + +#: ../../mod/lostpass.php:42 +#, php-format 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 "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)" +"\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 "\nGentile %1$s,\n abbiamo ricevuto su \"%2$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica." + +#: ../../mod/lostpass.php:53 +#, 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 "\nSegui questo link per verificare la tua identità:\n\n%1$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2$s\n Nome utente: %3$s" + +#: ../../mod/lostpass.php:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "Richiesta reimpostazione password su %s" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita." + +#: ../../mod/lostpass.php:109 ../../boot.php:1280 +msgid "Password Reset" +msgstr "Reimpostazione password" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "La tua password è stata reimpostata come richiesto." + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "La tua nuova password è" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "Salva o copia la tua nuova password, quindi" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "clicca qui per entrare" + +#: ../../mod/lostpass.php:114 +msgid "" +"Your password may be changed from the Settings page after " +"successful login." +msgstr "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso." + +#: ../../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 "\nGentile %1$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare." + +#: ../../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 "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato." + +#: ../../mod/lostpass.php:147 +#, php-format +msgid "Your password has been changed at %s" +msgstr "La tua password presso %s è stata cambiata" + +#: ../../mod/lostpass.php:159 +msgid "Forgot your Password?" +msgstr "Hai dimenticato la password?" + +#: ../../mod/lostpass.php:160 +msgid "" +"Enter your email address and submit to have your password reset. Then check " +"your email for further instructions." +msgstr "Inserisci il tuo indirizzo email per reimpostare la password." + +#: ../../mod/lostpass.php:161 +msgid "Nickname or Email: " +msgstr "Nome utente o email: " + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "Reimposta" + +#: ../../mod/like.php:166 ../../include/conversation.php:137 +#: ../../include/diaspora.php:2103 ../../view/theme/diabook/theme.php:480 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "A %1$s piace %3$s di %2$s" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "A %1$s non piace %3$s di %2$s" #: ../../mod/ping.php:240 msgid "{0} wants to be your friend" @@ -4544,6 +1324,231 @@ msgstr "{0} ha taggato il post di %s con #%s" msgid "{0} mentioned you in a post" msgstr "{0} ti ha citato in un post" +#: ../../mod/viewcontacts.php:41 +msgid "No contacts." +msgstr "Nessun contatto." + +#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 +msgid "View Contacts" +msgstr "Visualizza i contatti" + +#: ../../mod/notifications.php:26 +msgid "Invalid request identifier." +msgstr "L'identificativo della richiesta non è valido." + +#: ../../mod/notifications.php:35 ../../mod/notifications.php:165 +#: ../../mod/notifications.php:211 +msgid "Discard" +msgstr "Scarta" + +#: ../../mod/notifications.php:78 +msgid "System" +msgstr "Sistema" + +#: ../../mod/notifications.php:83 ../../include/nav.php:145 +msgid "Network" +msgstr "Rete" + +#: ../../mod/notifications.php:88 ../../mod/network.php:371 +msgid "Personal" +msgstr "Personale" + +#: ../../mod/notifications.php:93 ../../include/nav.php:105 +#: ../../include/nav.php:148 ../../view/theme/diabook/theme.php:123 +msgid "Home" +msgstr "Home" + +#: ../../mod/notifications.php:98 ../../include/nav.php:154 +msgid "Introductions" +msgstr "Presentazioni" + +#: ../../mod/notifications.php:122 +msgid "Show Ignored Requests" +msgstr "Mostra richieste ignorate" + +#: ../../mod/notifications.php:122 +msgid "Hide Ignored Requests" +msgstr "Nascondi richieste ignorate" + +#: ../../mod/notifications.php:149 ../../mod/notifications.php:195 +msgid "Notification type: " +msgstr "Tipo di notifica: " + +#: ../../mod/notifications.php:150 +msgid "Friend Suggestion" +msgstr "Amico suggerito" + +#: ../../mod/notifications.php:152 +#, php-format +msgid "suggested by %s" +msgstr "sugerito da %s" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "Post a new friend activity" +msgstr "Invia una attività \"è ora amico con\"" + +#: ../../mod/notifications.php:158 ../../mod/notifications.php:205 +msgid "if applicable" +msgstr "se applicabile" + +#: ../../mod/notifications.php:161 ../../mod/notifications.php:208 +#: ../../mod/admin.php:1005 +msgid "Approve" +msgstr "Approva" + +#: ../../mod/notifications.php:181 +msgid "Claims to be known to you: " +msgstr "Dice di conoscerti: " + +#: ../../mod/notifications.php:181 +msgid "yes" +msgstr "si" + +#: ../../mod/notifications.php:181 +msgid "no" +msgstr "no" + +#: ../../mod/notifications.php:188 +msgid "Approve as: " +msgstr "Approva come: " + +#: ../../mod/notifications.php:189 +msgid "Friend" +msgstr "Amico" + +#: ../../mod/notifications.php:190 +msgid "Sharer" +msgstr "Condivisore" + +#: ../../mod/notifications.php:190 +msgid "Fan/Admirer" +msgstr "Fan/Ammiratore" + +#: ../../mod/notifications.php:196 +msgid "Friend/Connect Request" +msgstr "Richiesta amicizia/connessione" + +#: ../../mod/notifications.php:196 +msgid "New Follower" +msgstr "Qualcuno inizia a seguirti" + +#: ../../mod/notifications.php:217 +msgid "No introductions." +msgstr "Nessuna presentazione." + +#: ../../mod/notifications.php:220 ../../include/nav.php:155 +msgid "Notifications" +msgstr "Notifiche" + +#: ../../mod/notifications.php:258 ../../mod/notifications.php:387 +#: ../../mod/notifications.php:478 +#, php-format +msgid "%s liked %s's post" +msgstr "a %s è piaciuto il messaggio di %s" + +#: ../../mod/notifications.php:268 ../../mod/notifications.php:397 +#: ../../mod/notifications.php:488 +#, php-format +msgid "%s disliked %s's post" +msgstr "a %s non è piaciuto il messaggio di %s" + +#: ../../mod/notifications.php:283 ../../mod/notifications.php:412 +#: ../../mod/notifications.php:503 +#, php-format +msgid "%s is now friends with %s" +msgstr "%s è ora amico di %s" + +#: ../../mod/notifications.php:290 ../../mod/notifications.php:419 +#, php-format +msgid "%s created a new post" +msgstr "%s a creato un nuovo messaggio" + +#: ../../mod/notifications.php:291 ../../mod/notifications.php:420 +#: ../../mod/notifications.php:513 +#, php-format +msgid "%s commented on %s's post" +msgstr "%s ha commentato il messaggio di %s" + +#: ../../mod/notifications.php:306 +msgid "No more network notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:310 +msgid "Network Notifications" +msgstr "Notifiche dalla rete" + +#: ../../mod/notifications.php:336 ../../mod/notify.php:75 +msgid "No more system notifications." +msgstr "Nessuna nuova notifica di sistema." + +#: ../../mod/notifications.php:340 ../../mod/notify.php:79 +msgid "System Notifications" +msgstr "Notifiche di sistema" + +#: ../../mod/notifications.php:435 +msgid "No more personal notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:439 +msgid "Personal Notifications" +msgstr "Notifiche personali" + +#: ../../mod/notifications.php:520 +msgid "No more home notifications." +msgstr "Nessuna nuova." + +#: ../../mod/notifications.php:524 +msgid "Home Notifications" +msgstr "Notifiche bacheca" + +#: ../../mod/babel.php:17 +msgid "Source (bbcode) text:" +msgstr "Testo sorgente (bbcode):" + +#: ../../mod/babel.php:23 +msgid "Source (Diaspora) text to convert to BBcode:" +msgstr "Testo sorgente (da Diaspora) da convertire in BBcode:" + +#: ../../mod/babel.php:31 +msgid "Source input: " +msgstr "Sorgente:" + +#: ../../mod/babel.php:35 +msgid "bb2html (raw HTML): " +msgstr "bb2html (HTML grezzo):" + +#: ../../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 "Sorgente (formato Diaspora):" + +#: ../../mod/babel.php:74 +msgid "diaspora2bb: " +msgstr "diaspora2bb: " + #: ../../mod/navigation.php:20 ../../include/nav.php:34 msgid "Nothing new here" msgstr "Niente di nuovo qui" @@ -4552,307 +1557,1687 @@ msgstr "Niente di nuovo qui" msgid "Clear notifications" msgstr "Pulisci le notifiche" -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "Non disponibile." +#: ../../mod/message.php:9 ../../include/nav.php:164 +msgid "New Message" +msgstr "Nuovo messaggio" -#: ../../mod/community.php:32 ../../view/theme/diabook/theme.php:129 -#: ../../include/nav.php:129 -msgid "Community" -msgstr "Comunità" +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "Nessun destinatario selezionato." -#: ../../mod/filer.php:30 ../../include/conversation.php:1006 -#: ../../include/conversation.php:1024 -msgid "Save to Folder:" -msgstr "Salva nella Cartella:" +#: ../../mod/message.php:67 +msgid "Unable to locate contact information." +msgstr "Impossibile trovare le informazioni del contatto." -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "- seleziona -" +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "Il messaggio non puo' essere inviato." -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta" +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "Errore recuperando il messaggio." -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "O.. non avrai provato a caricare un file vuoto?" +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "Messaggio inviato." -#: ../../mod/wall_attach.php:81 +#: ../../mod/message.php:182 ../../include/nav.php:161 +msgid "Messages" +msgstr "Messaggi" + +#: ../../mod/message.php:207 +msgid "Do you really want to delete this message?" +msgstr "Vuoi veramente cancellare questo messaggio?" + +#: ../../mod/message.php:227 +msgid "Message deleted." +msgstr "Messaggio eliminato." + +#: ../../mod/message.php:258 +msgid "Conversation removed." +msgstr "Conversazione rimossa." + +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "Inserisci l'indirizzo del link:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "Invia un messaggio privato" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "A:" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "Oggetto:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "Il tuo messaggio:" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "Carica foto" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "Inserisci link" + +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../mod/wallmessage.php:156 ../../mod/editpost.php:124 +#: ../../mod/photos.php:1545 ../../object/Item.php:364 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "Attendi" + +#: ../../mod/message.php:371 +msgid "No messages." +msgstr "Nessun messaggio." + +#: ../../mod/message.php:378 #, php-format -msgid "File exceeds size limit of %d" -msgstr "Il file supera la dimensione massima di %d" +msgid "Unknown sender - %s" +msgstr "Mittente sconosciuto - %s" -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "Caricamento del file non riuscito." +#: ../../mod/message.php:381 +#, php-format +msgid "You and %s" +msgstr "Tu e %s" -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "Indentificativo del profilo non valido." +#: ../../mod/message.php:384 +#, php-format +msgid "%s and You" +msgstr "%s e Tu" -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "Modifica visibilità del profilo" +#: ../../mod/message.php:405 ../../mod/message.php:546 +msgid "Delete conversation" +msgstr "Elimina la conversazione" -#: ../../mod/profperm.php:105 ../../mod/group.php:224 -msgid "Click on a contact to add or remove." -msgstr "Clicca su un contatto per aggiungerlo o rimuoverlo." +#: ../../mod/message.php:408 +msgid "D, d M Y - g:i A" +msgstr "D d M Y - G:i" -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "Visibile a" +#: ../../mod/message.php:411 +#, php-format +msgid "%d message" +msgid_plural "%d messages" +msgstr[0] "%d messaggio" +msgstr[1] "%d messaggi" -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "Tutti i contatti (con profilo ad accesso sicuro)" +#: ../../mod/message.php:450 +msgid "Message not available." +msgstr "Messaggio non disponibile." -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "Vuoi veramente cancellare questo suggerimento?" +#: ../../mod/message.php:520 +msgid "Delete message" +msgstr "Elimina il messaggio" -#: ../../mod/suggest.php:66 ../../view/theme/diabook/theme.php:527 -#: ../../include/contact_widgets.php:35 -msgid "Friend Suggestions" -msgstr "Contatti suggeriti" - -#: ../../mod/suggest.php:72 +#: ../../mod/message.php:548 msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore." +"No secure communications available. You may be able to " +"respond from the sender's profile page." +msgstr "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente." -#: ../../mod/suggest.php:88 ../../mod/match.php:58 ../../boot.php:1542 -#: ../../include/contact_widgets.php:10 -msgid "Connect" -msgstr "Connetti" +#: ../../mod/message.php:552 +msgid "Send Reply" +msgstr "Invia la risposta" -#: ../../mod/suggest.php:90 -msgid "Ignore/Hide" -msgstr "Ignora / Nascondi" +#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_network.php:25 +msgid "[Embedded content - reload page to view]" +msgstr "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]" + +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "Contatto modificato." + +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "Le modifiche al contatto non sono state salvate." + +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "Ripara il contatto" + +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più" + +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina." + +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "Ritorna alla modifica contatto" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "No mirroring" +msgstr "Non duplicare" + +#: ../../mod/crepair.php:159 +msgid "Mirror as forwarded posting" +msgstr "Duplica come messaggi ricondivisi" + +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "Mirror as my own posting" +msgstr "Duplica come miei messaggi" + +#: ../../mod/crepair.php:165 ../../mod/admin.php:1003 ../../mod/admin.php:1015 +#: ../../mod/admin.php:1016 ../../mod/admin.php:1029 +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Name" +msgstr "Nome" + +#: ../../mod/crepair.php:166 +msgid "Account Nickname" +msgstr "Nome utente" + +#: ../../mod/crepair.php:167 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@TagName - al posto del nome utente" + +#: ../../mod/crepair.php:168 +msgid "Account URL" +msgstr "URL dell'utente" + +#: ../../mod/crepair.php:169 +msgid "Friend Request URL" +msgstr "URL Richiesta Amicizia" + +#: ../../mod/crepair.php:170 +msgid "Friend Confirm URL" +msgstr "URL Conferma Amicizia" + +#: ../../mod/crepair.php:171 +msgid "Notification Endpoint URL" +msgstr "URL Notifiche" + +#: ../../mod/crepair.php:172 +msgid "Poll/Feed URL" +msgstr "URL Feed" + +#: ../../mod/crepair.php:173 +msgid "New photo from this URL" +msgstr "Nuova foto da questo URL" + +#: ../../mod/crepair.php:174 +msgid "Remote Self" +msgstr "Io remoto" + +#: ../../mod/crepair.php:176 +msgid "Mirror postings from this contact" +msgstr "Ripeti i messaggi di questo contatto" + +#: ../../mod/crepair.php:176 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto." + +#: ../../mod/bookmarklet.php:12 ../../boot.php:1266 ../../include/nav.php:92 +msgid "Login" +msgstr "Accedi" + +#: ../../mod/bookmarklet.php:41 +msgid "The post was created" +msgstr "" #: ../../mod/viewsrc.php:7 msgid "Access denied." msgstr "Accesso negato." -#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 -#, php-format -msgid "%1$s welcomes %2$s" -msgstr "%s dà il benvenuto a %s" +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "Cerca persone" -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "Gestisci indentità e/o pagine" +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "Nessun risultato" -#: ../../mod/manage.php:107 +#: ../../mod/fbrowser.php:25 ../../boot.php:2126 ../../include/nav.php:78 +#: ../../view/theme/diabook/theme.php:126 +msgid "Photos" +msgstr "Foto" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "File" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "Contatti che non sono membri di un gruppo" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "Impostazioni del tema aggiornate." + +#: ../../mod/admin.php:104 ../../mod/admin.php:619 +msgid "Site" +msgstr "Sito" + +#: ../../mod/admin.php:105 ../../mod/admin.php:998 ../../mod/admin.php:1013 +msgid "Users" +msgstr "Utenti" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1102 ../../mod/admin.php:1155 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "Plugin" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1323 ../../mod/admin.php:1357 +msgid "Themes" +msgstr "Temi" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "Aggiornamenti Database" + +#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1444 +msgid "Logs" +msgstr "Log" + +#: ../../mod/admin.php:124 +msgid "probe address" +msgstr "" + +#: ../../mod/admin.php:125 +msgid "check webfinger" +msgstr "" + +#: ../../mod/admin.php:130 ../../include/nav.php:184 +msgid "Admin" +msgstr "Amministrazione" + +#: ../../mod/admin.php:131 +msgid "Plugin Features" +msgstr "Impostazioni Plugins" + +#: ../../mod/admin.php:133 +msgid "diagnostics" +msgstr "" + +#: ../../mod/admin.php:134 +msgid "User registrations waiting for confirmation" +msgstr "Utenti registrati in attesa di conferma" + +#: ../../mod/admin.php:193 ../../mod/admin.php:952 +msgid "Normal Account" +msgstr "Account normale" + +#: ../../mod/admin.php:194 ../../mod/admin.php:953 +msgid "Soapbox Account" +msgstr "Account per comunicati e annunci" + +#: ../../mod/admin.php:195 ../../mod/admin.php:954 +msgid "Community/Celebrity Account" +msgstr "Account per celebrità o per comunità" + +#: ../../mod/admin.php:196 ../../mod/admin.php:955 +msgid "Automatic Friend Account" +msgstr "Account per amicizia automatizzato" + +#: ../../mod/admin.php:197 +msgid "Blog Account" +msgstr "Account Blog" + +#: ../../mod/admin.php:198 +msgid "Private Forum" +msgstr "Forum Privato" + +#: ../../mod/admin.php:217 +msgid "Message queues" +msgstr "Code messaggi" + +#: ../../mod/admin.php:222 ../../mod/admin.php:618 ../../mod/admin.php:997 +#: ../../mod/admin.php:1101 ../../mod/admin.php:1154 ../../mod/admin.php:1322 +#: ../../mod/admin.php:1356 ../../mod/admin.php:1443 +msgid "Administration" +msgstr "Amministrazione" + +#: ../../mod/admin.php:223 +msgid "Summary" +msgstr "Sommario" + +#: ../../mod/admin.php:225 +msgid "Registered users" +msgstr "Utenti registrati" + +#: ../../mod/admin.php:227 +msgid "Pending registrations" +msgstr "Registrazioni in attesa" + +#: ../../mod/admin.php:228 +msgid "Version" +msgstr "Versione" + +#: ../../mod/admin.php:232 +msgid "Active plugins" +msgstr "Plugin attivi" + +#: ../../mod/admin.php:255 +msgid "Can not parse base url. Must have at least ://" +msgstr "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]" + +#: ../../mod/admin.php:516 +msgid "Site settings updated." +msgstr "Impostazioni del sito aggiornate." + +#: ../../mod/admin.php:545 ../../mod/settings.php:828 +msgid "No special theme for mobile devices" +msgstr "Nessun tema speciale per i dispositivi mobili" + +#: ../../mod/admin.php:562 +msgid "No community page" +msgstr "" + +#: ../../mod/admin.php:563 +msgid "Public postings from users of this site" +msgstr "" + +#: ../../mod/admin.php:564 +msgid "Global community page" +msgstr "" + +#: ../../mod/admin.php:570 +msgid "At post arrival" +msgstr "All'arrivo di un messaggio" + +#: ../../mod/admin.php:571 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "Frequentemente" + +#: ../../mod/admin.php:572 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "Ogni ora" + +#: ../../mod/admin.php:573 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "Due volte al dì" + +#: ../../mod/admin.php:574 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "Giornalmente" + +#: ../../mod/admin.php:579 +msgid "Multi user instance" +msgstr "Istanza multi utente" + +#: ../../mod/admin.php:602 +msgid "Closed" +msgstr "Chiusa" + +#: ../../mod/admin.php:603 +msgid "Requires approval" +msgstr "Richiede l'approvazione" + +#: ../../mod/admin.php:604 +msgid "Open" +msgstr "Aperta" + +#: ../../mod/admin.php:608 +msgid "No SSL policy, links will track page SSL state" +msgstr "Nessuna gestione SSL, i link seguiranno lo stato SSL della pagina" + +#: ../../mod/admin.php:609 +msgid "Force all links to use SSL" +msgstr "Forza tutti i linki ad usare SSL" + +#: ../../mod/admin.php:610 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "Certificato auto-firmato, usa SSL solo per i link locali (sconsigliato)" + +#: ../../mod/admin.php:620 ../../mod/admin.php:1156 ../../mod/admin.php:1358 +#: ../../mod/admin.php:1445 ../../mod/settings.php:614 +#: ../../mod/settings.php:724 ../../mod/settings.php:798 +#: ../../mod/settings.php:880 ../../mod/settings.php:1113 +msgid "Save Settings" +msgstr "Salva Impostazioni" + +#: ../../mod/admin.php:621 ../../mod/register.php:255 +msgid "Registration" +msgstr "Registrazione" + +#: ../../mod/admin.php:622 +msgid "File upload" +msgstr "Caricamento file" + +#: ../../mod/admin.php:623 +msgid "Policies" +msgstr "Politiche" + +#: ../../mod/admin.php:624 +msgid "Advanced" +msgstr "Avanzate" + +#: ../../mod/admin.php:625 +msgid "Performance" +msgstr "Performance" + +#: ../../mod/admin.php:626 msgid "" -"Toggle between different identities or community/group pages which share " -"your account details or which you have been granted \"manage\" permissions" -msgstr "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile." -#: ../../mod/manage.php:108 -msgid "Select an identity to manage: " -msgstr "Seleziona un'identità da gestire:" +#: ../../mod/admin.php:629 +msgid "Site name" +msgstr "Nome del sito" -#: ../../mod/delegate.php:101 -msgid "No potential page delegates located." -msgstr "Nessun potenziale delegato per la pagina è stato trovato." +#: ../../mod/admin.php:630 +msgid "Host name" +msgstr "" -#: ../../mod/delegate.php:130 ../../include/nav.php:168 -msgid "Delegate Page Management" -msgstr "Gestione delegati per la pagina" +#: ../../mod/admin.php:631 +msgid "Sender Email" +msgstr "" -#: ../../mod/delegate.php:132 +#: ../../mod/admin.php:632 +msgid "Banner/Logo" +msgstr "Banner/Logo" + +#: ../../mod/admin.php:633 +msgid "Shortcut icon" +msgstr "" + +#: ../../mod/admin.php:634 +msgid "Touch icon" +msgstr "" + +#: ../../mod/admin.php:635 +msgid "Additional Info" +msgstr "Informazioni aggiuntive" + +#: ../../mod/admin.php:635 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 "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente." +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo." -#: ../../mod/delegate.php:133 -msgid "Existing Page Managers" -msgstr "Gestori Pagina Esistenti" +#: ../../mod/admin.php:636 +msgid "System language" +msgstr "Lingua di sistema" -#: ../../mod/delegate.php:135 -msgid "Existing Page Delegates" -msgstr "Delegati Pagina Esistenti" +#: ../../mod/admin.php:637 +msgid "System theme" +msgstr "Tema di sistema" -#: ../../mod/delegate.php:137 -msgid "Potential Delegates" -msgstr "Delegati Potenziali" - -#: ../../mod/delegate.php:140 -msgid "Add" -msgstr "Aggiungi" - -#: ../../mod/delegate.php:141 -msgid "No entries." -msgstr "Nessun articolo." - -#: ../../mod/viewcontacts.php:39 -msgid "No contacts." -msgstr "Nessun contatto." - -#: ../../mod/viewcontacts.php:76 ../../include/text.php:875 -msgid "View Contacts" -msgstr "Visualizza i contatti" - -#: ../../mod/notes.php:44 ../../boot.php:2121 -msgid "Personal Notes" -msgstr "Note personali" - -#: ../../mod/poke.php:192 -msgid "Poke/Prod" -msgstr "Tocca/Pungola" - -#: ../../mod/poke.php:193 -msgid "poke, prod or do other things to somebody" -msgstr "tocca, pungola o fai altre cose a qualcuno" - -#: ../../mod/poke.php:194 -msgid "Recipient" -msgstr "Destinatario" - -#: ../../mod/poke.php:195 -msgid "Choose what you wish to do to recipient" -msgstr "Scegli cosa vuoi fare al destinatario" - -#: ../../mod/poke.php:198 -msgid "Make this post private" -msgstr "Rendi questo post privato" - -#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 -msgid "Global Directory" -msgstr "Elenco globale" - -#: ../../mod/directory.php:59 -msgid "Find on this site" -msgstr "Cerca nel sito" - -#: ../../mod/directory.php:62 -msgid "Site Directory" -msgstr "Elenco del sito" - -#: ../../mod/directory.php:116 -msgid "Gender: " -msgstr "Genere:" - -#: ../../mod/directory.php:138 ../../boot.php:1624 -#: ../../include/profile_advanced.php:17 -msgid "Gender:" -msgstr "Genere:" - -#: ../../mod/directory.php:140 ../../boot.php:1627 -#: ../../include/profile_advanced.php:37 -msgid "Status:" -msgstr "Stato:" - -#: ../../mod/directory.php:142 ../../boot.php:1629 -#: ../../include/profile_advanced.php:48 -msgid "Homepage:" -msgstr "Homepage:" - -#: ../../mod/directory.php:144 ../../include/profile_advanced.php:58 -msgid "About:" -msgstr "Informazioni:" - -#: ../../mod/directory.php:189 -msgid "No entries (some entries may be hidden)." -msgstr "Nessuna voce (qualche voce potrebbe essere nascosta)." - -#: ../../mod/localtime.php:12 ../../include/event.php:11 -#: ../../include/bb2diaspora.php:134 -msgid "l F d, Y \\@ g:i A" -msgstr "l d F Y \\@ G:i" - -#: ../../mod/localtime.php:24 -msgid "Time Conversion" -msgstr "Conversione Ora" - -#: ../../mod/localtime.php:26 +#: ../../mod/admin.php:637 msgid "" -"Friendica provides this service for sharing events with other networks and " -"friends in unknown timezones." -msgstr "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti." +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "Tema di sistema - puo' essere sovrascritto dalle impostazioni utente - cambia le impostazioni del tema" -#: ../../mod/localtime.php:30 -#, php-format -msgid "UTC time: %s" -msgstr "Ora UTC: %s" +#: ../../mod/admin.php:638 +msgid "Mobile system theme" +msgstr "Tema mobile di sistema" -#: ../../mod/localtime.php:33 -#, php-format -msgid "Current timezone: %s" -msgstr "Fuso orario corrente: %s" +#: ../../mod/admin.php:638 +msgid "Theme for mobile devices" +msgstr "Tema per dispositivi mobili" -#: ../../mod/localtime.php:36 -#, php-format -msgid "Converted localtime: %s" -msgstr "Ora locale convertita: %s" +#: ../../mod/admin.php:639 +msgid "SSL link policy" +msgstr "Gestione link SSL" -#: ../../mod/localtime.php:41 -msgid "Please select your timezone:" -msgstr "Selezionare il tuo fuso orario:" +#: ../../mod/admin.php:639 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "Determina se i link generati devono essere forzati a usare SSL" -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "Inviato!" +#: ../../mod/admin.php:640 +msgid "Force SSL" +msgstr "" -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "L'immagine è stata caricata, ma il non è stato possibile ritagliarla." - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "Il ridimensionamento del'immagine [%s] è fallito." - -#: ../../mod/profile_photo.php:118 +#: ../../mod/admin.php:640 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente." +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" +" to endless loops." +msgstr "" -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "Impossibile elaborare l'immagine" +#: ../../mod/admin.php:641 +msgid "Old style 'Share'" +msgstr "Ricondivisione vecchio stile" -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "Carica un file:" +#: ../../mod/admin.php:641 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "Disattiva l'elemento bbcode 'share' con elementi ripetuti" -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "Seleziona un profilo:" +#: ../../mod/admin.php:642 +msgid "Hide help entry from navigation menu" +msgstr "Nascondi la voce 'Guida' dal menu di navigazione" -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "Carica" +#: ../../mod/admin.php:642 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "Nasconde la voce per le pagine della guida dal menu di navigazione. E' comunque possibile accedervi richiamando /help direttamente." -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "salta questo passaggio" +#: ../../mod/admin.php:643 +msgid "Single user instance" +msgstr "Instanza a singolo utente" -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "seleziona una foto dai tuoi album" +#: ../../mod/admin.php:643 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "Rendi questa istanza multi utente o a singolo utente per l'utente selezionato" -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "Ritaglia immagine" +#: ../../mod/admin.php:644 +msgid "Maximum image size" +msgstr "Massima dimensione immagini" -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "Ritaglia l'imagine per una visualizzazione migliore." +#: ../../mod/admin.php:644 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "Massima dimensione in byte delle immagini caricate. Il default è 0, cioè nessun limite." -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "Finito" +#: ../../mod/admin.php:645 +msgid "Maximum image length" +msgstr "Massima lunghezza immagine" -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "Immagine caricata con successo." +#: ../../mod/admin.php:645 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "Massima lunghezza in pixel del lato più lungo delle immagini caricate. Predefinito a -1, ovvero nessun limite." + +#: ../../mod/admin.php:646 +msgid "JPEG image quality" +msgstr "Qualità immagini JPEG" + +#: ../../mod/admin.php:646 +msgid "" +"Uploaded JPEGS will be saved at this quality setting [0-100]. Default is " +"100, which is full quality." +msgstr "Le immagini JPEG caricate verranno salvate con questa qualità [0-100]. Predefinito è 100, ovvero qualità piena." + +#: ../../mod/admin.php:648 +msgid "Register policy" +msgstr "Politica di registrazione" + +#: ../../mod/admin.php:649 +msgid "Maximum Daily Registrations" +msgstr "Massime registrazioni giornaliere" + +#: ../../mod/admin.php:649 +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 "Se la registrazione è permessa, qui si definisce il massimo numero di nuovi utenti registrati da accettare giornalmente. Se la registrazione è chiusa, questa impostazione non ha effetto." + +#: ../../mod/admin.php:650 +msgid "Register text" +msgstr "Testo registrazione" + +#: ../../mod/admin.php:650 +msgid "Will be displayed prominently on the registration page." +msgstr "Sarà mostrato ben visibile nella pagina di registrazione." + +#: ../../mod/admin.php:651 +msgid "Accounts abandoned after x days" +msgstr "Account abbandonati dopo x giorni" + +#: ../../mod/admin.php:651 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "Non spreca risorse di sistema controllando siti esterni per gli account abbandonati. Immettere 0 per nessun limite di tempo." + +#: ../../mod/admin.php:652 +msgid "Allowed friend domains" +msgstr "Domini amici consentiti" + +#: ../../mod/admin.php:652 +msgid "" +"Comma separated list of domains which are allowed to establish friendships " +"with this site. Wildcards are accepted. Empty to allow any domains" +msgstr "Elenco separato da virglola dei domini che possono stabilire amicizie con questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." + +#: ../../mod/admin.php:653 +msgid "Allowed email domains" +msgstr "Domini email consentiti" + +#: ../../mod/admin.php:653 +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 "Elenco separato da virgola dei domini permessi come indirizzi email in fase di registrazione a questo sito. Sono accettati caratteri jolly. Lascalo vuoto per accettare qualsiasi dominio." + +#: ../../mod/admin.php:654 +msgid "Block public" +msgstr "Blocca pagine pubbliche" + +#: ../../mod/admin.php:654 +msgid "" +"Check to block public access to all otherwise public personal pages on this " +"site unless you are currently logged in." +msgstr "Seleziona per bloccare l'accesso pubblico a tutte le pagine personali di questo sito, a meno di essere loggato." + +#: ../../mod/admin.php:655 +msgid "Force publish" +msgstr "Forza publicazione" + +#: ../../mod/admin.php:655 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "Seleziona per forzare tutti i profili di questo sito ad essere compresi nell'elenco di questo sito." + +#: ../../mod/admin.php:656 +msgid "Global directory update URL" +msgstr "URL aggiornamento Elenco Globale" + +#: ../../mod/admin.php:656 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL dell'elenco globale. Se vuoto, l'elenco globale sarà completamente disabilitato." + +#: ../../mod/admin.php:657 +msgid "Allow threaded items" +msgstr "Permetti commenti nidificati" + +#: ../../mod/admin.php:657 +msgid "Allow infinite level threading for items on this site." +msgstr "Permette un infinito livello di nidificazione dei commenti su questo sito." + +#: ../../mod/admin.php:658 +msgid "Private posts by default for new users" +msgstr "Post privati di default per i nuovi utenti" + +#: ../../mod/admin.php:658 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "Imposta i permessi predefiniti dei post per tutti i nuovi utenti come privati per il gruppo predefinito, invece che pubblici." + +#: ../../mod/admin.php:659 +msgid "Don't include post content in email notifications" +msgstr "Non includere il contenuto dei post nelle notifiche via email" + +#: ../../mod/admin.php:659 +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 "Non include il contenuti del post/commento/messaggio privato/etc. nelle notifiche email che sono inviate da questo sito, per privacy" + +#: ../../mod/admin.php:660 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "Disabilita l'accesso pubblico ai plugin raccolti nel menu apps." + +#: ../../mod/admin.php:660 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "Selezionando questo box si limiterà ai soli membri l'accesso agli addon nel menu applicazioni" + +#: ../../mod/admin.php:661 +msgid "Don't embed private images in posts" +msgstr "Non inglobare immagini private nei post" + +#: ../../mod/admin.php:661 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "Non sostituire le foto locali nei post con una copia incorporata dell'immagine. Questo significa che i contatti che riceveranno i post contenenti foto private dovranno autenticarsi e caricare ogni immagine, cosa che puo' richiedere un po' di tempo." + +#: ../../mod/admin.php:662 +msgid "Allow Users to set remote_self" +msgstr "Permetti agli utenti di impostare 'io remoto'" + +#: ../../mod/admin.php:662 +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 "Selezionando questo, a tutti gli utenti sarà permesso di impostare qualsiasi contatto come 'io remoto' nella pagina di modifica del contatto. Impostare questa opzione fa si che tutti i messaggi di quel contatto vengano ripetuti nello stream del'utente." + +#: ../../mod/admin.php:663 +msgid "Block multiple registrations" +msgstr "Blocca registrazioni multiple" + +#: ../../mod/admin.php:663 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "Non permette all'utente di registrare account extra da usare come pagine." + +#: ../../mod/admin.php:664 +msgid "OpenID support" +msgstr "Supporto OpenID" + +#: ../../mod/admin.php:664 +msgid "OpenID support for registration and logins." +msgstr "Supporta OpenID per la registrazione e il login" + +#: ../../mod/admin.php:665 +msgid "Fullname check" +msgstr "Controllo nome completo" + +#: ../../mod/admin.php:665 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam" + +#: ../../mod/admin.php:666 +msgid "UTF-8 Regular expressions" +msgstr "Espressioni regolari UTF-8" + +#: ../../mod/admin.php:666 +msgid "Use PHP UTF8 regular expressions" +msgstr "Usa le espressioni regolari PHP in UTF8" + +#: ../../mod/admin.php:667 +msgid "Community Page Style" +msgstr "" + +#: ../../mod/admin.php:667 +msgid "" +"Type of community page to show. 'Global community' shows every public " +"posting from an open distributed network that arrived on this server." +msgstr "" + +#: ../../mod/admin.php:668 +msgid "Posts per user on community page" +msgstr "" + +#: ../../mod/admin.php:668 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"'Global Community')" +msgstr "" + +#: ../../mod/admin.php:669 +msgid "Enable OStatus support" +msgstr "Abilita supporto OStatus" + +#: ../../mod/admin.php:669 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente." + +#: ../../mod/admin.php:670 +msgid "OStatus conversation completion interval" +msgstr "Intervallo completamento conversazioni OStatus" + +#: ../../mod/admin.php:670 +msgid "" +"How often shall the poller check for new entries in OStatus conversations? " +"This can be a very ressource task." +msgstr "quanto spesso il poller deve controllare se esistono nuovi commenti in una conversazione OStatus? Questo è un lavoro che puo' richiedere molte risorse." + +#: ../../mod/admin.php:671 +msgid "Enable Diaspora support" +msgstr "Abilita il supporto a Diaspora" + +#: ../../mod/admin.php:671 +msgid "Provide built-in Diaspora network compatibility." +msgstr "Fornisce compatibilità con il network Diaspora." + +#: ../../mod/admin.php:672 +msgid "Only allow Friendica contacts" +msgstr "Permetti solo contatti Friendica" + +#: ../../mod/admin.php:672 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "Tutti i contatti devono usare il protocollo di Friendica. Tutti gli altri protocolli sono disabilitati." + +#: ../../mod/admin.php:673 +msgid "Verify SSL" +msgstr "Verifica SSL" + +#: ../../mod/admin.php:673 +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 "Se vuoi, puoi abilitare il controllo rigoroso dei certificati.Questo significa che non potrai collegarti (del tutto) con siti con certificati SSL auto-firmati." + +#: ../../mod/admin.php:674 +msgid "Proxy user" +msgstr "Utente Proxy" + +#: ../../mod/admin.php:675 +msgid "Proxy URL" +msgstr "URL Proxy" + +#: ../../mod/admin.php:676 +msgid "Network timeout" +msgstr "Timeout rete" + +#: ../../mod/admin.php:676 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "Valore in secondi. Imposta a 0 per illimitato (non raccomandato)." + +#: ../../mod/admin.php:677 +msgid "Delivery interval" +msgstr "Intervallo di invio" + +#: ../../mod/admin.php:677 +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 "Ritarda il processo di invio in background di n secondi per ridurre il carico di sistema. Raccomandato: 4-5 per host condivisit, 2-3 per VPS. 0-1 per grandi server dedicati." + +#: ../../mod/admin.php:678 +msgid "Poll interval" +msgstr "Intervallo di poll" + +#: ../../mod/admin.php:678 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "Ritarda il processo di poll in background di n secondi per ridurre il carico di sistema. Se 0, usa l'intervallo di invio." + +#: ../../mod/admin.php:679 +msgid "Maximum Load Average" +msgstr "Massimo carico medio" + +#: ../../mod/admin.php:679 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "Massimo carico di sistema prima che i processi di invio e di poll siano ritardati. Predefinito a 50." + +#: ../../mod/admin.php:681 +msgid "Use MySQL full text engine" +msgstr "Usa il motore MySQL full text" + +#: ../../mod/admin.php:681 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri." + +#: ../../mod/admin.php:682 +msgid "Suppress Language" +msgstr "Disattiva lingua" + +#: ../../mod/admin.php:682 +msgid "Suppress language information in meta information about a posting." +msgstr "Disattiva le informazioni sulla lingua nei meta di un post." + +#: ../../mod/admin.php:683 +msgid "Suppress Tags" +msgstr "" + +#: ../../mod/admin.php:683 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "" + +#: ../../mod/admin.php:684 +msgid "Path to item cache" +msgstr "Percorso cache elementi" + +#: ../../mod/admin.php:685 +msgid "Cache duration in seconds" +msgstr "Durata della cache in secondi" + +#: ../../mod/admin.php:685 +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 "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1." + +#: ../../mod/admin.php:686 +msgid "Maximum numbers of comments per post" +msgstr "Numero massimo di commenti per post" + +#: ../../mod/admin.php:686 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "Quanti commenti devono essere mostrati per ogni post? Default : 100." + +#: ../../mod/admin.php:687 +msgid "Path for lock file" +msgstr "Percorso al file di lock" + +#: ../../mod/admin.php:688 +msgid "Temp path" +msgstr "Percorso file temporanei" + +#: ../../mod/admin.php:689 +msgid "Base path to installation" +msgstr "Percorso base all'installazione" + +#: ../../mod/admin.php:690 +msgid "Disable picture proxy" +msgstr "Disabilita il proxy immagini" + +#: ../../mod/admin.php:690 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile." + +#: ../../mod/admin.php:691 +msgid "Enable old style pager" +msgstr "" + +#: ../../mod/admin.php:691 +msgid "" +"The old style pager has page numbers but slows down massively the page " +"speed." +msgstr "" + +#: ../../mod/admin.php:692 +msgid "Only search in tags" +msgstr "" + +#: ../../mod/admin.php:692 +msgid "On large systems the text search can slow down the system extremely." +msgstr "" + +#: ../../mod/admin.php:694 +msgid "New base url" +msgstr "Nuovo url base" + +#: ../../mod/admin.php:711 +msgid "Update has been marked successful" +msgstr "L'aggiornamento è stato segnato come di successo" + +#: ../../mod/admin.php:719 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "Aggiornamento struttura database %s applicata con successo." + +#: ../../mod/admin.php:722 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "Aggiornamento struttura database %s fallita con errore: %s" + +#: ../../mod/admin.php:734 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "Esecuzione di %s fallita con errore: %s" + +#: ../../mod/admin.php:737 +#, php-format +msgid "Update %s was successfully applied." +msgstr "L'aggiornamento %s è stato applicato con successo" + +#: ../../mod/admin.php:741 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "L'aggiornamento %s non ha riportato uno stato. Non so se è andato a buon fine." + +#: ../../mod/admin.php:743 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "Non ci sono altre funzioni di aggiornamento %s da richiamare." + +#: ../../mod/admin.php:762 +msgid "No failed updates." +msgstr "Nessun aggiornamento fallito." + +#: ../../mod/admin.php:763 +msgid "Check database structure" +msgstr "Controlla struttura database" + +#: ../../mod/admin.php:768 +msgid "Failed Updates" +msgstr "Aggiornamenti falliti" + +#: ../../mod/admin.php:769 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "Questo non include gli aggiornamenti prima del 1139, che non ritornano lo stato." + +#: ../../mod/admin.php:770 +msgid "Mark success (if update was manually applied)" +msgstr "Segna completato (se l'update è stato applicato manualmente)" + +#: ../../mod/admin.php:771 +msgid "Attempt to execute this update step automatically" +msgstr "Cerco di eseguire questo aggiornamento in automatico" + +#: ../../mod/admin.php:803 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "\nGentile %1$s,\n l'amministratore di %2$s ha impostato un account per te." + +#: ../../mod/admin.php:806 +#, php-format +msgid "" +"\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." +msgstr "\nI dettagli del tuo utente sono:\n Indirizzo del sito: %1$s\n Nome utente: %2$s\n Password: %3$s\n\nPuoi cambiare la tua password dalla pagina delle impostazioni del tuo account dopo esserti autenticato.\n\nPer favore, prenditi qualche momento per esaminare tutte le impostazioni presenti.\n\nPotresti voler aggiungere qualche informazione di base al tuo profilo predefinito (nella pagina \"Profili\"), così che le altre persone possano trovarti più facilmente.\n\nTi raccomandiamo di inserire il tuo nome completo, aggiungere una foto, aggiungere qualche parola chiave del profilo (molto utili per trovare nuovi contatti), e magari in quale nazione vivi, se non vuoi essere più specifico di così.\n\nNoi rispettiamo appieno la tua privacy, e nessuna di queste informazioni è necessaria o obbligatoria.\nSe sei nuovo e non conosci nessuno qui, possono aiutarti a trovare qualche nuovo e interessante contatto.\n\nGrazie e benvenuto su %4$s" + +#: ../../mod/admin.php:838 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "Dettagli della registrazione di %s" + +#: ../../mod/admin.php:850 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s utente bloccato/sbloccato" +msgstr[1] "%s utenti bloccati/sbloccati" + +#: ../../mod/admin.php:857 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s utente cancellato" +msgstr[1] "%s utenti cancellati" + +#: ../../mod/admin.php:896 +#, php-format +msgid "User '%s' deleted" +msgstr "Utente '%s' cancellato" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' unblocked" +msgstr "Utente '%s' sbloccato" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' blocked" +msgstr "Utente '%s' bloccato" + +#: ../../mod/admin.php:999 +msgid "Add User" +msgstr "Aggiungi utente" + +#: ../../mod/admin.php:1000 +msgid "select all" +msgstr "seleziona tutti" + +#: ../../mod/admin.php:1001 +msgid "User registrations waiting for confirm" +msgstr "Richieste di registrazione in attesa di conferma" + +#: ../../mod/admin.php:1002 +msgid "User waiting for permanent deletion" +msgstr "Utente in attesa di cancellazione definitiva" + +#: ../../mod/admin.php:1003 +msgid "Request date" +msgstr "Data richiesta" + +#: ../../mod/admin.php:1003 ../../mod/admin.php:1015 ../../mod/admin.php:1016 +#: ../../mod/admin.php:1031 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "Email" + +#: ../../mod/admin.php:1004 +msgid "No registrations." +msgstr "Nessuna registrazione." + +#: ../../mod/admin.php:1006 +msgid "Deny" +msgstr "Nega" + +#: ../../mod/admin.php:1010 +msgid "Site admin" +msgstr "Amministrazione sito" + +#: ../../mod/admin.php:1011 +msgid "Account expired" +msgstr "Account scaduto" + +#: ../../mod/admin.php:1014 +msgid "New User" +msgstr "Nuovo Utente" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Register date" +msgstr "Data registrazione" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last login" +msgstr "Ultimo accesso" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last item" +msgstr "Ultimo elemento" + +#: ../../mod/admin.php:1015 +msgid "Deleted since" +msgstr "Rimosso da" + +#: ../../mod/admin.php:1016 ../../mod/settings.php:36 +msgid "Account" +msgstr "Account" + +#: ../../mod/admin.php:1018 +msgid "" +"Selected users will be deleted!\\n\\nEverything these users had posted on " +"this site will be permanently deleted!\\n\\nAre you sure?" +msgstr "Gli utenti selezionati saranno cancellati!\\n\\nTutto quello che gli utenti hanno inviato su questo sito sarà permanentemente canellato!\\n\\nSei sicuro?" + +#: ../../mod/admin.php:1019 +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 "L'utente {0} sarà cancellato!\\n\\nTutto quello che ha inviato su questo sito sarà permanentemente cancellato!\\n\\nSei sicuro?" + +#: ../../mod/admin.php:1029 +msgid "Name of the new user." +msgstr "Nome del nuovo utente." + +#: ../../mod/admin.php:1030 +msgid "Nickname" +msgstr "Nome utente" + +#: ../../mod/admin.php:1030 +msgid "Nickname of the new user." +msgstr "Nome utente del nuovo utente." + +#: ../../mod/admin.php:1031 +msgid "Email address of the new user." +msgstr "Indirizzo Email del nuovo utente." + +#: ../../mod/admin.php:1064 +#, php-format +msgid "Plugin %s disabled." +msgstr "Plugin %s disabilitato." + +#: ../../mod/admin.php:1068 +#, php-format +msgid "Plugin %s enabled." +msgstr "Plugin %s abilitato." + +#: ../../mod/admin.php:1078 ../../mod/admin.php:1294 +msgid "Disable" +msgstr "Disabilita" + +#: ../../mod/admin.php:1080 ../../mod/admin.php:1296 +msgid "Enable" +msgstr "Abilita" + +#: ../../mod/admin.php:1103 ../../mod/admin.php:1324 +msgid "Toggle" +msgstr "Inverti" + +#: ../../mod/admin.php:1111 ../../mod/admin.php:1334 +msgid "Author: " +msgstr "Autore: " + +#: ../../mod/admin.php:1112 ../../mod/admin.php:1335 +msgid "Maintainer: " +msgstr "Manutentore: " + +#: ../../mod/admin.php:1254 +msgid "No themes found." +msgstr "Nessun tema trovato." + +#: ../../mod/admin.php:1316 +msgid "Screenshot" +msgstr "Anteprima" + +#: ../../mod/admin.php:1362 +msgid "[Experimental]" +msgstr "[Sperimentale]" + +#: ../../mod/admin.php:1363 +msgid "[Unsupported]" +msgstr "[Non supportato]" + +#: ../../mod/admin.php:1390 +msgid "Log settings updated." +msgstr "Impostazioni Log aggiornate." + +#: ../../mod/admin.php:1446 +msgid "Clear" +msgstr "Pulisci" + +#: ../../mod/admin.php:1452 +msgid "Enable Debugging" +msgstr "Abilita Debugging" + +#: ../../mod/admin.php:1453 +msgid "Log file" +msgstr "File di Log" + +#: ../../mod/admin.php:1453 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica." + +#: ../../mod/admin.php:1454 +msgid "Log level" +msgstr "Livello di Log" + +#: ../../mod/admin.php:1504 +msgid "Close" +msgstr "Chiudi" + +#: ../../mod/admin.php:1510 +msgid "FTP Host" +msgstr "Indirizzo FTP" + +#: ../../mod/admin.php:1511 +msgid "FTP Path" +msgstr "Percorso FTP" + +#: ../../mod/admin.php:1512 +msgid "FTP User" +msgstr "Utente FTP" + +#: ../../mod/admin.php:1513 +msgid "FTP Password" +msgstr "Pasword FTP" + +#: ../../mod/network.php:142 +msgid "Search Results For:" +msgstr "Cerca risultati per:" + +#: ../../mod/network.php:185 ../../mod/search.php:21 +msgid "Remove term" +msgstr "Rimuovi termine" + +#: ../../mod/network.php:194 ../../mod/search.php:30 +#: ../../include/features.php:42 +msgid "Saved Searches" +msgstr "Ricerche salvate" + +#: ../../mod/network.php:195 ../../include/group.php:275 +msgid "add" +msgstr "aggiungi" + +#: ../../mod/network.php:356 +msgid "Commented Order" +msgstr "Ordina per commento" + +#: ../../mod/network.php:359 +msgid "Sort by Comment Date" +msgstr "Ordina per data commento" + +#: ../../mod/network.php:362 +msgid "Posted Order" +msgstr "Ordina per invio" + +#: ../../mod/network.php:365 +msgid "Sort by Post Date" +msgstr "Ordina per data messaggio" + +#: ../../mod/network.php:374 +msgid "Posts that mention or involve you" +msgstr "Messaggi che ti citano o coinvolgono" + +#: ../../mod/network.php:380 +msgid "New" +msgstr "Nuovo" + +#: ../../mod/network.php:383 +msgid "Activity Stream - by date" +msgstr "Activity Stream - per data" + +#: ../../mod/network.php:389 +msgid "Shared Links" +msgstr "Links condivisi" + +#: ../../mod/network.php:392 +msgid "Interesting Links" +msgstr "Link Interessanti" + +#: ../../mod/network.php:398 +msgid "Starred" +msgstr "Preferiti" + +#: ../../mod/network.php:401 +msgid "Favourite Posts" +msgstr "Messaggi preferiti" + +#: ../../mod/network.php:463 +#, php-format +msgid "Warning: This group contains %s member from an insecure network." +msgid_plural "" +"Warning: This group contains %s members from an insecure network." +msgstr[0] "Attenzione: questo gruppo contiene %s membro da un network insicuro." +msgstr[1] "Attenzione: questo gruppo contiene %s membri da un network insicuro." + +#: ../../mod/network.php:466 +msgid "Private messages to this group are at risk of public disclosure." +msgstr "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente." + +#: ../../mod/network.php:520 ../../mod/content.php:119 +msgid "No such group" +msgstr "Nessun gruppo" + +#: ../../mod/network.php:537 ../../mod/content.php:130 +msgid "Group is empty" +msgstr "Il gruppo è vuoto" + +#: ../../mod/network.php:544 ../../mod/content.php:134 +msgid "Group: " +msgstr "Gruppo: " + +#: ../../mod/network.php:554 +msgid "Contact: " +msgstr "Contatto:" + +#: ../../mod/network.php:556 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente." + +#: ../../mod/network.php:561 +msgid "Invalid contact." +msgstr "Contatto non valido." + +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "Amici di %s" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "Nessun amico da visualizzare." + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "Titolo e ora di inizio dell'evento sono richiesti." + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l j F" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "Modifca l'evento" + +#: ../../mod/events.php:335 ../../include/text.php:1647 +#: ../../include/text.php:1657 +msgid "link to source" +msgstr "Collegamento all'originale" + +#: ../../mod/events.php:370 ../../boot.php:2143 ../../include/nav.php:80 +#: ../../view/theme/diabook/theme.php:127 +msgid "Events" +msgstr "Eventi" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "Crea un nuovo evento" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "Precendente" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "Successivo" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "ora:minuti" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "Dettagli dell'evento" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "Il formato è %s %s. Data di inizio e Titolo sono richiesti." + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "L'evento inizia:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "Richiesto" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "La data/ora di fine non è definita" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "L'evento finisce:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "Visualizza con il fuso orario di chi legge" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "Descrizione:" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1648 +#: ../../include/bb2diaspora.php:170 ../../include/event.php:40 +msgid "Location:" +msgstr "Posizione:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "Titolo:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "Condividi questo evento" + +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../mod/photos.php:1653 ../../object/Item.php:129 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "Seleziona" + +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "Vedi il profilo di %s @ %s" + +#: ../../mod/content.php:481 ../../mod/content.php:864 +#: ../../object/Item.php:340 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s da %s" + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "Vedi nel contesto" + +#: ../../mod/content.php:603 ../../object/Item.php:387 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d commento" +msgstr[1] "%d commenti" + +#: ../../mod/content.php:605 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../include/text.php:1972 +msgid "comment" +msgid_plural "comments" +msgstr[0] "" +msgstr[1] "commento" + +#: ../../mod/content.php:606 ../../boot.php:751 ../../object/Item.php:390 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "mostra di più" + +#: ../../mod/content.php:620 ../../mod/photos.php:1359 +#: ../../object/Item.php:116 +msgid "Private Message" +msgstr "Messaggio privato" + +#: ../../mod/content.php:684 ../../mod/photos.php:1542 +#: ../../object/Item.php:231 +msgid "I like this (toggle)" +msgstr "Mi piace (clic per cambiare)" + +#: ../../mod/content.php:684 ../../object/Item.php:231 +msgid "like" +msgstr "mi piace" + +#: ../../mod/content.php:685 ../../mod/photos.php:1543 +#: ../../object/Item.php:232 +msgid "I don't like this (toggle)" +msgstr "Non mi piace (clic per cambiare)" + +#: ../../mod/content.php:685 ../../object/Item.php:232 +msgid "dislike" +msgstr "non mi piace" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "Share this" +msgstr "Condividi questo" + +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "share" +msgstr "condividi" + +#: ../../mod/content.php:707 ../../mod/photos.php:1562 +#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 +#: ../../object/Item.php:675 +msgid "This is you" +msgstr "Questo sei tu" + +#: ../../mod/content.php:709 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 ../../boot.php:750 +#: ../../object/Item.php:361 ../../object/Item.php:677 +msgid "Comment" +msgstr "Commento" + +#: ../../mod/content.php:711 ../../object/Item.php:679 +msgid "Bold" +msgstr "Grassetto" + +#: ../../mod/content.php:712 ../../object/Item.php:680 +msgid "Italic" +msgstr "Corsivo" + +#: ../../mod/content.php:713 ../../object/Item.php:681 +msgid "Underline" +msgstr "Sottolineato" + +#: ../../mod/content.php:714 ../../object/Item.php:682 +msgid "Quote" +msgstr "Citazione" + +#: ../../mod/content.php:715 ../../object/Item.php:683 +msgid "Code" +msgstr "Codice" + +#: ../../mod/content.php:716 ../../object/Item.php:684 +msgid "Image" +msgstr "Immagine" + +#: ../../mod/content.php:717 ../../object/Item.php:685 +msgid "Link" +msgstr "Link" + +#: ../../mod/content.php:718 ../../object/Item.php:686 +msgid "Video" +msgstr "Video" + +#: ../../mod/content.php:719 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1566 ../../mod/photos.php:1610 +#: ../../mod/photos.php:1698 ../../object/Item.php:687 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "Anteprima" + +#: ../../mod/content.php:728 ../../mod/settings.php:676 +#: ../../object/Item.php:120 +msgid "Edit" +msgstr "Modifica" + +#: ../../mod/content.php:753 ../../object/Item.php:195 +msgid "add star" +msgstr "aggiungi a speciali" + +#: ../../mod/content.php:754 ../../object/Item.php:196 +msgid "remove star" +msgstr "rimuovi da speciali" + +#: ../../mod/content.php:755 ../../object/Item.php:197 +msgid "toggle star status" +msgstr "Inverti stato preferito" + +#: ../../mod/content.php:758 ../../object/Item.php:200 +msgid "starred" +msgstr "preferito" + +#: ../../mod/content.php:759 ../../object/Item.php:220 +msgid "add tag" +msgstr "aggiungi tag" + +#: ../../mod/content.php:763 ../../object/Item.php:133 +msgid "save to folder" +msgstr "salva nella cartella" + +#: ../../mod/content.php:854 ../../object/Item.php:328 +msgid "to" +msgstr "a" + +#: ../../mod/content.php:855 ../../object/Item.php:330 +msgid "Wall-to-Wall" +msgstr "Da bacheca a bacheca" + +#: ../../mod/content.php:856 ../../object/Item.php:331 +msgid "via Wall-To-Wall:" +msgstr "da bacheca a bacheca" + +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "Rimuovi il mio account" + +#: ../../mod/removeme.php:47 +msgid "" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo." + +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "Inserisci la tua password per verifica:" #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" @@ -5145,78 +3530,68 @@ msgid "" "poller." msgstr "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller." -#: ../../mod/group.php:29 -msgid "Group created." -msgstr "Gruppo creato." - -#: ../../mod/group.php:35 -msgid "Could not create group." -msgstr "Impossibile creare il gruppo." - -#: ../../mod/group.php:47 ../../mod/group.php:140 -msgid "Group not found." -msgstr "Gruppo non trovato." - -#: ../../mod/group.php:60 -msgid "Group name changed." -msgstr "Il nome del gruppo è cambiato." - -#: ../../mod/group.php:87 -msgid "Save Group" -msgstr "Salva gruppo" - -#: ../../mod/group.php:93 -msgid "Create a group of contacts/friends." -msgstr "Crea un gruppo di amici/contatti." - -#: ../../mod/group.php:94 ../../mod/group.php:180 -msgid "Group Name: " -msgstr "Nome del gruppo:" - -#: ../../mod/group.php:113 -msgid "Group removed." -msgstr "Gruppo rimosso." - -#: ../../mod/group.php:115 -msgid "Unable to remove group." -msgstr "Impossibile rimuovere il gruppo." - -#: ../../mod/group.php:179 -msgid "Group Editor" -msgstr "Modifica gruppo" - -#: ../../mod/group.php:192 -msgid "Members" -msgstr "Membri" - -#: ../../mod/content.php:119 ../../mod/network.php:514 -msgid "No such group" -msgstr "Nessun gruppo" - -#: ../../mod/content.php:130 ../../mod/network.php:531 -msgid "Group is empty" -msgstr "Il gruppo è vuoto" - -#: ../../mod/content.php:134 ../../mod/network.php:538 -msgid "Group: " -msgstr "Gruppo: " - -#: ../../mod/content.php:497 ../../include/conversation.php:690 -msgid "View in context" -msgstr "Vedi nel contesto" - -#: ../../mod/regmod.php:55 -msgid "Account approved." -msgstr "Account approvato." - -#: ../../mod/regmod.php:92 +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 #, php-format -msgid "Registration revoked for %s" -msgstr "Registrazione revocata per %s" +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "Numero giornaliero di messaggi per %s superato. Invio fallito." -#: ../../mod/regmod.php:104 -msgid "Please login." -msgstr "Accedi." +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "Impossibile controllare la tua posizione di origine." + +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "Nessun destinatario." + +#: ../../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 "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti." + +#: ../../mod/help.php:79 +msgid "Help:" +msgstr "Guida:" + +#: ../../mod/help.php:84 ../../include/nav.php:114 +msgid "Help" +msgstr "Guida" + +#: ../../mod/help.php:90 ../../index.php:256 +msgid "Not Found" +msgstr "Non trovato" + +#: ../../mod/help.php:93 ../../index.php:259 +msgid "Page not found." +msgstr "Pagina non trovata." + +#: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 +#, php-format +msgid "%1$s welcomes %2$s" +msgstr "%s dà il benvenuto a %s" + +#: ../../mod/home.php:35 +#, php-format +msgid "Welcome to %s" +msgstr "Benvenuto su %s" + +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta" + +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "O.. non avrai provato a caricare un file vuoto?" + +#: ../../mod/wall_attach.php:81 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "Il file supera la dimensione massima di %d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "Caricamento del file non riuscito." #: ../../mod/match.php:12 msgid "Profile Match" @@ -5230,40 +3605,1042 @@ msgstr "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo p msgid "is interested in:" msgstr "è interessato a:" -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "Impossibile trovare il messaggio originale." +#: ../../mod/match.php:58 ../../mod/suggest.php:90 ../../boot.php:1568 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "Connetti" -#: ../../mod/item.php:326 -msgid "Empty post discarded." -msgstr "Messaggio vuoto scartato." +#: ../../mod/share.php:44 +msgid "link" +msgstr "collegamento" -#: ../../mod/item.php:919 -msgid "System error. Post not saved." -msgstr "Errore di sistema. Messaggio non salvato." +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "Non disponibile." -#: ../../mod/item.php:945 +#: ../../mod/community.php:32 ../../include/nav.php:129 +#: ../../include/nav.php:131 ../../view/theme/diabook/theme.php:129 +msgid "Community" +msgstr "Comunità" + +#: ../../mod/community.php:62 ../../mod/community.php:71 +#: ../../mod/search.php:168 ../../mod/search.php:192 +msgid "No results." +msgstr "Nessun risultato." + +#: ../../mod/settings.php:29 ../../mod/photos.php:80 +msgid "everybody" +msgstr "tutti" + +#: ../../mod/settings.php:41 +msgid "Additional features" +msgstr "Funzionalità aggiuntive" + +#: ../../mod/settings.php:46 +msgid "Display" +msgstr "Visualizzazione" + +#: ../../mod/settings.php:52 ../../mod/settings.php:780 +msgid "Social Networks" +msgstr "Social Networks" + +#: ../../mod/settings.php:62 ../../include/nav.php:170 +msgid "Delegations" +msgstr "Delegazioni" + +#: ../../mod/settings.php:67 +msgid "Connected apps" +msgstr "Applicazioni collegate" + +#: ../../mod/settings.php:72 ../../mod/uexport.php:85 +msgid "Export personal data" +msgstr "Esporta dati personali" + +#: ../../mod/settings.php:77 +msgid "Remove account" +msgstr "Rimuovi account" + +#: ../../mod/settings.php:129 +msgid "Missing some important data!" +msgstr "Mancano alcuni dati importanti!" + +#: ../../mod/settings.php:238 +msgid "Failed to connect with email account using the settings provided." +msgstr "Impossibile collegarsi all'account email con i parametri forniti." + +#: ../../mod/settings.php:243 +msgid "Email settings updated." +msgstr "Impostazioni e-mail aggiornate." + +#: ../../mod/settings.php:258 +msgid "Features updated" +msgstr "Funzionalità aggiornate" + +#: ../../mod/settings.php:321 +msgid "Relocate message has been send to your contacts" +msgstr "Il messaggio di trasloco è stato inviato ai tuoi contatti" + +#: ../../mod/settings.php:335 +msgid "Passwords do not match. Password unchanged." +msgstr "Le password non corrispondono. Password non cambiata." + +#: ../../mod/settings.php:340 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "Le password non possono essere vuote. Password non cambiata." + +#: ../../mod/settings.php:348 +msgid "Wrong password." +msgstr "Password sbagliata." + +#: ../../mod/settings.php:359 +msgid "Password changed." +msgstr "Password cambiata." + +#: ../../mod/settings.php:361 +msgid "Password update failed. Please try again." +msgstr "Aggiornamento password fallito. Prova ancora." + +#: ../../mod/settings.php:428 +msgid " Please use a shorter name." +msgstr " Usa un nome più corto." + +#: ../../mod/settings.php:430 +msgid " Name too short." +msgstr " Nome troppo corto." + +#: ../../mod/settings.php:439 +msgid "Wrong Password" +msgstr "Password Sbagliata" + +#: ../../mod/settings.php:444 +msgid " Not valid email." +msgstr " Email non valida." + +#: ../../mod/settings.php:450 +msgid " Cannot change to that email." +msgstr "Non puoi usare quella email." + +#: ../../mod/settings.php:506 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "Il forum privato non ha permessi di privacy. Uso il gruppo di privacy predefinito." + +#: ../../mod/settings.php:510 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "Il gruppo privato non ha permessi di privacy e nessun gruppo di privacy predefinito." + +#: ../../mod/settings.php:540 +msgid "Settings updated." +msgstr "Impostazioni aggiornate." + +#: ../../mod/settings.php:613 ../../mod/settings.php:639 +#: ../../mod/settings.php:675 +msgid "Add application" +msgstr "Aggiungi applicazione" + +#: ../../mod/settings.php:617 ../../mod/settings.php:643 +msgid "Consumer Key" +msgstr "Consumer Key" + +#: ../../mod/settings.php:618 ../../mod/settings.php:644 +msgid "Consumer Secret" +msgstr "Consumer Secret" + +#: ../../mod/settings.php:619 ../../mod/settings.php:645 +msgid "Redirect" +msgstr "Redirect" + +#: ../../mod/settings.php:620 ../../mod/settings.php:646 +msgid "Icon url" +msgstr "Url icona" + +#: ../../mod/settings.php:631 +msgid "You can't edit this application." +msgstr "Non puoi modificare questa applicazione." + +#: ../../mod/settings.php:674 +msgid "Connected Apps" +msgstr "Applicazioni Collegate" + +#: ../../mod/settings.php:678 +msgid "Client key starts with" +msgstr "Chiave del client inizia con" + +#: ../../mod/settings.php:679 +msgid "No name" +msgstr "Nessun nome" + +#: ../../mod/settings.php:680 +msgid "Remove authorization" +msgstr "Rimuovi l'autorizzazione" + +#: ../../mod/settings.php:692 +msgid "No Plugin settings configured" +msgstr "Nessun plugin ha impostazioni modificabili" + +#: ../../mod/settings.php:700 +msgid "Plugin Settings" +msgstr "Impostazioni plugin" + +#: ../../mod/settings.php:714 +msgid "Off" +msgstr "Spento" + +#: ../../mod/settings.php:714 +msgid "On" +msgstr "Acceso" + +#: ../../mod/settings.php:722 +msgid "Additional Features" +msgstr "Funzionalità aggiuntive" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "Il supporto integrato per la connettività con %s è %s" + +#: ../../mod/settings.php:736 ../../mod/dfrn_request.php:838 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +msgid "enabled" +msgstr "abilitato" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +msgid "disabled" +msgstr "disabilitato" + +#: ../../mod/settings.php:737 +msgid "StatusNet" +msgstr "StatusNet" + +#: ../../mod/settings.php:773 +msgid "Email access is disabled on this site." +msgstr "L'accesso email è disabilitato su questo sito." + +#: ../../mod/settings.php:785 +msgid "Email/Mailbox Setup" +msgstr "Impostazioni email" + +#: ../../mod/settings.php:786 +msgid "" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "Se vuoi comunicare con i contatti email usando questo servizio, specifica come collegarti alla tua casella di posta. (opzionale)" + +#: ../../mod/settings.php:787 +msgid "Last successful email check:" +msgstr "Ultimo controllo email eseguito con successo:" + +#: ../../mod/settings.php:789 +msgid "IMAP server name:" +msgstr "Nome server IMAP:" + +#: ../../mod/settings.php:790 +msgid "IMAP port:" +msgstr "Porta IMAP:" + +#: ../../mod/settings.php:791 +msgid "Security:" +msgstr "Sicurezza:" + +#: ../../mod/settings.php:791 ../../mod/settings.php:796 +msgid "None" +msgstr "Nessuna" + +#: ../../mod/settings.php:792 +msgid "Email login name:" +msgstr "Nome utente email:" + +#: ../../mod/settings.php:793 +msgid "Email password:" +msgstr "Password email:" + +#: ../../mod/settings.php:794 +msgid "Reply-to address:" +msgstr "Indirizzo di risposta:" + +#: ../../mod/settings.php:795 +msgid "Send public posts to all email contacts:" +msgstr "Invia i messaggi pubblici ai contatti email:" + +#: ../../mod/settings.php:796 +msgid "Action after import:" +msgstr "Azione post importazione:" + +#: ../../mod/settings.php:796 +msgid "Mark as seen" +msgstr "Segna come letto" + +#: ../../mod/settings.php:796 +msgid "Move to folder" +msgstr "Sposta nella cartella" + +#: ../../mod/settings.php:797 +msgid "Move to folder:" +msgstr "Sposta nella cartella:" + +#: ../../mod/settings.php:878 +msgid "Display Settings" +msgstr "Impostazioni Grafiche" + +#: ../../mod/settings.php:884 ../../mod/settings.php:899 +msgid "Display Theme:" +msgstr "Tema:" + +#: ../../mod/settings.php:885 +msgid "Mobile Theme:" +msgstr "Tema mobile:" + +#: ../../mod/settings.php:886 +msgid "Update browser every xx seconds" +msgstr "Aggiorna il browser ogni x secondi" + +#: ../../mod/settings.php:886 +msgid "Minimum of 10 seconds, no maximum" +msgstr "Minimo 10 secondi, nessun limite massimo" + +#: ../../mod/settings.php:887 +msgid "Number of items to display per page:" +msgstr "Numero di elementi da mostrare per pagina:" + +#: ../../mod/settings.php:887 ../../mod/settings.php:888 +msgid "Maximum of 100 items" +msgstr "Massimo 100 voci" + +#: ../../mod/settings.php:888 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "Numero di voci da visualizzare per pagina quando si utilizza un dispositivo mobile:" + +#: ../../mod/settings.php:889 +msgid "Don't show emoticons" +msgstr "Non mostrare le emoticons" + +#: ../../mod/settings.php:890 +msgid "Don't show notices" +msgstr "Non mostrare gli avvisi" + +#: ../../mod/settings.php:891 +msgid "Infinite scroll" +msgstr "Scroll infinito" + +#: ../../mod/settings.php:892 +msgid "Automatic updates only at the top of the network page" +msgstr "Aggiornamenti automatici solo in cima alla pagina \"rete\"" + +#: ../../mod/settings.php:969 +msgid "User Types" +msgstr "Tipi di Utenti" + +#: ../../mod/settings.php:970 +msgid "Community Types" +msgstr "Tipi di Comunità" + +#: ../../mod/settings.php:971 +msgid "Normal Account Page" +msgstr "Pagina Account Normale" + +#: ../../mod/settings.php:972 +msgid "This account is a normal personal profile" +msgstr "Questo account è un normale profilo personale" + +#: ../../mod/settings.php:975 +msgid "Soapbox Page" +msgstr "Pagina Sandbox" + +#: ../../mod/settings.php:976 +msgid "Automatically approve all connection/friend requests as read-only fans" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà solamente leggere la bacheca" + +#: ../../mod/settings.php:979 +msgid "Community Forum/Celebrity Account" +msgstr "Account Celebrità/Forum comunitario" + +#: ../../mod/settings.php:980 +msgid "" +"Automatically approve all connection/friend requests as read-write fans" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come fan che potrà leggere e scrivere sulla bacheca" + +#: ../../mod/settings.php:983 +msgid "Automatic Friend Page" +msgstr "Pagina con amicizia automatica" + +#: ../../mod/settings.php:984 +msgid "Automatically approve all connection/friend requests as friends" +msgstr "Chi richiede la connessione/amicizia sarà accettato automaticamente come amico" + +#: ../../mod/settings.php:987 +msgid "Private Forum [Experimental]" +msgstr "Forum privato [sperimentale]" + +#: ../../mod/settings.php:988 +msgid "Private forum - approved members only" +msgstr "Forum privato - solo membri approvati" + +#: ../../mod/settings.php:1000 +msgid "OpenID:" +msgstr "OpenID:" + +#: ../../mod/settings.php:1000 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(Opzionale) Consente di loggarti in questo account con questo OpenID" + +#: ../../mod/settings.php:1010 +msgid "Publish your default profile in your local site directory?" +msgstr "Pubblica il tuo profilo predefinito nell'elenco locale del sito" + +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:234 ../../mod/profiles.php:661 +#: ../../mod/profiles.php:665 ../../mod/api.php:106 +msgid "No" +msgstr "No" + +#: ../../mod/settings.php:1016 +msgid "Publish your default profile in the global social directory?" +msgstr "Pubblica il tuo profilo predefinito nell'elenco sociale globale" + +#: ../../mod/settings.php:1024 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito" + +#: ../../mod/settings.php:1028 ../../include/conversation.php:1057 +msgid "Hide your profile details from unknown viewers?" +msgstr "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?" + +#: ../../mod/settings.php:1028 +msgid "" +"If enabled, posting public messages to Diaspora and other networks isn't " +"possible." +msgstr "" + +#: ../../mod/settings.php:1033 +msgid "Allow friends to post to your profile page?" +msgstr "Permetti agli amici di scrivere sulla tua pagina profilo?" + +#: ../../mod/settings.php:1039 +msgid "Allow friends to tag your posts?" +msgstr "Permetti agli amici di taggare i tuoi messaggi?" + +#: ../../mod/settings.php:1045 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "Ci permetti di suggerirti come potenziale amico ai nuovi membri?" + +#: ../../mod/settings.php:1051 +msgid "Permit unknown people to send you private mail?" +msgstr "Permetti a utenti sconosciuti di inviarti messaggi privati?" + +#: ../../mod/settings.php:1059 +msgid "Profile is not published." +msgstr "Il profilo non è pubblicato." + +#: ../../mod/settings.php:1067 +msgid "Your Identity Address is" +msgstr "L'indirizzo della tua identità è" + +#: ../../mod/settings.php:1078 +msgid "Automatically expire posts after this many days:" +msgstr "Fai scadere i post automaticamente dopo x giorni:" + +#: ../../mod/settings.php:1078 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "Se lasciato vuoto, i messaggi non verranno cancellati." + +#: ../../mod/settings.php:1079 +msgid "Advanced expiration settings" +msgstr "Impostazioni avanzate di scandenza" + +#: ../../mod/settings.php:1080 +msgid "Advanced Expiration" +msgstr "Scadenza avanzata" + +#: ../../mod/settings.php:1081 +msgid "Expire posts:" +msgstr "Fai scadere i post:" + +#: ../../mod/settings.php:1082 +msgid "Expire personal notes:" +msgstr "Fai scadere le Note personali:" + +#: ../../mod/settings.php:1083 +msgid "Expire starred posts:" +msgstr "Fai scadere i post Speciali:" + +#: ../../mod/settings.php:1084 +msgid "Expire photos:" +msgstr "Fai scadere le foto:" + +#: ../../mod/settings.php:1085 +msgid "Only expire posts by others:" +msgstr "Fai scadere solo i post degli altri:" + +#: ../../mod/settings.php:1111 +msgid "Account Settings" +msgstr "Impostazioni account" + +#: ../../mod/settings.php:1119 +msgid "Password Settings" +msgstr "Impostazioni password" + +#: ../../mod/settings.php:1120 +msgid "New Password:" +msgstr "Nuova password:" + +#: ../../mod/settings.php:1121 +msgid "Confirm:" +msgstr "Conferma:" + +#: ../../mod/settings.php:1121 +msgid "Leave password fields blank unless changing" +msgstr "Lascia questi campi in bianco per non effettuare variazioni alla password" + +#: ../../mod/settings.php:1122 +msgid "Current Password:" +msgstr "Password Attuale:" + +#: ../../mod/settings.php:1122 ../../mod/settings.php:1123 +msgid "Your current password to confirm the changes" +msgstr "La tua password attuale per confermare le modifiche" + +#: ../../mod/settings.php:1123 +msgid "Password:" +msgstr "Password:" + +#: ../../mod/settings.php:1127 +msgid "Basic Settings" +msgstr "Impostazioni base" + +#: ../../mod/settings.php:1128 ../../include/profile_advanced.php:15 +msgid "Full Name:" +msgstr "Nome completo:" + +#: ../../mod/settings.php:1129 +msgid "Email Address:" +msgstr "Indirizzo Email:" + +#: ../../mod/settings.php:1130 +msgid "Your Timezone:" +msgstr "Il tuo fuso orario:" + +#: ../../mod/settings.php:1131 +msgid "Default Post Location:" +msgstr "Località predefinita:" + +#: ../../mod/settings.php:1132 +msgid "Use Browser Location:" +msgstr "Usa la località rilevata dal browser:" + +#: ../../mod/settings.php:1135 +msgid "Security and Privacy Settings" +msgstr "Impostazioni di sicurezza e privacy" + +#: ../../mod/settings.php:1137 +msgid "Maximum Friend Requests/Day:" +msgstr "Numero massimo di richieste di amicizia al giorno:" + +#: ../../mod/settings.php:1137 ../../mod/settings.php:1167 +msgid "(to prevent spam abuse)" +msgstr "(per prevenire lo spam)" + +#: ../../mod/settings.php:1138 +msgid "Default Post Permissions" +msgstr "Permessi predefiniti per i messaggi" + +#: ../../mod/settings.php:1139 +msgid "(click to open/close)" +msgstr "(clicca per aprire/chiudere)" + +#: ../../mod/settings.php:1148 ../../mod/photos.php:1146 +#: ../../mod/photos.php:1519 +msgid "Show to Groups" +msgstr "Mostra ai gruppi" + +#: ../../mod/settings.php:1149 ../../mod/photos.php:1147 +#: ../../mod/photos.php:1520 +msgid "Show to Contacts" +msgstr "Mostra ai contatti" + +#: ../../mod/settings.php:1150 +msgid "Default Private Post" +msgstr "Default Post Privato" + +#: ../../mod/settings.php:1151 +msgid "Default Public Post" +msgstr "Default Post Pubblico" + +#: ../../mod/settings.php:1155 +msgid "Default Permissions for New Posts" +msgstr "Permessi predefiniti per i nuovi post" + +#: ../../mod/settings.php:1167 +msgid "Maximum private messages per day from unknown people:" +msgstr "Numero massimo di messaggi privati da utenti sconosciuti per giorno:" + +#: ../../mod/settings.php:1170 +msgid "Notification Settings" +msgstr "Impostazioni notifiche" + +#: ../../mod/settings.php:1171 +msgid "By default post a status message when:" +msgstr "Invia un messaggio di stato quando:" + +#: ../../mod/settings.php:1172 +msgid "accepting a friend request" +msgstr "accetti una richiesta di amicizia" + +#: ../../mod/settings.php:1173 +msgid "joining a forum/community" +msgstr "ti unisci a un forum/comunità" + +#: ../../mod/settings.php:1174 +msgid "making an interesting profile change" +msgstr "fai un interessante modifica al profilo" + +#: ../../mod/settings.php:1175 +msgid "Send a notification email when:" +msgstr "Invia una mail di notifica quando:" + +#: ../../mod/settings.php:1176 +msgid "You receive an introduction" +msgstr "Ricevi una presentazione" + +#: ../../mod/settings.php:1177 +msgid "Your introductions are confirmed" +msgstr "Le tue presentazioni sono confermate" + +#: ../../mod/settings.php:1178 +msgid "Someone writes on your profile wall" +msgstr "Qualcuno scrive sulla bacheca del tuo profilo" + +#: ../../mod/settings.php:1179 +msgid "Someone writes a followup comment" +msgstr "Qualcuno scrive un commento a un tuo messaggio" + +#: ../../mod/settings.php:1180 +msgid "You receive a private message" +msgstr "Ricevi un messaggio privato" + +#: ../../mod/settings.php:1181 +msgid "You receive a friend suggestion" +msgstr "Hai ricevuto un suggerimento di amicizia" + +#: ../../mod/settings.php:1182 +msgid "You are tagged in a post" +msgstr "Sei stato taggato in un post" + +#: ../../mod/settings.php:1183 +msgid "You are poked/prodded/etc. in a post" +msgstr "Sei 'toccato'/'spronato'/ecc. in un post" + +#: ../../mod/settings.php:1185 +msgid "Text-only notification emails" +msgstr "" + +#: ../../mod/settings.php:1187 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: ../../mod/settings.php:1189 +msgid "Advanced Account/Page Type Settings" +msgstr "Impostazioni avanzate Account/Tipo di pagina" + +#: ../../mod/settings.php:1190 +msgid "Change the behaviour of this account for special situations" +msgstr "Modifica il comportamento di questo account in situazioni speciali" + +#: ../../mod/settings.php:1193 +msgid "Relocate" +msgstr "Trasloca" + +#: ../../mod/settings.php:1194 +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 "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone." + +#: ../../mod/settings.php:1195 +msgid "Resend relocate message to contacts" +msgstr "Reinvia il messaggio di trasloco" + +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "Questa presentazione è già stata accettata." + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "L'indirizzo del profilo non è valido o non contiene un profilo." + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario." + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "Attenzione: l'indirizzo del profilo non ha una foto." + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 +#, 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 parametro richiesto non è stato trovato all'indirizzo dato" +msgstr[1] "%d parametri richiesti non sono stati trovati all'indirizzo dato" + +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "Presentazione completa." + +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "Errore di comunicazione." + +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "Profilo non disponibile." + +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s ha ricevuto troppe richieste di connessione per oggi." + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "Sono state attivate le misure di protezione contro lo spam." + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "Gli amici sono pregati di riprovare tra 24 ore." + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "Invalid locator" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "Indirizzo email non valido." + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "Questo account non è stato configurato per l'email. Richiesta fallita." + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "Impossibile risolvere il tuo nome nella posizione indicata." + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "Ti sei già presentato qui." + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "Pare che tu e %s siate già amici." + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "Indirizzo profilo non valido." + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "Indirizzo profilo non permesso." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "La tua presentazione è stata inviata." + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "Accedi per confermare la presentazione." + +#: ../../mod/dfrn_request.php:660 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo." + +#: ../../mod/dfrn_request.php:671 +msgid "Hide this contact" +msgstr "Nascondi questo contatto" + +#: ../../mod/dfrn_request.php:674 +#, php-format +msgid "Welcome home %s." +msgstr "Bentornato a casa %s." + +#: ../../mod/dfrn_request.php:675 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "Conferma la tua richiesta di connessione con %s." + +#: ../../mod/dfrn_request.php:676 +msgid "Confirm" +msgstr "Conferma" + +#: ../../mod/dfrn_request.php:804 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:" + +#: ../../mod/dfrn_request.php:824 +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 "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi" + +#: ../../mod/dfrn_request.php:827 +msgid "Friend/Connection Request" +msgstr "Richieste di amicizia/connessione" + +#: ../../mod/dfrn_request.php:828 +msgid "" +"Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, " +"testuser@identi.ca" +msgstr "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca" + +#: ../../mod/dfrn_request.php:829 +msgid "Please answer the following:" +msgstr "Rispondi:" + +#: ../../mod/dfrn_request.php:830 +#, php-format +msgid "Does %s know you?" +msgstr "%s ti conosce?" + +#: ../../mod/dfrn_request.php:834 +msgid "Add a personal note:" +msgstr "Aggiungi una nota personale:" + +#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:837 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/Federated Social Web" + +#: ../../mod/dfrn_request.php:839 #, php-format msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica." +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora." -#: ../../mod/item.php:947 -#, php-format -msgid "You may visit them online at %s" -msgstr "Puoi visitarli online su %s" +#: ../../mod/dfrn_request.php:840 +msgid "Your Identity Address:" +msgstr "L'indirizzo della tua identità:" -#: ../../mod/item.php:948 +#: ../../mod/dfrn_request.php:843 +msgid "Submit Request" +msgstr "Invia richiesta" + +#: ../../mod/register.php:90 msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi." +"Registration successful. Please check your email for further instructions." +msgstr "Registrazione completata. Controlla la tua mail per ulteriori informazioni." -#: ../../mod/item.php:952 +#: ../../mod/register.php:96 #, php-format -msgid "%s posted an update." -msgstr "%s ha inviato un aggiornamento." +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 +msgid "Your registration can not be processed." +msgstr "La tua registrazione non puo' essere elaborata." + +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "La tua richiesta è in attesa di approvazione da parte del prorietario del sito." + +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani." + +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'." + +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera." + +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "Il tuo OpenID (opzionale): " + +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "Includi il tuo profilo nell'elenco pubblico?" + +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "La registrazione su questo sito è solo su invito." + +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "L'ID del tuo invito:" + +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "Il tuo nome completo (es. Mario Rossi): " + +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "Il tuo indirizzo email: " + +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@$sitename'." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "Scegli un nome utente: " + +#: ../../mod/register.php:269 ../../boot.php:1241 ../../include/nav.php:109 +msgid "Register" +msgstr "Registrati" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "Importa" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "Importa il tuo profilo in questo server friendica" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "Sistema in manutenzione" + +#: ../../mod/search.php:99 ../../include/text.php:953 +#: ../../include/text.php:954 ../../include/nav.php:119 +msgid "Search" +msgstr "Cerca" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "Elenco globale" + +#: ../../mod/directory.php:59 +msgid "Find on this site" +msgstr "Cerca nel sito" + +#: ../../mod/directory.php:62 +msgid "Site Directory" +msgstr "Elenco del sito" + +#: ../../mod/directory.php:113 ../../mod/profiles.php:750 +msgid "Age: " +msgstr "Età : " + +#: ../../mod/directory.php:116 +msgid "Gender: " +msgstr "Genere:" + +#: ../../mod/directory.php:138 ../../boot.php:1650 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "Genere:" + +#: ../../mod/directory.php:140 ../../boot.php:1653 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "Stato:" + +#: ../../mod/directory.php:142 ../../boot.php:1655 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "Homepage:" + +#: ../../mod/directory.php:144 ../../boot.php:1657 +#: ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "Informazioni:" + +#: ../../mod/directory.php:189 +msgid "No entries (some entries may be hidden)." +msgstr "Nessuna voce (qualche voce potrebbe essere nascosta)." + +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "Nessun potenziale delegato per la pagina è stato trovato." + +#: ../../mod/delegate.php:130 ../../include/nav.php:170 +msgid "Delegate Page Management" +msgstr "Gestione delegati per la pagina" + +#: ../../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 "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente." + +#: ../../mod/delegate.php:133 +msgid "Existing Page Managers" +msgstr "Gestori Pagina Esistenti" + +#: ../../mod/delegate.php:135 +msgid "Existing Page Delegates" +msgstr "Delegati Pagina Esistenti" + +#: ../../mod/delegate.php:137 +msgid "Potential Delegates" +msgstr "Delegati Potenziali" + +#: ../../mod/delegate.php:140 +msgid "Add" +msgstr "Aggiungi" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "Nessun articolo." + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "Amici in comune" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "Nessun contatto in comune." + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "Esporta account" + +#: ../../mod/uexport.php:77 +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 "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server." + +#: ../../mod/uexport.php:78 +msgid "Export all" +msgstr "Esporta tutto" + +#: ../../mod/uexport.php:78 +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 "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)" #: ../../mod/mood.php:62 ../../include/conversation.php:227 #, php-format @@ -5278,544 +4655,1149 @@ msgstr "Umore" msgid "Set your current mood and tell your friends" msgstr "Condividi il tuo umore con i tuoi amici" -#: ../../mod/network.php:136 -msgid "Search Results For:" -msgstr "Cerca risultati per:" +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "Vuoi veramente cancellare questo suggerimento?" -#: ../../mod/network.php:189 ../../include/group.php:275 -msgid "add" -msgstr "aggiungi" +#: ../../mod/suggest.php:68 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:527 +msgid "Friend Suggestions" +msgstr "Contatti suggeriti" -#: ../../mod/network.php:350 -msgid "Commented Order" -msgstr "Ordina per commento" +#: ../../mod/suggest.php:74 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore." -#: ../../mod/network.php:353 -msgid "Sort by Comment Date" -msgstr "Ordina per data commento" +#: ../../mod/suggest.php:92 +msgid "Ignore/Hide" +msgstr "Ignora / Nascondi" -#: ../../mod/network.php:356 -msgid "Posted Order" -msgstr "Ordina per invio" +#: ../../mod/profiles.php:37 +msgid "Profile deleted." +msgstr "Profilo elminato." -#: ../../mod/network.php:359 -msgid "Sort by Post Date" -msgstr "Ordina per data messaggio" +#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 +msgid "Profile-" +msgstr "Profilo-" -#: ../../mod/network.php:368 -msgid "Posts that mention or involve you" -msgstr "Messaggi che ti citano o coinvolgono" +#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 +msgid "New profile created." +msgstr "Il nuovo profilo è stato creato." -#: ../../mod/network.php:374 -msgid "New" -msgstr "Nuovo" +#: ../../mod/profiles.php:95 +msgid "Profile unavailable to clone." +msgstr "Impossibile duplicare il profilo." -#: ../../mod/network.php:377 -msgid "Activity Stream - by date" -msgstr "Activity Stream - per data" +#: ../../mod/profiles.php:189 +msgid "Profile Name is required." +msgstr "Il nome profilo è obbligatorio ." -#: ../../mod/network.php:383 -msgid "Shared Links" -msgstr "Links condivisi" +#: ../../mod/profiles.php:340 +msgid "Marital Status" +msgstr "Stato civile" -#: ../../mod/network.php:386 -msgid "Interesting Links" -msgstr "Link Interessanti" +#: ../../mod/profiles.php:344 +msgid "Romantic Partner" +msgstr "Partner romantico" -#: ../../mod/network.php:392 -msgid "Starred" -msgstr "Preferiti" +#: ../../mod/profiles.php:348 +msgid "Likes" +msgstr "Mi piace" -#: ../../mod/network.php:395 -msgid "Favourite Posts" -msgstr "Messaggi preferiti" +#: ../../mod/profiles.php:352 +msgid "Dislikes" +msgstr "Non mi piace" -#: ../../mod/network.php:457 +#: ../../mod/profiles.php:356 +msgid "Work/Employment" +msgstr "Lavoro/Impiego" + +#: ../../mod/profiles.php:359 +msgid "Religion" +msgstr "Religione" + +#: ../../mod/profiles.php:363 +msgid "Political Views" +msgstr "Orientamento Politico" + +#: ../../mod/profiles.php:367 +msgid "Gender" +msgstr "Sesso" + +#: ../../mod/profiles.php:371 +msgid "Sexual Preference" +msgstr "Preferenza sessuale" + +#: ../../mod/profiles.php:375 +msgid "Homepage" +msgstr "Homepage" + +#: ../../mod/profiles.php:379 ../../mod/profiles.php:698 +msgid "Interests" +msgstr "Interessi" + +#: ../../mod/profiles.php:383 +msgid "Address" +msgstr "Indirizzo" + +#: ../../mod/profiles.php:390 ../../mod/profiles.php:694 +msgid "Location" +msgstr "Posizione" + +#: ../../mod/profiles.php:473 +msgid "Profile updated." +msgstr "Profilo aggiornato." + +#: ../../mod/profiles.php:568 +msgid " and " +msgstr "e " + +#: ../../mod/profiles.php:576 +msgid "public profile" +msgstr "profilo pubblico" + +#: ../../mod/profiles.php:579 #, php-format -msgid "Warning: This group contains %s member from an insecure network." -msgid_plural "" -"Warning: This group contains %s members from an insecure network." -msgstr[0] "Attenzione: questo gruppo contiene %s membro da un network insicuro." -msgstr[1] "Attenzione: questo gruppo contiene %s membri da un network insicuro." +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s ha cambiato %2$s in “%3$s”" -#: ../../mod/network.php:460 -msgid "Private messages to this group are at risk of public disclosure." -msgstr "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente." +#: ../../mod/profiles.php:580 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr "- Visita %2$s di %1$s" -#: ../../mod/network.php:548 -msgid "Contact: " -msgstr "Contatto:" +#: ../../mod/profiles.php:583 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s ha un %2$s aggiornato. Ha cambiato %3$s" -#: ../../mod/network.php:550 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente." +#: ../../mod/profiles.php:658 +msgid "Hide contacts and friends:" +msgstr "Nascondi contatti:" -#: ../../mod/network.php:555 -msgid "Invalid contact." -msgstr "Contatto non valido." +#: ../../mod/profiles.php:663 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "Nascondi la tua lista di contatti/amici ai visitatori di questo profilo?" -#: ../../mod/crepair.php:106 -msgid "Contact settings applied." -msgstr "Contatto modificato." +#: ../../mod/profiles.php:685 +msgid "Edit Profile Details" +msgstr "Modifica i dettagli del profilo" -#: ../../mod/crepair.php:108 -msgid "Contact update failed." -msgstr "Le modifiche al contatto non sono state salvate." +#: ../../mod/profiles.php:687 +msgid "Change Profile Photo" +msgstr "Cambia la foto del profilo" -#: ../../mod/crepair.php:139 -msgid "Repair Contact Settings" -msgstr "Ripara il contatto" +#: ../../mod/profiles.php:688 +msgid "View this profile" +msgstr "Visualizza questo profilo" -#: ../../mod/crepair.php:141 +#: ../../mod/profiles.php:689 +msgid "Create a new profile using these settings" +msgstr "Crea un nuovo profilo usando queste impostazioni" + +#: ../../mod/profiles.php:690 +msgid "Clone this profile" +msgstr "Clona questo profilo" + +#: ../../mod/profiles.php:691 +msgid "Delete this profile" +msgstr "Elimina questo profilo" + +#: ../../mod/profiles.php:692 +msgid "Basic information" +msgstr "Informazioni di base" + +#: ../../mod/profiles.php:693 +msgid "Profile picture" +msgstr "Immagine del profilo" + +#: ../../mod/profiles.php:695 +msgid "Preferences" +msgstr "Preferenze" + +#: ../../mod/profiles.php:696 +msgid "Status information" +msgstr "Informazioni stato" + +#: ../../mod/profiles.php:697 +msgid "Additional information" +msgstr "Informazioni aggiuntive" + +#: ../../mod/profiles.php:700 +msgid "Profile Name:" +msgstr "Nome del profilo:" + +#: ../../mod/profiles.php:701 +msgid "Your Full Name:" +msgstr "Il tuo nome completo:" + +#: ../../mod/profiles.php:702 +msgid "Title/Description:" +msgstr "Breve descrizione (es. titolo, posizione, altro):" + +#: ../../mod/profiles.php:703 +msgid "Your Gender:" +msgstr "Il tuo sesso:" + +#: ../../mod/profiles.php:704 +#, php-format +msgid "Birthday (%s):" +msgstr "Compleanno (%s)" + +#: ../../mod/profiles.php:705 +msgid "Street Address:" +msgstr "Indirizzo (via/piazza):" + +#: ../../mod/profiles.php:706 +msgid "Locality/City:" +msgstr "Località:" + +#: ../../mod/profiles.php:707 +msgid "Postal/Zip Code:" +msgstr "CAP:" + +#: ../../mod/profiles.php:708 +msgid "Country:" +msgstr "Nazione:" + +#: ../../mod/profiles.php:709 +msgid "Region/State:" +msgstr "Regione/Stato:" + +#: ../../mod/profiles.php:710 +msgid " Marital Status:" +msgstr " Stato sentimentale:" + +#: ../../mod/profiles.php:711 +msgid "Who: (if applicable)" +msgstr "Con chi: (se possibile)" + +#: ../../mod/profiles.php:712 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "Esempio: cathy123, Cathy Williams, cathy@example.com" + +#: ../../mod/profiles.php:713 +msgid "Since [date]:" +msgstr "Dal [data]:" + +#: ../../mod/profiles.php:714 ../../include/profile_advanced.php:46 +msgid "Sexual Preference:" +msgstr "Preferenze sessuali:" + +#: ../../mod/profiles.php:715 +msgid "Homepage URL:" +msgstr "Homepage:" + +#: ../../mod/profiles.php:716 ../../include/profile_advanced.php:50 +msgid "Hometown:" +msgstr "Paese natale:" + +#: ../../mod/profiles.php:717 ../../include/profile_advanced.php:54 +msgid "Political Views:" +msgstr "Orientamento politico:" + +#: ../../mod/profiles.php:718 +msgid "Religious Views:" +msgstr "Orientamento religioso:" + +#: ../../mod/profiles.php:719 +msgid "Public Keywords:" +msgstr "Parole chiave visibili a tutti:" + +#: ../../mod/profiles.php:720 +msgid "Private Keywords:" +msgstr "Parole chiave private:" + +#: ../../mod/profiles.php:721 ../../include/profile_advanced.php:62 +msgid "Likes:" +msgstr "Mi piace:" + +#: ../../mod/profiles.php:722 ../../include/profile_advanced.php:64 +msgid "Dislikes:" +msgstr "Non mi piace:" + +#: ../../mod/profiles.php:723 +msgid "Example: fishing photography software" +msgstr "Esempio: pesca fotografia programmazione" + +#: ../../mod/profiles.php:724 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(E' utilizzato per suggerire potenziali amici, può essere visto da altri)" + +#: ../../mod/profiles.php:725 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(Usato per cercare tra i profili, non è mai visibile agli altri)" + +#: ../../mod/profiles.php:726 +msgid "Tell us about yourself..." +msgstr "Raccontaci di te..." + +#: ../../mod/profiles.php:727 +msgid "Hobbies/Interests" +msgstr "Hobby/interessi" + +#: ../../mod/profiles.php:728 +msgid "Contact information and Social Networks" +msgstr "Informazioni su contatti e social network" + +#: ../../mod/profiles.php:729 +msgid "Musical interests" +msgstr "Interessi musicali" + +#: ../../mod/profiles.php:730 +msgid "Books, literature" +msgstr "Libri, letteratura" + +#: ../../mod/profiles.php:731 +msgid "Television" +msgstr "Televisione" + +#: ../../mod/profiles.php:732 +msgid "Film/dance/culture/entertainment" +msgstr "Film/danza/cultura/intrattenimento" + +#: ../../mod/profiles.php:733 +msgid "Love/romance" +msgstr "Amore" + +#: ../../mod/profiles.php:734 +msgid "Work/employment" +msgstr "Lavoro/impiego" + +#: ../../mod/profiles.php:735 +msgid "School/education" +msgstr "Scuola/educazione" + +#: ../../mod/profiles.php:740 msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più" +"This is your public profile.
    It may " +"be visible to anybody using the internet." +msgstr "Questo è il tuo profilo publico.
    Potrebbe essere visto da chiunque attraverso internet." -#: ../../mod/crepair.php:142 +#: ../../mod/profiles.php:803 +msgid "Edit/Manage Profiles" +msgstr "Modifica / Gestisci profili" + +#: ../../mod/profiles.php:804 ../../boot.php:1611 ../../boot.php:1637 +msgid "Change profile photo" +msgstr "Cambia la foto del profilo" + +#: ../../mod/profiles.php:805 ../../boot.php:1612 +msgid "Create New Profile" +msgstr "Crea un nuovo profilo" + +#: ../../mod/profiles.php:816 ../../boot.php:1622 +msgid "Profile Image" +msgstr "Immagine del Profilo" + +#: ../../mod/profiles.php:818 ../../boot.php:1625 +msgid "visible to everybody" +msgstr "visibile a tutti" + +#: ../../mod/profiles.php:819 ../../boot.php:1626 +msgid "Edit visibility" +msgstr "Modifica visibilità" + +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "Oggetto non trovato" + +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "Modifica messaggio" + +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "carica foto" + +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "Allega file" + +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "allega file" + +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "link web" + +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "Inserire collegamento video" + +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "link video" + +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "Inserisci collegamento audio" + +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "link audio" + +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "La tua posizione" + +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "posizione" + +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "Rimuovi la localizzazione data dal browser" + +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "canc. pos." + +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "Impostazioni permessi" + +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "CC: indirizzi email" + +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "Messaggio pubblico" + +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "Scegli un titolo" + +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "Categorie (lista separata da virgola)" + +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "Esempio: bob@example.com, mary@example.com" + +#: ../../mod/friendica.php:59 +msgid "This is Friendica, version" +msgstr "Questo è Friendica, versione" + +#: ../../mod/friendica.php:60 +msgid "running at web location" +msgstr "in esecuzione all'indirizzo web" + +#: ../../mod/friendica.php:62 msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina." +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "Visita Friendica.com per saperne di più sul progetto Friendica." -#: ../../mod/crepair.php:148 -msgid "Return to contact editor" -msgstr "Ritorna alla modifica contatto" +#: ../../mod/friendica.php:64 +msgid "Bug reports and issues: please visit" +msgstr "Segnalazioni di bug e problemi: visita" -#: ../../mod/crepair.php:161 -msgid "Account Nickname" -msgstr "Nome utente" - -#: ../../mod/crepair.php:162 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@TagName - al posto del nome utente" - -#: ../../mod/crepair.php:163 -msgid "Account URL" -msgstr "URL dell'utente" - -#: ../../mod/crepair.php:164 -msgid "Friend Request URL" -msgstr "URL Richiesta Amicizia" - -#: ../../mod/crepair.php:165 -msgid "Friend Confirm URL" -msgstr "URL Conferma Amicizia" - -#: ../../mod/crepair.php:166 -msgid "Notification Endpoint URL" -msgstr "URL Notifiche" - -#: ../../mod/crepair.php:167 -msgid "Poll/Feed URL" -msgstr "URL Feed" - -#: ../../mod/crepair.php:168 -msgid "New photo from this URL" -msgstr "Nuova foto da questo URL" - -#: ../../mod/crepair.php:169 -msgid "Remote Self" -msgstr "Io remoto" - -#: ../../mod/crepair.php:171 -msgid "Mirror postings from this contact" -msgstr "Ripeti i messaggi di questo contatto" - -#: ../../mod/crepair.php:171 +#: ../../mod/friendica.php:65 msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto." +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com" -#: ../../mod/crepair.php:171 -msgid "No mirroring" -msgstr "Non duplicare" +#: ../../mod/friendica.php:79 +msgid "Installed plugins/addons/apps:" +msgstr "Plugin/addon/applicazioni instalate" -#: ../../mod/crepair.php:171 -msgid "Mirror as forwarded posting" -msgstr "Duplica come messaggi ricondivisi" +#: ../../mod/friendica.php:92 +msgid "No installed plugins/addons/apps" +msgstr "Nessun plugin/addons/applicazione installata" -#: ../../mod/crepair.php:171 -msgid "Mirror as my own posting" -msgstr "Duplica come miei messaggi" +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "Autorizza la connessione dell'applicazione" -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "I tuoi messaggi e le tue conversazioni" +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "Torna alla tua applicazione e inserisci questo codice di sicurezza:" -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "Pagina del tuo profilo" +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "Effettua il login per continuare." -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "I tuoi contatti" +#: ../../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 "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?" -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "Le tue foto" +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "Informazioni remote sulla privacy non disponibili." -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "I tuoi eventi" +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "Visibile a:" -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" +#: ../../mod/notes.php:44 ../../boot.php:2150 +msgid "Personal Notes" msgstr "Note personali" -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "Le tue foto personali" +#: ../../mod/localtime.php:12 ../../include/bb2diaspora.php:148 +#: ../../include/event.php:11 +msgid "l F d, Y \\@ g:i A" +msgstr "l d F Y \\@ G:i" -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -#: ../../view/theme/diabook/config.php:158 -msgid "Community Pages" -msgstr "Pagine Comunitarie" +#: ../../mod/localtime.php:24 +msgid "Time Conversion" +msgstr "Conversione Ora" -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -#: ../../view/theme/diabook/config.php:160 -msgid "Community Profiles" -msgstr "Profili Comunità" +#: ../../mod/localtime.php:26 +msgid "" +"Friendica provides this service for sharing events with other networks and " +"friends in unknown timezones." +msgstr "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti." -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -#: ../../view/theme/diabook/config.php:164 -msgid "Last users" -msgstr "Ultimi utenti" +#: ../../mod/localtime.php:30 +#, php-format +msgid "UTC time: %s" +msgstr "Ora UTC: %s" -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -#: ../../view/theme/diabook/config.php:166 -msgid "Last likes" -msgstr "Ultimi \"mi piace\"" +#: ../../mod/localtime.php:33 +#, php-format +msgid "Current timezone: %s" +msgstr "Fuso orario corrente: %s" -#: ../../view/theme/diabook/theme.php:463 ../../include/text.php:1963 -#: ../../include/conversation.php:118 ../../include/conversation.php:246 -msgid "event" -msgstr "l'evento" +#: ../../mod/localtime.php:36 +#, php-format +msgid "Converted localtime: %s" +msgstr "Ora locale convertita: %s" -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -#: ../../view/theme/diabook/config.php:165 -msgid "Last photos" -msgstr "Ultime foto" +#: ../../mod/localtime.php:41 +msgid "Please select your timezone:" +msgstr "Selezionare il tuo fuso orario:" -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -#: ../../view/theme/diabook/config.php:163 -msgid "Find Friends" -msgstr "Trova Amici" +#: ../../mod/poke.php:192 +msgid "Poke/Prod" +msgstr "Tocca/Pungola" -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "Elenco Locale" +#: ../../mod/poke.php:193 +msgid "poke, prod or do other things to somebody" +msgstr "tocca, pungola o fai altre cose a qualcuno" -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "Interessi simili" +#: ../../mod/poke.php:194 +msgid "Recipient" +msgstr "Destinatario" -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "Invita amici" +#: ../../mod/poke.php:195 +msgid "Choose what you wish to do to recipient" +msgstr "Scegli cosa vuoi fare al destinatario" -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -#: ../../view/theme/diabook/config.php:159 -msgid "Earth Layers" -msgstr "Earth Layers" +#: ../../mod/poke.php:198 +msgid "Make this post private" +msgstr "Rendi questo post privato" -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "Livello di zoom per Earth Layers" +#: ../../mod/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "Limite totale degli inviti superato." -#: ../../view/theme/diabook/theme.php:585 -#: ../../view/theme/diabook/config.php:156 -msgid "Set longitude (X) for Earth Layers" -msgstr "Longitudine (X) per Earth Layers" +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s: non è un indirizzo email valido." -#: ../../view/theme/diabook/theme.php:586 -#: ../../view/theme/diabook/config.php:157 -msgid "Set latitude (Y) for Earth Layers" -msgstr "Latitudine (Y) per Earth Layers" +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "Unisiciti a noi su Friendica" -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -#: ../../view/theme/diabook/config.php:161 -msgid "Help or @NewHere ?" -msgstr "Serve aiuto? Sei nuovo?" +#: ../../mod/invite.php:84 +msgid "Invitation limit exceeded. Please contact your site administrator." +msgstr "Limite degli inviti superato. Contatta l'amministratore del tuo sito." -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -#: ../../view/theme/diabook/config.php:162 -msgid "Connect Services" -msgstr "Servizi di conessione" +#: ../../mod/invite.php:89 +#, php-format +msgid "%s : Message delivery failed." +msgstr "%s: la consegna del messaggio fallita." -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:328 -msgid "don't show" -msgstr "non mostrare" +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d messaggio inviato." +msgstr[1] "%d messaggi inviati." -#: ../../view/theme/diabook/theme.php:621 -#: ../../view/theme/diabook/config.php:142 ../../include/acl_selectors.php:327 -msgid "show" -msgstr "mostra" +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "Non hai altri inviti disponibili" -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -msgstr "Mostra/Nascondi riquadri nella colonna destra" +#: ../../mod/invite.php:120 +#, 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 "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network." -#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:54 -#: ../../view/theme/dispy/config.php:72 -#: ../../view/theme/duepuntozero/config.php:61 -#: ../../view/theme/quattro/config.php:66 -#: ../../view/theme/cleanzero/config.php:82 -msgid "Theme settings" -msgstr "Impostazioni tema" +#: ../../mod/invite.php:122 +#, php-format +msgid "" +"To accept this invitation, please visit and register at %s or any other " +"public Friendica website." +msgstr "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico." -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/dispy/config.php:73 -#: ../../view/theme/cleanzero/config.php:84 -msgid "Set font-size for posts and comments" -msgstr "Dimensione del carattere di messaggi e commenti" +#: ../../mod/invite.php:123 +#, 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 "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti." -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "Altezza della linea di testo di messaggi e commenti" +#: ../../mod/invite.php:126 +msgid "" +"Our apologies. This system is not currently configured to connect with other" +" public sites or invite members." +msgstr "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri." -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "Imposta la dimensione della colonna centrale" +#: ../../mod/invite.php:132 +msgid "Send invitations" +msgstr "Invia inviti" -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "Imposta lo schema dei colori" +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "Inserisci gli indirizzi email, uno per riga:" -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "Livello di zoom per Earth Layer" +#: ../../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 "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore." -#: ../../view/theme/vier/config.php:55 -msgid "Set style" -msgstr "Imposta stile" +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "Sarà necessario fornire questo codice invito: $invite_code" -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "Imposta schema colori" +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "Una volta registrato, connettiti con me dal mio profilo:" -#: ../../view/theme/duepuntozero/config.php:44 ../../include/text.php:1699 -#: ../../include/user.php:247 -msgid "default" -msgstr "default" +#: ../../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 "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com" -#: ../../view/theme/duepuntozero/config.php:45 -msgid "greenzero" -msgstr "" +#: ../../mod/photos.php:52 ../../boot.php:2129 +msgid "Photo Albums" +msgstr "Album foto" -#: ../../view/theme/duepuntozero/config.php:46 -msgid "purplezero" -msgstr "" +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 +#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" +msgstr "Foto dei contatti" -#: ../../view/theme/duepuntozero/config.php:47 -msgid "easterbunny" -msgstr "" +#: ../../mod/photos.php:67 ../../mod/photos.php:1262 ../../mod/photos.php:1819 +msgid "Upload New Photos" +msgstr "Carica nuove foto" -#: ../../view/theme/duepuntozero/config.php:48 -msgid "darkzero" -msgstr "" +#: ../../mod/photos.php:144 +msgid "Contact information unavailable" +msgstr "I dati di questo contatto non sono disponibili" -#: ../../view/theme/duepuntozero/config.php:49 -msgid "comix" -msgstr "" +#: ../../mod/photos.php:165 +msgid "Album not found." +msgstr "Album non trovato." -#: ../../view/theme/duepuntozero/config.php:50 -msgid "slackr" -msgstr "" +#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1204 +msgid "Delete Album" +msgstr "Rimuovi album" -#: ../../view/theme/duepuntozero/config.php:62 -msgid "Variations" -msgstr "" +#: ../../mod/photos.php:198 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "Vuoi davvero cancellare questo album e tutte le sue foto?" -#: ../../view/theme/quattro/config.php:67 -msgid "Alignment" -msgstr "Allineamento" +#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1515 +msgid "Delete Photo" +msgstr "Rimuovi foto" -#: ../../view/theme/quattro/config.php:67 -msgid "Left" -msgstr "Sinistra" +#: ../../mod/photos.php:287 +msgid "Do you really want to delete this photo?" +msgstr "Vuoi veramente cancellare questa foto?" -#: ../../view/theme/quattro/config.php:67 -msgid "Center" -msgstr "Centrato" +#: ../../mod/photos.php:662 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s è stato taggato in %2$s da %3$s" -#: ../../view/theme/quattro/config.php:68 -#: ../../view/theme/cleanzero/config.php:86 -msgid "Color scheme" -msgstr "Schema colori" +#: ../../mod/photos.php:662 +msgid "a photo" +msgstr "una foto" -#: ../../view/theme/quattro/config.php:69 -msgid "Posts font size" -msgstr "Dimensione caratteri post" +#: ../../mod/photos.php:767 +msgid "Image exceeds size limit of " +msgstr "L'immagine supera il limite di" -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "Dimensione caratteri nelle aree di testo" +#: ../../mod/photos.php:775 +msgid "Image file is empty." +msgstr "Il file dell'immagine è vuoto." -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "Dimensione immagini in messaggi e commenti (larghezza e altezza)" +#: ../../mod/photos.php:930 +msgid "No photos selected" +msgstr "Nessuna foto selezionata" -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "Imposta la larghezza del tema" +#: ../../mod/photos.php:1094 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "Hai usato %1$.2f MBytes su %2$.2f disponibili." -#: ../../boot.php:723 +#: ../../mod/photos.php:1129 +msgid "Upload Photos" +msgstr "Carica foto" + +#: ../../mod/photos.php:1133 ../../mod/photos.php:1199 +msgid "New album name: " +msgstr "Nome nuovo album: " + +#: ../../mod/photos.php:1134 +msgid "or existing album name: " +msgstr "o nome di un album esistente: " + +#: ../../mod/photos.php:1135 +msgid "Do not show a status post for this upload" +msgstr "Non creare un post per questo upload" + +#: ../../mod/photos.php:1137 ../../mod/photos.php:1510 +msgid "Permissions" +msgstr "Permessi" + +#: ../../mod/photos.php:1148 +msgid "Private Photo" +msgstr "Foto privata" + +#: ../../mod/photos.php:1149 +msgid "Public Photo" +msgstr "Foto pubblica" + +#: ../../mod/photos.php:1212 +msgid "Edit Album" +msgstr "Modifica album" + +#: ../../mod/photos.php:1218 +msgid "Show Newest First" +msgstr "Mostra nuove foto per prime" + +#: ../../mod/photos.php:1220 +msgid "Show Oldest First" +msgstr "Mostra vecchie foto per prime" + +#: ../../mod/photos.php:1248 ../../mod/photos.php:1802 +msgid "View Photo" +msgstr "Vedi foto" + +#: ../../mod/photos.php:1294 +msgid "Permission denied. Access to this item may be restricted." +msgstr "Permesso negato. L'accesso a questo elemento può essere limitato." + +#: ../../mod/photos.php:1296 +msgid "Photo not available" +msgstr "Foto non disponibile" + +#: ../../mod/photos.php:1352 +msgid "View photo" +msgstr "Vedi foto" + +#: ../../mod/photos.php:1352 +msgid "Edit photo" +msgstr "Modifica foto" + +#: ../../mod/photos.php:1353 +msgid "Use as profile photo" +msgstr "Usa come foto del profilo" + +#: ../../mod/photos.php:1378 +msgid "View Full Size" +msgstr "Vedi dimensione intera" + +#: ../../mod/photos.php:1457 +msgid "Tags: " +msgstr "Tag: " + +#: ../../mod/photos.php:1460 +msgid "[Remove any tag]" +msgstr "[Rimuovi tutti i tag]" + +#: ../../mod/photos.php:1500 +msgid "Rotate CW (right)" +msgstr "Ruota a destra" + +#: ../../mod/photos.php:1501 +msgid "Rotate CCW (left)" +msgstr "Ruota a sinistra" + +#: ../../mod/photos.php:1503 +msgid "New album name" +msgstr "Nuovo nome dell'album" + +#: ../../mod/photos.php:1506 +msgid "Caption" +msgstr "Titolo" + +#: ../../mod/photos.php:1508 +msgid "Add a Tag" +msgstr "Aggiungi tag" + +#: ../../mod/photos.php:1512 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" + +#: ../../mod/photos.php:1521 +msgid "Private photo" +msgstr "Foto privata" + +#: ../../mod/photos.php:1522 +msgid "Public photo" +msgstr "Foto pubblica" + +#: ../../mod/photos.php:1544 ../../include/conversation.php:1090 +msgid "Share" +msgstr "Condividi" + +#: ../../mod/photos.php:1817 +msgid "Recent Photos" +msgstr "Foto recenti" + +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "Account approvato." + +#: ../../mod/regmod.php:92 +#, php-format +msgid "Registration revoked for %s" +msgstr "Registrazione revocata per %s" + +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "Accedi." + +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "Muovi account" + +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "Puoi importare un account da un altro server Friendica." + +#: ../../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 "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui." + +#: ../../mod/uimport.php:69 +msgid "" +"This feature is experimental. We can't import contacts from the OStatus " +"network (statusnet/identi.ca) or from Diaspora" +msgstr "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora" + +#: ../../mod/uimport.php:70 +msgid "Account file" +msgstr "File account" + +#: ../../mod/uimport.php:70 +msgid "" +"To export your account, go to \"Settings->Export your personal data\" and " +"select \"Export account\"" +msgstr "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\"" + +#: ../../mod/attach.php:8 +msgid "Item not available." +msgstr "Oggetto non disponibile." + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "Oggetto non trovato." + +#: ../../boot.php:749 msgid "Delete this item?" msgstr "Cancellare questo elemento?" -#: ../../boot.php:726 +#: ../../boot.php:752 msgid "show fewer" msgstr "mostra di meno" -#: ../../boot.php:1096 +#: ../../boot.php:1122 #, php-format msgid "Update %s failed. See error logs." msgstr "aggiornamento %s fallito. Guarda i log di errore." -#: ../../boot.php:1214 +#: ../../boot.php:1240 msgid "Create a New Account" msgstr "Crea un nuovo account" -#: ../../boot.php:1239 ../../include/nav.php:73 +#: ../../boot.php:1265 ../../include/nav.php:73 msgid "Logout" msgstr "Esci" -#: ../../boot.php:1240 ../../include/nav.php:92 -msgid "Login" -msgstr "Accedi" - -#: ../../boot.php:1242 +#: ../../boot.php:1268 msgid "Nickname or Email address: " msgstr "Nome utente o indirizzo email: " -#: ../../boot.php:1243 +#: ../../boot.php:1269 msgid "Password: " msgstr "Password: " -#: ../../boot.php:1244 +#: ../../boot.php:1270 msgid "Remember me" msgstr "Ricordati di me" -#: ../../boot.php:1247 +#: ../../boot.php:1273 msgid "Or login using OpenID: " msgstr "O entra con OpenID:" -#: ../../boot.php:1253 +#: ../../boot.php:1279 msgid "Forgot your password?" msgstr "Hai dimenticato la password?" -#: ../../boot.php:1256 +#: ../../boot.php:1282 msgid "Website Terms of Service" msgstr "Condizioni di servizio del sito web " -#: ../../boot.php:1257 +#: ../../boot.php:1283 msgid "terms of service" msgstr "condizioni del servizio" -#: ../../boot.php:1259 +#: ../../boot.php:1285 msgid "Website Privacy Policy" msgstr "Politiche di privacy del sito" -#: ../../boot.php:1260 +#: ../../boot.php:1286 msgid "privacy policy" msgstr "politiche di privacy" -#: ../../boot.php:1393 +#: ../../boot.php:1419 msgid "Requested account is not available." msgstr "L'account richiesto non è disponibile." -#: ../../boot.php:1475 ../../boot.php:1609 +#: ../../boot.php:1501 ../../boot.php:1635 #: ../../include/profile_advanced.php:84 msgid "Edit profile" msgstr "Modifica il profilo" -#: ../../boot.php:1574 +#: ../../boot.php:1600 msgid "Message" msgstr "Messaggio" -#: ../../boot.php:1580 ../../include/nav.php:173 +#: ../../boot.php:1606 ../../include/nav.php:175 msgid "Profiles" msgstr "Profili" -#: ../../boot.php:1580 +#: ../../boot.php:1606 msgid "Manage/edit profiles" msgstr "Gestisci/modifica i profili" -#: ../../boot.php:1677 +#: ../../boot.php:1706 msgid "Network:" msgstr "Rete:" -#: ../../boot.php:1707 ../../boot.php:1793 +#: ../../boot.php:1736 ../../boot.php:1822 msgid "g A l F d" msgstr "g A l d F" -#: ../../boot.php:1708 ../../boot.php:1794 +#: ../../boot.php:1737 ../../boot.php:1823 msgid "F d" msgstr "d F" -#: ../../boot.php:1753 ../../boot.php:1834 +#: ../../boot.php:1782 ../../boot.php:1863 msgid "[today]" msgstr "[oggi]" -#: ../../boot.php:1765 +#: ../../boot.php:1794 msgid "Birthday Reminders" msgstr "Promemoria compleanni" -#: ../../boot.php:1766 +#: ../../boot.php:1795 msgid "Birthdays this week:" msgstr "Compleanni questa settimana:" -#: ../../boot.php:1827 +#: ../../boot.php:1856 msgid "[No description]" msgstr "[Nessuna descrizione]" -#: ../../boot.php:1845 +#: ../../boot.php:1874 msgid "Event Reminders" msgstr "Promemoria" -#: ../../boot.php:1846 +#: ../../boot.php:1875 msgid "Events this week:" msgstr "Eventi di questa settimana:" -#: ../../boot.php:2083 ../../include/nav.php:76 +#: ../../boot.php:2112 ../../include/nav.php:76 msgid "Status" msgstr "Stato" -#: ../../boot.php:2086 +#: ../../boot.php:2115 msgid "Status Messages and Posts" msgstr "Messaggi di stato e post" -#: ../../boot.php:2093 +#: ../../boot.php:2122 msgid "Profile Details" msgstr "Dettagli del profilo" -#: ../../boot.php:2104 ../../boot.php:2107 ../../include/nav.php:79 +#: ../../boot.php:2133 ../../boot.php:2136 ../../include/nav.php:79 msgid "Videos" msgstr "Video" -#: ../../boot.php:2117 +#: ../../boot.php:2146 msgid "Events and Calendar" msgstr "Eventi e calendario" -#: ../../boot.php:2124 +#: ../../boot.php:2153 msgid "Only You Can See This" msgstr "Solo tu puoi vedere questo" +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "Questa voce è stata modificata" + +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "ignora la discussione" + +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "non ignorare la discussione" + +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "inverti stato \"Ignora\"" + +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "ignorato" + +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "Categorie:" + +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "Archiviato in:" + +#: ../../object/Item.php:329 +msgid "via" +msgstr "via" + +#: ../../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 "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido." + +#: ../../include/dbstructure.php:31 +#, php-format +msgid "" +"The error message is\n" +"[pre]%s[/pre]" +msgstr "Il messaggio di errore è\n[pre]%s[/pre]" + +#: ../../include/dbstructure.php:162 +msgid "Errors encountered creating database tables." +msgstr "La creazione delle tabelle del database ha generato errori." + +#: ../../include/dbstructure.php:220 +msgid "Errors encountered performing database changes." +msgstr "Riscontrati errori applicando le modifiche al database." + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "Uscita effettuata." + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto." + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "Il messaggio riportato era:" + +#: ../../include/contact_widgets.php:6 +msgid "Add New Contact" +msgstr "Aggiungi nuovo contatto" + +#: ../../include/contact_widgets.php:7 +msgid "Enter address or web location" +msgstr "Inserisci posizione o indirizzo web" + +#: ../../include/contact_widgets.php:8 +msgid "Example: bob@example.com, http://example.com/barbara" +msgstr "Esempio: bob@example.com, http://example.com/barbara" + +#: ../../include/contact_widgets.php:24 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d invito disponibile" +msgstr[1] "%d inviti disponibili" + +#: ../../include/contact_widgets.php:30 +msgid "Find People" +msgstr "Trova persone" + +#: ../../include/contact_widgets.php:31 +msgid "Enter name or interest" +msgstr "Inserisci un nome o un interesse" + +#: ../../include/contact_widgets.php:32 +msgid "Connect/Follow" +msgstr "Connetti/segui" + +#: ../../include/contact_widgets.php:33 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "Esempi: Mario Rossi, Pesca" + +#: ../../include/contact_widgets.php:36 ../../view/theme/diabook/theme.php:526 +msgid "Similar Interests" +msgstr "Interessi simili" + +#: ../../include/contact_widgets.php:37 +msgid "Random Profile" +msgstr "Profilo causale" + +#: ../../include/contact_widgets.php:38 ../../view/theme/diabook/theme.php:528 +msgid "Invite Friends" +msgstr "Invita amici" + +#: ../../include/contact_widgets.php:71 +msgid "Networks" +msgstr "Reti" + +#: ../../include/contact_widgets.php:74 +msgid "All Networks" +msgstr "Tutte le Reti" + +#: ../../include/contact_widgets.php:104 ../../include/features.php:60 +msgid "Saved Folders" +msgstr "Cartelle Salvate" + +#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 +msgid "Everything" +msgstr "Tutto" + +#: ../../include/contact_widgets.php:136 +msgid "Categories" +msgstr "Categorie" + #: ../../include/features.php:23 msgid "General Features" msgstr "Funzionalità generali" @@ -5953,10 +5935,6 @@ msgstr "Cateorie post" msgid "Add categories to your posts" msgstr "Aggiungi categorie ai tuoi post" -#: ../../include/features.php:60 ../../include/contact_widgets.php:104 -msgid "Saved Folders" -msgstr "Cartelle Salvate" - #: ../../include/features.php:60 msgid "Ability to file posts under folders" msgstr "Permette di archiviare i post in cartelle" @@ -5985,25 +5963,769 @@ msgstr "Silenzia le notifiche di nuovi post" msgid "Ability to mute notifications for a thread" msgstr "Permette di silenziare le notifiche di nuovi post in una discussione" -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "Uscita effettuata." +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "URL di connessione mancante." -#: ../../include/auth.php:128 ../../include/user.php:67 +#: ../../include/follow.php:59 msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto." +"This site is not configured to allow communications with other networks." +msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "The error message was:" -msgstr "Il messaggio riportato era:" +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." -#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "Non è stato trovato un nome o un autore" + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "Nessun URL puo' essere associato a questo indirizzo." + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email." + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito." + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te." + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "Impossibile recuperare informazioni sul contatto." + +#: ../../include/follow.php:258 +msgid "following" +msgstr "segue" + +#: ../../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 "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso." + +#: ../../include/group.php:207 +msgid "Default privacy group for new contacts" +msgstr "Gruppo predefinito per i nuovi contatti" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "Tutti" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "modifica" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "Modifica gruppo" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "Crea un nuovo gruppo" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "Contatti in nessun gruppo." + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "Varie" + +#: ../../include/datetime.php:153 ../../include/datetime.php:290 +msgid "year" +msgstr "anno" + +#: ../../include/datetime.php:158 ../../include/datetime.php:291 +msgid "month" +msgstr "mese" + +#: ../../include/datetime.php:163 ../../include/datetime.php:293 +msgid "day" +msgstr "giorno" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "mai" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "meno di un secondo fa" + +#: ../../include/datetime.php:290 +msgid "years" +msgstr "anni" + +#: ../../include/datetime.php:291 +msgid "months" +msgstr "mesi" + +#: ../../include/datetime.php:292 +msgid "week" +msgstr "settimana" + +#: ../../include/datetime.php:292 +msgid "weeks" +msgstr "settimane" + +#: ../../include/datetime.php:293 +msgid "days" +msgstr "giorni" + +#: ../../include/datetime.php:294 +msgid "hour" +msgstr "ora" + +#: ../../include/datetime.php:294 +msgid "hours" +msgstr "ore" + +#: ../../include/datetime.php:295 +msgid "minute" +msgstr "minuto" + +#: ../../include/datetime.php:295 +msgid "minutes" +msgstr "minuti" + +#: ../../include/datetime.php:296 +msgid "second" +msgstr "secondo" + +#: ../../include/datetime.php:296 +msgid "seconds" +msgstr "secondi" + +#: ../../include/datetime.php:305 +#, php-format +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s fa" + +#: ../../include/datetime.php:477 ../../include/items.php:2211 +#, php-format +msgid "%s's birthday" +msgstr "Compleanno di %s" + +#: ../../include/datetime.php:478 ../../include/items.php:2212 +#, php-format +msgid "Happy Birthday %s" +msgstr "Buon compleanno %s" + +#: ../../include/acl_selectors.php:333 +msgid "Visible to everybody" +msgstr "Visibile a tutti" + +#: ../../include/acl_selectors.php:334 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "show" +msgstr "mostra" + +#: ../../include/acl_selectors.php:335 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "don't show" +msgstr "non mostrare" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[nessun oggetto]" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "tolto dai seguiti" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "Stuzzica" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "Visualizza stato" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "Visualizza profilo" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "Visualizza foto" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "Post della Rete" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "Modifica contatti" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "Rimuovi contatto" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "Invia messaggio privato" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "Ciao" + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "Carica una foto per il profilo." + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "Ciao " + +#: ../../include/security.php:366 +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 "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla." + +#: ../../include/conversation.php:118 ../../include/conversation.php:246 +#: ../../include/text.php:1966 ../../view/theme/diabook/theme.php:463 +msgid "event" +msgstr "l'evento" + +#: ../../include/conversation.php:207 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s ha stuzzicato %2$s" + +#: ../../include/conversation.php:211 ../../include/text.php:1005 +msgid "poked" +msgstr "ha stuzzicato" + +#: ../../include/conversation.php:291 +msgid "post/item" +msgstr "post/elemento" + +#: ../../include/conversation.php:292 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s ha segnato il/la %3$s di %2$s come preferito" + +#: ../../include/conversation.php:772 +msgid "remove" +msgstr "rimuovi" + +#: ../../include/conversation.php:776 +msgid "Delete Selected Items" +msgstr "Cancella elementi selezionati" + +#: ../../include/conversation.php:875 +msgid "Follow Thread" +msgstr "Segui la discussione" + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s likes this." +msgstr "Piace a %s." + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s doesn't like this." +msgstr "Non piace a %s." + +#: ../../include/conversation.php:949 +#, php-format +msgid "%2$d people like this" +msgstr "Piace a %2$d persone." + +#: ../../include/conversation.php:952 +#, php-format +msgid "%2$d people don't like this" +msgstr "Non piace a %2$d persone." + +#: ../../include/conversation.php:966 +msgid "and" +msgstr "e" + +#: ../../include/conversation.php:972 +#, php-format +msgid ", and %d other people" +msgstr "e altre %d persone" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s like this." +msgstr "Piace a %s." + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s don't like this." +msgstr "Non piace a %s." + +#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 +msgid "Visible to everybody" +msgstr "Visibile a tutti" + +#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 +msgid "Please enter a video link/URL:" +msgstr "Inserisci un collegamento video / URL:" + +#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 +msgid "Please enter an audio link/URL:" +msgstr "Inserisci un collegamento audio / URL:" + +#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 +msgid "Tag term:" +msgstr "Tag:" + +#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 +msgid "Where are you right now?" +msgstr "Dove sei ora?" + +#: ../../include/conversation.php:1008 +msgid "Delete item(s)?" +msgstr "Cancellare questo elemento/i?" + +#: ../../include/conversation.php:1051 +msgid "Post to Email" +msgstr "Invia a email" + +#: ../../include/conversation.php:1056 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "Connettore disabilitato, dato che \"%s\" è abilitato." + +#: ../../include/conversation.php:1111 +msgid "permissions" +msgstr "permessi" + +#: ../../include/conversation.php:1135 +msgid "Post to Groups" +msgstr "Invia ai Gruppi" + +#: ../../include/conversation.php:1136 +msgid "Post to Contacts" +msgstr "Invia ai Contatti" + +#: ../../include/conversation.php:1137 +msgid "Private post" +msgstr "Post privato" + +#: ../../include/network.php:895 +msgid "view full size" +msgstr "vedi a schermo intero" + +#: ../../include/text.php:297 +msgid "newer" +msgstr "nuovi" + +#: ../../include/text.php:299 +msgid "older" +msgstr "vecchi" + +#: ../../include/text.php:304 +msgid "prev" +msgstr "prec" + +#: ../../include/text.php:306 +msgid "first" +msgstr "primo" + +#: ../../include/text.php:338 +msgid "last" +msgstr "ultimo" + +#: ../../include/text.php:341 +msgid "next" +msgstr "succ" + +#: ../../include/text.php:855 +msgid "No contacts" +msgstr "Nessun contatto" + +#: ../../include/text.php:864 +#, php-format +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d contatto" +msgstr[1] "%d contatti" + +#: ../../include/text.php:1005 +msgid "poke" +msgstr "stuzzica" + +#: ../../include/text.php:1006 +msgid "ping" +msgstr "invia un ping" + +#: ../../include/text.php:1006 +msgid "pinged" +msgstr "ha inviato un ping" + +#: ../../include/text.php:1007 +msgid "prod" +msgstr "pungola" + +#: ../../include/text.php:1007 +msgid "prodded" +msgstr "ha pungolato" + +#: ../../include/text.php:1008 +msgid "slap" +msgstr "schiaffeggia" + +#: ../../include/text.php:1008 +msgid "slapped" +msgstr "ha schiaffeggiato" + +#: ../../include/text.php:1009 +msgid "finger" +msgstr "tocca" + +#: ../../include/text.php:1009 +msgid "fingered" +msgstr "ha toccato" + +#: ../../include/text.php:1010 +msgid "rebuff" +msgstr "respingi" + +#: ../../include/text.php:1010 +msgid "rebuffed" +msgstr "ha respinto" + +#: ../../include/text.php:1024 +msgid "happy" +msgstr "felice" + +#: ../../include/text.php:1025 +msgid "sad" +msgstr "triste" + +#: ../../include/text.php:1026 +msgid "mellow" +msgstr "rilassato" + +#: ../../include/text.php:1027 +msgid "tired" +msgstr "stanco" + +#: ../../include/text.php:1028 +msgid "perky" +msgstr "vivace" + +#: ../../include/text.php:1029 +msgid "angry" +msgstr "arrabbiato" + +#: ../../include/text.php:1030 +msgid "stupified" +msgstr "stupefatto" + +#: ../../include/text.php:1031 +msgid "puzzled" +msgstr "confuso" + +#: ../../include/text.php:1032 +msgid "interested" +msgstr "interessato" + +#: ../../include/text.php:1033 +msgid "bitter" +msgstr "risentito" + +#: ../../include/text.php:1034 +msgid "cheerful" +msgstr "giocoso" + +#: ../../include/text.php:1035 +msgid "alive" +msgstr "vivo" + +#: ../../include/text.php:1036 +msgid "annoyed" +msgstr "annoiato" + +#: ../../include/text.php:1037 +msgid "anxious" +msgstr "ansioso" + +#: ../../include/text.php:1038 +msgid "cranky" +msgstr "irritabile" + +#: ../../include/text.php:1039 +msgid "disturbed" +msgstr "disturbato" + +#: ../../include/text.php:1040 +msgid "frustrated" +msgstr "frustato" + +#: ../../include/text.php:1041 +msgid "motivated" +msgstr "motivato" + +#: ../../include/text.php:1042 +msgid "relaxed" +msgstr "rilassato" + +#: ../../include/text.php:1043 +msgid "surprised" +msgstr "sorpreso" + +#: ../../include/text.php:1213 +msgid "Monday" +msgstr "Lunedì" + +#: ../../include/text.php:1213 +msgid "Tuesday" +msgstr "Martedì" + +#: ../../include/text.php:1213 +msgid "Wednesday" +msgstr "Mercoledì" + +#: ../../include/text.php:1213 +msgid "Thursday" +msgstr "Giovedì" + +#: ../../include/text.php:1213 +msgid "Friday" +msgstr "Venerdì" + +#: ../../include/text.php:1213 +msgid "Saturday" +msgstr "Sabato" + +#: ../../include/text.php:1213 +msgid "Sunday" +msgstr "Domenica" + +#: ../../include/text.php:1217 +msgid "January" +msgstr "Gennaio" + +#: ../../include/text.php:1217 +msgid "February" +msgstr "Febbraio" + +#: ../../include/text.php:1217 +msgid "March" +msgstr "Marzo" + +#: ../../include/text.php:1217 +msgid "April" +msgstr "Aprile" + +#: ../../include/text.php:1217 +msgid "May" +msgstr "Maggio" + +#: ../../include/text.php:1217 +msgid "June" +msgstr "Giugno" + +#: ../../include/text.php:1217 +msgid "July" +msgstr "Luglio" + +#: ../../include/text.php:1217 +msgid "August" +msgstr "Agosto" + +#: ../../include/text.php:1217 +msgid "September" +msgstr "Settembre" + +#: ../../include/text.php:1217 +msgid "October" +msgstr "Ottobre" + +#: ../../include/text.php:1217 +msgid "November" +msgstr "Novembre" + +#: ../../include/text.php:1217 +msgid "December" +msgstr "Dicembre" + +#: ../../include/text.php:1437 +msgid "bytes" +msgstr "bytes" + +#: ../../include/text.php:1461 ../../include/text.php:1473 +msgid "Click to open/close" +msgstr "Clicca per aprire/chiudere" + +#: ../../include/text.php:1702 ../../include/user.php:247 +#: ../../view/theme/duepuntozero/config.php:44 +msgid "default" +msgstr "default" + +#: ../../include/text.php:1714 +msgid "Select an alternate language" +msgstr "Seleziona una diversa lingua" + +#: ../../include/text.php:1970 +msgid "activity" +msgstr "attività" + +#: ../../include/text.php:1973 +msgid "post" +msgstr "messaggio" + +#: ../../include/text.php:2141 +msgid "Item filed" +msgstr "Messaggio salvato" + +#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 +#: ../../include/bbcode.php:1048 +msgid "Image/photo" +msgstr "Immagine/foto" + +#: ../../include/bbcode.php:528 +#, php-format +msgid "%2$s %3$s" +msgstr "" + +#: ../../include/bbcode.php:562 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "%s ha scritto il seguente messaggio" + +#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 +msgid "$1 wrote:" +msgstr "$1 ha scritto:" + +#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 +msgid "Encrypted content" +msgstr "Contenuto criptato" + +#: ../../include/notifier.php:786 ../../include/delivery.php:456 +msgid "(no subject)" +msgstr "(nessun oggetto)" + +#: ../../include/notifier.php:796 ../../include/delivery.php:467 +#: ../../include/enotify.php:33 +msgid "noreply" +msgstr "nessuna risposta" + +#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "Non trovo le informazioni DNS per il database server '%s'" + +#: ../../include/contact_selectors.php:32 +msgid "Unknown | Not categorised" +msgstr "Sconosciuto | non categorizzato" + +#: ../../include/contact_selectors.php:33 +msgid "Block immediately" +msgstr "Blocca immediatamente" + +#: ../../include/contact_selectors.php:34 +msgid "Shady, spammer, self-marketer" +msgstr "Shady, spammer, self-marketer" + +#: ../../include/contact_selectors.php:35 +msgid "Known to me, but no opinion" +msgstr "Lo conosco, ma non ho un'opinione particolare" + +#: ../../include/contact_selectors.php:36 +msgid "OK, probably harmless" +msgstr "E' ok, probabilmente innocuo" + +#: ../../include/contact_selectors.php:37 +msgid "Reputable, has my trust" +msgstr "Rispettabile, ha la mia fiducia" + +#: ../../include/contact_selectors.php:60 +msgid "Weekly" +msgstr "Settimanalmente" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "Mensilmente" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "Ostatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS / Atom" + +#: ../../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 "Connettore Diaspora" + +#: ../../include/contact_selectors.php:91 +msgid "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "App.net" + +#: ../../include/Scrape.php:614 +msgid " on Last.fm" +msgstr "su Last.fm" + +#: ../../include/bb2diaspora.php:154 ../../include/event.php:20 msgid "Starts:" msgstr "Inizia:" -#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 +#: ../../include/bb2diaspora.php:162 ../../include/event.php:30 msgid "Finishes:" msgstr "Finisce:" @@ -6072,403 +6794,343 @@ msgstr "Lavoro:" msgid "School/education:" msgstr "Scuola:" -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[nessun oggetto]" - -#: ../../include/Scrape.php:584 -msgid " on Last.fm" -msgstr "su Last.fm" - -#: ../../include/text.php:296 -msgid "newer" -msgstr "nuovi" - -#: ../../include/text.php:298 -msgid "older" -msgstr "vecchi" - -#: ../../include/text.php:303 -msgid "prev" -msgstr "prec" - -#: ../../include/text.php:305 -msgid "first" -msgstr "primo" - -#: ../../include/text.php:337 -msgid "last" -msgstr "ultimo" - -#: ../../include/text.php:340 -msgid "next" -msgstr "succ" - -#: ../../include/text.php:854 -msgid "No contacts" -msgstr "Nessun contatto" - -#: ../../include/text.php:863 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d contatto" -msgstr[1] "%d contatti" +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "Clicca qui per aggiornare." + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "Questa azione eccede i limiti del tuo piano di sottoscrizione." + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "Questa azione non è disponibile nel tuo piano di sottoscrizione." + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "Finisci questa sessione" + +#: ../../include/nav.php:76 ../../include/nav.php:148 +#: ../../view/theme/diabook/theme.php:123 +msgid "Your posts and conversations" +msgstr "I tuoi messaggi e le tue conversazioni" -#: ../../include/text.php:1004 -msgid "poke" -msgstr "stuzzica" +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Your profile page" +msgstr "Pagina del tuo profilo" -#: ../../include/text.php:1004 ../../include/conversation.php:211 -msgid "poked" -msgstr "toccato" +#: ../../include/nav.php:78 ../../view/theme/diabook/theme.php:126 +msgid "Your photos" +msgstr "Le tue foto" -#: ../../include/text.php:1005 -msgid "ping" -msgstr "invia un ping" +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "I tuoi video" -#: ../../include/text.php:1005 -msgid "pinged" -msgstr "inviato un ping" +#: ../../include/nav.php:80 ../../view/theme/diabook/theme.php:127 +msgid "Your events" +msgstr "I tuoi eventi" -#: ../../include/text.php:1006 -msgid "prod" -msgstr "pungola" +#: ../../include/nav.php:81 ../../view/theme/diabook/theme.php:128 +msgid "Personal notes" +msgstr "Note personali" -#: ../../include/text.php:1006 -msgid "prodded" -msgstr "pungolato" +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "Le tue note personali" -#: ../../include/text.php:1007 -msgid "slap" -msgstr "schiaffeggia" +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "Entra" -#: ../../include/text.php:1007 -msgid "slapped" -msgstr "schiaffeggiato" +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "Home Page" -#: ../../include/text.php:1008 -msgid "finger" -msgstr "tocca" +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "Crea un account" -#: ../../include/text.php:1008 -msgid "fingered" -msgstr "toccato" +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "Guida e documentazione" -#: ../../include/text.php:1009 -msgid "rebuff" -msgstr "respingi" +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "Applicazioni" -#: ../../include/text.php:1009 -msgid "rebuffed" -msgstr "respinto" +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "Applicazioni, utilità e giochi aggiuntivi" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "Cerca nel contenuto del sito" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "Conversazioni su questo sito" + +#: ../../include/nav.php:131 +msgid "Conversations on the network" +msgstr "" + +#: ../../include/nav.php:133 +msgid "Directory" +msgstr "Elenco" + +#: ../../include/nav.php:133 +msgid "People directory" +msgstr "Elenco delle persone" + +#: ../../include/nav.php:135 +msgid "Information" +msgstr "Informazioni" + +#: ../../include/nav.php:135 +msgid "Information about this friendica instance" +msgstr "Informazioni su questo server friendica" + +#: ../../include/nav.php:145 +msgid "Conversations from your friends" +msgstr "Conversazioni dai tuoi amici" + +#: ../../include/nav.php:146 +msgid "Network Reset" +msgstr "Reset pagina Rete" + +#: ../../include/nav.php:146 +msgid "Load Network page with no filters" +msgstr "Carica la pagina Rete senza nessun filtro" + +#: ../../include/nav.php:154 +msgid "Friend Requests" +msgstr "Richieste di amicizia" + +#: ../../include/nav.php:156 +msgid "See all notifications" +msgstr "Vedi tutte le notifiche" + +#: ../../include/nav.php:157 +msgid "Mark all system notifications seen" +msgstr "Segna tutte le notifiche come viste" -#: ../../include/text.php:1023 -msgid "happy" -msgstr "felice" +#: ../../include/nav.php:161 +msgid "Private mail" +msgstr "Posta privata" -#: ../../include/text.php:1024 -msgid "sad" -msgstr "triste" +#: ../../include/nav.php:162 +msgid "Inbox" +msgstr "In arrivo" -#: ../../include/text.php:1025 -msgid "mellow" -msgstr "rilassato" +#: ../../include/nav.php:163 +msgid "Outbox" +msgstr "Inviati" -#: ../../include/text.php:1026 -msgid "tired" -msgstr "stanco" +#: ../../include/nav.php:167 +msgid "Manage" +msgstr "Gestisci" -#: ../../include/text.php:1027 -msgid "perky" -msgstr "vivace" +#: ../../include/nav.php:167 +msgid "Manage other pages" +msgstr "Gestisci altre pagine" -#: ../../include/text.php:1028 -msgid "angry" -msgstr "arrabbiato" +#: ../../include/nav.php:172 +msgid "Account settings" +msgstr "Parametri account" -#: ../../include/text.php:1029 -msgid "stupified" -msgstr "stupefatto" +#: ../../include/nav.php:175 +msgid "Manage/Edit Profiles" +msgstr "Gestisci/Modifica i profili" -#: ../../include/text.php:1030 -msgid "puzzled" -msgstr "confuso" +#: ../../include/nav.php:177 +msgid "Manage/edit friends and contacts" +msgstr "Gestisci/modifica amici e contatti" -#: ../../include/text.php:1031 -msgid "interested" -msgstr "interessato" +#: ../../include/nav.php:184 +msgid "Site setup and configuration" +msgstr "Configurazione del sito" -#: ../../include/text.php:1032 -msgid "bitter" -msgstr "risentito" +#: ../../include/nav.php:188 +msgid "Navigation" +msgstr "Navigazione" -#: ../../include/text.php:1033 -msgid "cheerful" -msgstr "giocoso" +#: ../../include/nav.php:188 +msgid "Site map" +msgstr "Mappa del sito" -#: ../../include/text.php:1034 -msgid "alive" -msgstr "vivo" - -#: ../../include/text.php:1035 -msgid "annoyed" -msgstr "annoiato" - -#: ../../include/text.php:1036 -msgid "anxious" -msgstr "ansioso" - -#: ../../include/text.php:1037 -msgid "cranky" -msgstr "irritabile" - -#: ../../include/text.php:1038 -msgid "disturbed" -msgstr "disturbato" - -#: ../../include/text.php:1039 -msgid "frustrated" -msgstr "frustato" - -#: ../../include/text.php:1040 -msgid "motivated" -msgstr "motivato" - -#: ../../include/text.php:1041 -msgid "relaxed" -msgstr "rilassato" - -#: ../../include/text.php:1042 -msgid "surprised" -msgstr "sorpreso" - -#: ../../include/text.php:1210 -msgid "Monday" -msgstr "Lunedì" - -#: ../../include/text.php:1210 -msgid "Tuesday" -msgstr "Martedì" - -#: ../../include/text.php:1210 -msgid "Wednesday" -msgstr "Mercoledì" - -#: ../../include/text.php:1210 -msgid "Thursday" -msgstr "Giovedì" - -#: ../../include/text.php:1210 -msgid "Friday" -msgstr "Venerdì" - -#: ../../include/text.php:1210 -msgid "Saturday" -msgstr "Sabato" - -#: ../../include/text.php:1210 -msgid "Sunday" -msgstr "Domenica" - -#: ../../include/text.php:1214 -msgid "January" -msgstr "Gennaio" - -#: ../../include/text.php:1214 -msgid "February" -msgstr "Febbraio" - -#: ../../include/text.php:1214 -msgid "March" -msgstr "Marzo" - -#: ../../include/text.php:1214 -msgid "April" -msgstr "Aprile" - -#: ../../include/text.php:1214 -msgid "May" -msgstr "Maggio" - -#: ../../include/text.php:1214 -msgid "June" -msgstr "Giugno" - -#: ../../include/text.php:1214 -msgid "July" -msgstr "Luglio" - -#: ../../include/text.php:1214 -msgid "August" -msgstr "Agosto" - -#: ../../include/text.php:1214 -msgid "September" -msgstr "Settembre" - -#: ../../include/text.php:1214 -msgid "October" -msgstr "Ottobre" - -#: ../../include/text.php:1214 -msgid "November" -msgstr "Novembre" - -#: ../../include/text.php:1214 -msgid "December" -msgstr "Dicembre" - -#: ../../include/text.php:1434 -msgid "bytes" -msgstr "bytes" - -#: ../../include/text.php:1458 ../../include/text.php:1470 -msgid "Click to open/close" -msgstr "Clicca per aprire/chiudere" - -#: ../../include/text.php:1711 -msgid "Select an alternate language" -msgstr "Seleziona una diversa lingua" - -#: ../../include/text.php:1967 -msgid "activity" -msgstr "attività" - -#: ../../include/text.php:1970 -msgid "post" -msgstr "messaggio" - -#: ../../include/text.php:2138 -msgid "Item filed" -msgstr "Messaggio salvato" - -#: ../../include/api.php:278 ../../include/api.php:289 -#: ../../include/api.php:390 ../../include/api.php:975 -#: ../../include/api.php:977 +#: ../../include/api.php:304 ../../include/api.php:315 +#: ../../include/api.php:416 ../../include/api.php:1063 +#: ../../include/api.php:1065 msgid "User not found." msgstr "Utente non trovato." -#: ../../include/api.php:1184 +#: ../../include/api.php:771 +#, php-format +msgid "Daily posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:790 +#, php-format +msgid "Weekly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:809 +#, php-format +msgid "Monthly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:1272 msgid "There is no status with this id." msgstr "Non c'è nessuno status con questo id." -#: ../../include/api.php:1254 +#: ../../include/api.php:1342 msgid "There is no conversation with this id." msgstr "Non c'è nessuna conversazione con questo id" -#: ../../include/dba.php:56 ../../include/dba_pdo.php:72 +#: ../../include/api.php:1614 +msgid "Invalid request." +msgstr "" + +#: ../../include/api.php:1625 +msgid "Invalid item." +msgstr "" + +#: ../../include/api.php:1635 +msgid "Invalid action. " +msgstr "" + +#: ../../include/api.php:1643 +msgid "DB error" +msgstr "" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "E' richiesto un invito." + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "L'invito non puo' essere verificato." + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "Url OpenID non valido" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "Inserisci le informazioni richieste." + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "Usa un nome più corto." + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "Il nome è troppo corto." + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "Questo non sembra essere il tuo nome completo (Nome Cognome)." + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "Il dominio della tua email non è tra quelli autorizzati su questo sito." + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "L'indirizzo email non è valido." + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "Non puoi usare quell'email." + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera." + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "Nome utente già registrato. Scegline un altro." + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo." + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita." + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "C'è stato un errore durante la registrazione. Prova ancora." + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "C'è stato un errore nella creazione del tuo profilo. Prova ancora." + +#: ../../include/user.php:289 ../../include/user.php:293 +#: ../../include/profile_selectors.php:42 +msgid "Friends" +msgstr "Amici" + +#: ../../include/user.php:377 #, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "Non trovo le informazioni DNS per il database server '%s'" +msgid "" +"\n" +"\t\tDear %1$s,\n" +"\t\t\tThank you for registering at %2$s. Your account has been created.\n" +"\t" +msgstr "\nGentile %1$s,\nGrazie per esserti registrato su %2$s. Il tuo account è stato creato." -#: ../../include/items.php:2112 ../../include/datetime.php:472 +#: ../../include/user.php:381 #, php-format -msgid "%s's birthday" -msgstr "Compleanno di %s" - -#: ../../include/items.php:2113 ../../include/datetime.php:473 -#, php-format -msgid "Happy Birthday %s" -msgstr "Buon compleanno %s" - -#: ../../include/items.php:4418 -msgid "Do you really want to delete this item?" -msgstr "Vuoi veramente cancellare questo elemento?" - -#: ../../include/items.php:4641 -msgid "Archives" -msgstr "Archivi" - -#: ../../include/delivery.php:456 ../../include/notifier.php:774 -msgid "(no subject)" -msgstr "(nessun oggetto)" - -#: ../../include/delivery.php:467 ../../include/notifier.php:784 -#: ../../include/enotify.php:30 -msgid "noreply" -msgstr "nessuna risposta" +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/diaspora.php:703 msgid "Sharing notification from Diaspora network" msgstr "Notifica di condivisione dal network Diaspora*" -#: ../../include/diaspora.php:2312 +#: ../../include/diaspora.php:2520 msgid "Attachments:" msgstr "Allegati:" -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "URL di connessione mancante." +#: ../../include/items.php:4555 +msgid "Do you really want to delete this item?" +msgstr "Vuoi veramente cancellare questo elemento?" -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "Questo sito non è configurato per permettere la comunicazione con altri network." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "Non sono stati trovati protocolli di comunicazione o feed compatibili." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "L'indirizzo del profilo specificato non fornisce adeguate informazioni." - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "Non è stato trovato un nome o un autore" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "Nessun URL puo' essere associato a questo indirizzo." - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email." - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email." - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito." - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te." - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "Impossibile recuperare informazioni sul contatto." - -#: ../../include/follow.php:259 -msgid "following" -msgstr "segue" - -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "Ciao" - -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "Carica una foto per il profilo." - -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "Ciao " - -#: ../../include/security.php:366 -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 "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla." +#: ../../include/items.php:4778 +msgid "Archives" +msgstr "Archivi" #: ../../include/profile_selectors.php:6 msgid "Male" @@ -6614,11 +7276,6 @@ msgstr "Infedele" msgid "Sex Addict" msgstr "Sesso-dipendente" -#: ../../include/profile_selectors.php:42 ../../include/user.php:289 -#: ../../include/user.php:293 -msgid "Friends" -msgstr "Amici" - #: ../../include/profile_selectors.php:42 msgid "Friends/Benefits" msgstr "Amici con benefici" @@ -6703,6 +7360,298 @@ msgstr "Non interessa" msgid "Ask me" msgstr "Chiedimelo" +#: ../../include/enotify.php:18 +msgid "Friendica Notification" +msgstr "Notifica Friendica" + +#: ../../include/enotify.php:21 +msgid "Thank You," +msgstr "Grazie," + +#: ../../include/enotify.php:23 +#, php-format +msgid "%s Administrator" +msgstr "Amministratore %s" + +#: ../../include/enotify.php:64 +#, php-format +msgid "%s " +msgstr "%s " + +#: ../../include/enotify.php:68 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s" + +#: ../../include/enotify.php:70 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "%1$s ti ha inviato un nuovo messaggio privato su %2$s." + +#: ../../include/enotify.php:71 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s ti ha inviato %2$s" + +#: ../../include/enotify.php:71 +msgid "a private message" +msgstr "un messaggio privato" + +#: ../../include/enotify.php:72 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "Visita %s per vedere e/o rispodere ai tuoi messaggi privati." + +#: ../../include/enotify.php:124 +#, php-format +msgid "%1$s commented on [url=%2$s]a %3$s[/url]" +msgstr "%1$s ha commentato [url=%2$s]%3$s[/url]" + +#: ../../include/enotify.php:131 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "%1$s ha commentato [url=%2$s]%4$s di %3$s[/url]" + +#: ../../include/enotify.php:139 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "%1$s ha commentato un [url=%2$s]tuo %3$s[/url]" + +#: ../../include/enotify.php:149 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "[Friendica:Notifica] Commento di %2$s alla conversazione #%1$d" + +#: ../../include/enotify.php:150 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s ha commentato un elemento che stavi seguendo." + +#: ../../include/enotify.php:153 ../../include/enotify.php:168 +#: ../../include/enotify.php:181 ../../include/enotify.php:194 +#: ../../include/enotify.php:212 ../../include/enotify.php:225 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "Visita %s per vedere e/o commentare la conversazione" + +#: ../../include/enotify.php:160 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "[Friendica:Notifica] %s ha scritto sulla tua bacheca" + +#: ../../include/enotify.php:162 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s ha scritto sulla tua bacheca su %2$s" + +#: ../../include/enotify.php:164 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "%1$s ha inviato un messaggio sulla [url=%2$s]tua bacheca[/url]" + +#: ../../include/enotify.php:175 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "[Friendica:Notifica] %s ti ha taggato" + +#: ../../include/enotify.php:176 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s ti ha taggato su %2$s" + +#: ../../include/enotify.php:177 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "%1$s [url=%2$s]ti ha taggato[/url]." + +#: ../../include/enotify.php:188 +#, php-format +msgid "[Friendica:Notify] %s shared a new post" +msgstr "[Friendica:Notifica] %s ha condiviso un nuovo messaggio" + +#: ../../include/enotify.php:189 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "%1$s ha condiviso un nuovo messaggio su %2$s" + +#: ../../include/enotify.php:190 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "%1$s [url=%2$s]ha condiviso un messaggio[/url]." + +#: ../../include/enotify.php:202 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "[Friendica:Notifica] %1$s ti ha stuzzicato" + +#: ../../include/enotify.php:203 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "%1$s ti ha stuzzicato su %2$s" + +#: ../../include/enotify.php:204 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." + +#: ../../include/enotify.php:219 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "[Friendica:Notifica] %s ha taggato un tuo messaggio" + +#: ../../include/enotify.php:220 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "%1$s ha taggato il tuo post su %2$s" + +#: ../../include/enotify.php:221 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "%1$s ha taggato [url=%2$s]il tuo post[/url]" + +#: ../../include/enotify.php:232 +msgid "[Friendica:Notify] Introduction received" +msgstr "[Friendica:Notifica] Hai ricevuto una presentazione" + +#: ../../include/enotify.php:233 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "Hai ricevuto un'introduzione da '%1$s' su %2$s" + +#: ../../include/enotify.php:234 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "Hai ricevuto [url=%1$s]un'introduzione[/url] da %2$s." + +#: ../../include/enotify.php:237 ../../include/enotify.php:279 +#, php-format +msgid "You may visit their profile at %s" +msgstr "Puoi visitare il suo profilo presso %s" + +#: ../../include/enotify.php:239 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "Visita %s per approvare o rifiutare la presentazione." + +#: ../../include/enotify.php:247 +msgid "[Friendica:Notify] A new person is sharing with you" +msgstr "[Friendica:Notifica] Una nuova persona sta condividendo con te" + +#: ../../include/enotify.php:248 ../../include/enotify.php:249 +#, php-format +msgid "%1$s is sharing with you at %2$s" +msgstr "%1$s sta condividendo con te su %2$s" + +#: ../../include/enotify.php:255 +msgid "[Friendica:Notify] You have a new follower" +msgstr "[Friendica:Notifica] Una nuova persona ti segue" + +#: ../../include/enotify.php:256 ../../include/enotify.php:257 +#, php-format +msgid "You have a new follower at %2$s : %1$s" +msgstr "Un nuovo utente ha iniziato a seguirti su %2$s : %1$s" + +#: ../../include/enotify.php:270 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia" + +#: ../../include/enotify.php:271 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "Hai ricevuto un suggerimento di amicizia da '%1$s' su %2$s" + +#: ../../include/enotify.php:272 +#, php-format +msgid "" +"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." +msgstr "Hai ricevuto [url=%1$s]un suggerimento di amicizia[/url] per %2$s su %3$s" + +#: ../../include/enotify.php:277 +msgid "Name:" +msgstr "Nome:" + +#: ../../include/enotify.php:278 +msgid "Photo:" +msgstr "Foto:" + +#: ../../include/enotify.php:281 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "Visita %s per approvare o rifiutare il suggerimento." + +#: ../../include/enotify.php:289 ../../include/enotify.php:302 +msgid "[Friendica:Notify] Connection accepted" +msgstr "[Friendica:Notifica] Connessione accettata" + +#: ../../include/enotify.php:290 ../../include/enotify.php:303 +#, php-format +msgid "'%1$s' has acepted your connection request at %2$s" +msgstr "'%1$s' ha accettato la tua richiesta di connessione su %2$s" + +#: ../../include/enotify.php:291 ../../include/enotify.php:304 +#, php-format +msgid "%2$s has accepted your [url=%1$s]connection request[/url]." +msgstr "%2$s ha accettato la tua [url=%1$s]richiesta di connessione[/url]" + +#: ../../include/enotify.php:294 +msgid "" +"You are now mutual friends and may exchange status updates, photos, and email\n" +"\twithout restriction." +msgstr "Ora siete connessi reciprocamente e potete scambiarvi aggiornamenti di stato, foto e email\nsenza restrizioni" + +#: ../../include/enotify.php:297 ../../include/enotify.php:311 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "Visita %s se desideri modificare questo collegamento." + +#: ../../include/enotify.php:307 +#, 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 "'%1$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibiltà di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente." + +#: ../../include/enotify.php:309 +#, php-format +msgid "" +"'%1$s' may choose to extend this into a two-way or more permissive " +"relationship in the future. " +msgstr "'%1$s' può decidere in futuro di estendere la connessione in una reciproca o più permissiva." + +#: ../../include/enotify.php:322 +msgid "[Friendica System:Notify] registration request" +msgstr "[Friendica System:Notifica] richiesta di registrazione" + +#: ../../include/enotify.php:323 +#, php-format +msgid "You've received a registration request from '%1$s' at %2$s" +msgstr "Hai ricevuto una richiesta di registrazione da '%1$s' su %2$s" + +#: ../../include/enotify.php:324 +#, php-format +msgid "You've received a [url=%1$s]registration request[/url] from %2$s." +msgstr "Hai ricevuto una [url=%1$s]richiesta di registrazione[/url] da %2$s." + +#: ../../include/enotify.php:327 +#, php-format +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "Nome completo: %1$s\nIndirizzo del sito: %2$s\nNome utente: %3$s (%4$s)" + +#: ../../include/enotify.php:330 +#, php-format +msgid "Please visit %s to approve or reject the request." +msgstr "Visita %s per approvare o rifiutare la richiesta." + +#: ../../include/oembed.php:212 +msgid "Embedded content" +msgstr "Contenuto incorporato" + +#: ../../include/oembed.php:221 +msgid "Embedding disabled" +msgstr "Embed disabilitato" + #: ../../include/uimport.php:94 msgid "Error decoding account file" msgstr "Errore decodificando il file account" @@ -6739,991 +7688,190 @@ msgstr[1] "%d contatti non importati" msgid "Done. You can now login with your username and password" msgstr "Fatto. Ora puoi entrare con il tuo nome utente e la tua password" -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "Clicca qui per aggiornare." - -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "Questa azione eccede i limiti del tuo piano di sottoscrizione." - -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "Questa azione non è disponibile nel tuo piano di sottoscrizione." - -#: ../../include/conversation.php:207 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s ha stuzzicato %2$s" - -#: ../../include/conversation.php:291 -msgid "post/item" -msgstr "post/elemento" - -#: ../../include/conversation.php:292 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s ha segnato il/la %3$s di %2$s come preferito" - -#: ../../include/conversation.php:772 -msgid "remove" -msgstr "rimuovi" - -#: ../../include/conversation.php:776 -msgid "Delete Selected Items" -msgstr "Cancella elementi selezionati" - -#: ../../include/conversation.php:875 -msgid "Follow Thread" -msgstr "Segui la discussione" - -#: ../../include/conversation.php:876 ../../include/Contact.php:229 -msgid "View Status" -msgstr "Visualizza stato" - -#: ../../include/conversation.php:877 ../../include/Contact.php:230 -msgid "View Profile" -msgstr "Visualizza profilo" - -#: ../../include/conversation.php:878 ../../include/Contact.php:231 -msgid "View Photos" -msgstr "Visualizza foto" - -#: ../../include/conversation.php:879 ../../include/Contact.php:232 -#: ../../include/Contact.php:255 -msgid "Network Posts" -msgstr "Post della Rete" - -#: ../../include/conversation.php:880 ../../include/Contact.php:233 -#: ../../include/Contact.php:255 -msgid "Edit Contact" -msgstr "Modifica contatti" - -#: ../../include/conversation.php:881 ../../include/Contact.php:235 -#: ../../include/Contact.php:255 -msgid "Send PM" -msgstr "Invia messaggio privato" - -#: ../../include/conversation.php:882 ../../include/Contact.php:228 -msgid "Poke" -msgstr "Stuzzica" - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s likes this." -msgstr "Piace a %s." - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s doesn't like this." -msgstr "Non piace a %s." - -#: ../../include/conversation.php:949 -#, php-format -msgid "%2$d people like this" -msgstr "Piace a %2$d persone." - -#: ../../include/conversation.php:952 -#, php-format -msgid "%2$d people don't like this" -msgstr "Non piace a %2$d persone." - -#: ../../include/conversation.php:966 -msgid "and" -msgstr "e" - -#: ../../include/conversation.php:972 -#, php-format -msgid ", and %d other people" -msgstr "e altre %d persone" - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s like this." -msgstr "Piace a %s." - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s don't like this." -msgstr "Non piace a %s." - -#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 -msgid "Visible to everybody" -msgstr "Visibile a tutti" - -#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 -msgid "Please enter a video link/URL:" -msgstr "Inserisci un collegamento video / URL:" - -#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 -msgid "Please enter an audio link/URL:" -msgstr "Inserisci un collegamento audio / URL:" - -#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 -msgid "Tag term:" -msgstr "Tag:" - -#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 -msgid "Where are you right now?" -msgstr "Dove sei ora?" - -#: ../../include/conversation.php:1008 -msgid "Delete item(s)?" -msgstr "Cancellare questo elemento/i?" - -#: ../../include/conversation.php:1051 -msgid "Post to Email" -msgstr "Invia a email" - -#: ../../include/conversation.php:1056 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "Connettore disabilitato, dato che \"%s\" è abilitato." - -#: ../../include/conversation.php:1111 -msgid "permissions" -msgstr "permessi" - -#: ../../include/conversation.php:1135 -msgid "Post to Groups" -msgstr "Invia ai Gruppi" - -#: ../../include/conversation.php:1136 -msgid "Post to Contacts" -msgstr "Invia ai Contatti" - -#: ../../include/conversation.php:1137 -msgid "Private post" -msgstr "Post privato" - -#: ../../include/contact_widgets.php:6 -msgid "Add New Contact" -msgstr "Aggiungi nuovo contatto" - -#: ../../include/contact_widgets.php:7 -msgid "Enter address or web location" -msgstr "Inserisci posizione o indirizzo web" - -#: ../../include/contact_widgets.php:8 -msgid "Example: bob@example.com, http://example.com/barbara" -msgstr "Esempio: bob@example.com, http://example.com/barbara" - -#: ../../include/contact_widgets.php:24 -#, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d invito disponibile" -msgstr[1] "%d inviti disponibili" - -#: ../../include/contact_widgets.php:30 -msgid "Find People" -msgstr "Trova persone" - -#: ../../include/contact_widgets.php:31 -msgid "Enter name or interest" -msgstr "Inserisci un nome o un interesse" - -#: ../../include/contact_widgets.php:32 -msgid "Connect/Follow" -msgstr "Connetti/segui" - -#: ../../include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "Esempi: Mario Rossi, Pesca" - -#: ../../include/contact_widgets.php:37 -msgid "Random Profile" -msgstr "Profilo causale" - -#: ../../include/contact_widgets.php:71 -msgid "Networks" -msgstr "Reti" - -#: ../../include/contact_widgets.php:74 -msgid "All Networks" -msgstr "Tutte le Reti" - -#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 -msgid "Everything" -msgstr "Tutto" - -#: ../../include/contact_widgets.php:136 -msgid "Categories" -msgstr "Categorie" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "Finisci questa sessione" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "I tuoi video" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "Le tue note personali" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "Entra" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "Home Page" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "Crea un account" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "Guida e documentazione" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "Applicazioni" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "Applicazioni, utilità e giochi aggiuntivi" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "Cerca nel contenuto del sito" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "Conversazioni su questo sito" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "Elenco" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "Elenco delle persone" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "Informazioni" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "Informazioni su questo server friendica" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "Conversazioni dai tuoi amici" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "Reset pagina Rete" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "Carica la pagina Rete senza nessun filtro" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "Richieste di amicizia" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "Vedi tutte le notifiche" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "Segna tutte le notifiche come viste" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "Posta privata" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "In arrivo" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "Inviati" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "Gestisci" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "Gestisci altre pagine" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "Parametri account" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "Gestisci/Modifica i profili" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "Gestisci/modifica amici e contatti" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "Configurazione del sito" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "Navigazione" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "Mappa del sito" - -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "Sconosciuto | non categorizzato" - -#: ../../include/contact_selectors.php:33 -msgid "Block immediately" -msgstr "Blocca immediatamente" - -#: ../../include/contact_selectors.php:34 -msgid "Shady, spammer, self-marketer" -msgstr "Shady, spammer, self-marketer" - -#: ../../include/contact_selectors.php:35 -msgid "Known to me, but no opinion" -msgstr "Lo conosco, ma non ho un'opinione particolare" - -#: ../../include/contact_selectors.php:36 -msgid "OK, probably harmless" -msgstr "E' ok, probabilmente innocuo" - -#: ../../include/contact_selectors.php:37 -msgid "Reputable, has my trust" -msgstr "Rispettabile, ha la mia fiducia" - -#: ../../include/contact_selectors.php:60 -msgid "Weekly" -msgstr "Settimanalmente" - -#: ../../include/contact_selectors.php:61 -msgid "Monthly" -msgstr "Mensilmente" - -#: ../../include/contact_selectors.php:77 -msgid "OStatus" -msgstr "Ostatus" - -#: ../../include/contact_selectors.php:78 -msgid "RSS/Atom" -msgstr "RSS / Atom" - -#: ../../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 "Connettore Diaspora" - -#: ../../include/contact_selectors.php:91 -msgid "Statusnet" -msgstr "Statusnet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "App.net" - -#: ../../include/enotify.php:18 -msgid "Friendica Notification" -msgstr "Notifica Friendica" - -#: ../../include/enotify.php:21 -msgid "Thank You," -msgstr "Grazie," - -#: ../../include/enotify.php:23 -#, php-format -msgid "%s Administrator" -msgstr "Amministratore %s" - -#: ../../include/enotify.php:55 -#, php-format -msgid "%s " -msgstr "%s " - -#: ../../include/enotify.php:59 -#, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica:Notifica] Nuovo messaggio privato ricevuto su %s" - -#: ../../include/enotify.php:61 -#, php-format -msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s ti ha inviato un nuovo messaggio privato su %2$s." - -#: ../../include/enotify.php:62 -#, php-format -msgid "%1$s sent you %2$s." -msgstr "%1$s ti ha inviato %2$s" - -#: ../../include/enotify.php:62 -msgid "a private message" -msgstr "un messaggio privato" - -#: ../../include/enotify.php:63 -#, php-format -msgid "Please visit %s to view and/or reply to your private messages." -msgstr "Visita %s per vedere e/o rispodere ai tuoi messaggi privati." - -#: ../../include/enotify.php:115 -#, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s ha commentato [url=%2$s]%3$s[/url]" - -#: ../../include/enotify.php:122 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s ha commentato [url=%2$s]%4$s di %3$s[/url]" - -#: ../../include/enotify.php:130 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s ha commentato un [url=%2$s]tuo %3$s[/url]" - -#: ../../include/enotify.php:140 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notifica] Commento di %2$s alla conversazione #%1$d" - -#: ../../include/enotify.php:141 -#, php-format -msgid "%s commented on an item/conversation you have been following." -msgstr "%s ha commentato un elemento che stavi seguendo." - -#: ../../include/enotify.php:144 ../../include/enotify.php:159 -#: ../../include/enotify.php:172 ../../include/enotify.php:185 -#: ../../include/enotify.php:203 ../../include/enotify.php:216 -#, php-format -msgid "Please visit %s to view and/or reply to the conversation." -msgstr "Visita %s per vedere e/o commentare la conversazione" - -#: ../../include/enotify.php:151 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Notifica] %s ha scritto sulla tua bacheca" - -#: ../../include/enotify.php:153 -#, php-format -msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s ha scritto sulla tua bacheca su %2$s" - -#: ../../include/enotify.php:155 -#, php-format -msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "%1$s ha inviato un messaggio sulla [url=%2$s]tua bacheca[/url]" - -#: ../../include/enotify.php:166 -#, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notifica] %s ti ha taggato" - -#: ../../include/enotify.php:167 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s ti ha taggato su %2$s" - -#: ../../include/enotify.php:168 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s [url=%2$s]ti ha taggato[/url]." - -#: ../../include/enotify.php:179 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" -msgstr "[Friendica:Notifica] %s ha condiviso un nuovo messaggio" - -#: ../../include/enotify.php:180 -#, php-format -msgid "%1$s shared a new post at %2$s" -msgstr "%1$s ha condiviso un nuovo messaggio su %2$s" - -#: ../../include/enotify.php:181 -#, php-format -msgid "%1$s [url=%2$s]shared a post[/url]." -msgstr "%1$s [url=%2$s]ha condiviso un messaggio[/url]." - -#: ../../include/enotify.php:193 -#, php-format -msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notifica] %1$s ti ha stuzzicato" - -#: ../../include/enotify.php:194 -#, php-format -msgid "%1$s poked you at %2$s" -msgstr "%1$s ti ha stuzzicato su %2$s" - -#: ../../include/enotify.php:195 -#, php-format -msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s [url=%2$s]ti ha stuzzicato[/url]." - -#: ../../include/enotify.php:210 -#, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notifica] %s ha taggato un tuo messaggio" - -#: ../../include/enotify.php:211 -#, php-format -msgid "%1$s tagged your post at %2$s" -msgstr "%1$s ha taggato il tuo post su %2$s" - -#: ../../include/enotify.php:212 -#, php-format -msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s ha taggato [url=%2$s]il tuo post[/url]" - -#: ../../include/enotify.php:223 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Notifica] Hai ricevuto una presentazione" - -#: ../../include/enotify.php:224 -#, php-format -msgid "You've received an introduction from '%1$s' at %2$s" -msgstr "Hai ricevuto un'introduzione da '%1$s' su %2$s" - -#: ../../include/enotify.php:225 -#, php-format -msgid "You've received [url=%1$s]an introduction[/url] from %2$s." -msgstr "Hai ricevuto [url=%1$s]un'introduzione[/url] da %2$s." - -#: ../../include/enotify.php:228 ../../include/enotify.php:270 -#, php-format -msgid "You may visit their profile at %s" -msgstr "Puoi visitare il suo profilo presso %s" - -#: ../../include/enotify.php:230 -#, php-format -msgid "Please visit %s to approve or reject the introduction." -msgstr "Visita %s per approvare o rifiutare la presentazione." - -#: ../../include/enotify.php:238 -msgid "[Friendica:Notify] A new person is sharing with you" -msgstr "[Friendica:Notifica] Una nuova persona sta condividendo con te" - -#: ../../include/enotify.php:239 ../../include/enotify.php:240 -#, php-format -msgid "%1$s is sharing with you at %2$s" -msgstr "%1$s sta condividendo con te su %2$s" - -#: ../../include/enotify.php:246 -msgid "[Friendica:Notify] You have a new follower" -msgstr "[Friendica:Notifica] Una nuova persona ti segue" - -#: ../../include/enotify.php:247 ../../include/enotify.php:248 -#, php-format -msgid "You have a new follower at %2$s : %1$s" -msgstr "Un nuovo utente ha iniziato a seguirti su %2$s : %1$s" - -#: ../../include/enotify.php:261 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica:Notifica] Hai ricevuto un suggerimento di amicizia" - -#: ../../include/enotify.php:262 -#, php-format -msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "Hai ricevuto un suggerimento di amicizia da '%1$s' su %2$s" - -#: ../../include/enotify.php:263 -#, php-format -msgid "" -"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -msgstr "Hai ricevuto [url=%1$s]un suggerimento di amicizia[/url] per %2$s su %3$s" - -#: ../../include/enotify.php:268 -msgid "Name:" -msgstr "Nome:" - -#: ../../include/enotify.php:269 -msgid "Photo:" -msgstr "Foto:" - -#: ../../include/enotify.php:272 -#, php-format -msgid "Please visit %s to approve or reject the suggestion." -msgstr "Visita %s per approvare o rifiutare il suggerimento." - -#: ../../include/enotify.php:280 ../../include/enotify.php:293 -msgid "[Friendica:Notify] Connection accepted" -msgstr "[Friendica:Notifica] Connessione accettata" - -#: ../../include/enotify.php:281 ../../include/enotify.php:294 -#, php-format -msgid "'%1$s' has acepted your connection request at %2$s" -msgstr "'%1$s' ha accettato la tua richiesta di connessione su %2$s" - -#: ../../include/enotify.php:282 ../../include/enotify.php:295 -#, php-format -msgid "%2$s has accepted your [url=%1$s]connection request[/url]." -msgstr "%2$s ha accettato la tua [url=%1$s]richiesta di connessione[/url]" - -#: ../../include/enotify.php:285 -msgid "" -"You are now mutual friends and may exchange status updates, photos, and email\n" -"\twithout restriction." -msgstr "Ora siete connessi reciprocamente e potete scambiarvi aggiornamenti di stato, foto e email\nsenza restrizioni" - -#: ../../include/enotify.php:288 ../../include/enotify.php:302 -#, php-format -msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "Visita %s se desideri modificare questo collegamento." - -#: ../../include/enotify.php:298 -#, 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 "'%1$s' ha scelto di accettarti come \"fan\", il che limita alcune forme di comunicazione, come i messaggi privati, e alcune possibiltà di interazione col profilo. Se è una pagina di una comunità o di una celebrità, queste impostazioni sono state applicate automaticamente." - -#: ../../include/enotify.php:300 -#, php-format -msgid "" -"'%1$s' may choose to extend this into a two-way or more permissive " -"relationship in the future. " -msgstr "'%1$s' può decidere in futuro di estendere la connessione in una reciproca o più permissiva." - -#: ../../include/enotify.php:313 -msgid "[Friendica System:Notify] registration request" -msgstr "[Friendica System:Notifica] richiesta di registrazione" - -#: ../../include/enotify.php:314 -#, php-format -msgid "You've received a registration request from '%1$s' at %2$s" -msgstr "Hai ricevuto una richiesta di registrazione da '%1$s' su %2$s" - -#: ../../include/enotify.php:315 -#, php-format -msgid "You've received a [url=%1$s]registration request[/url] from %2$s." -msgstr "Hai ricevuto una [url=%1$s]richiesta di registrazione[/url] da %2$s." - -#: ../../include/enotify.php:318 -#, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -msgstr "Nome completo: %1$s\nIndirizzo del sito: %2$s\nNome utente: %3$s (%4$s)" - -#: ../../include/enotify.php:321 -#, php-format -msgid "Please visit %s to approve or reject the request." -msgstr "Visita %s per approvare o rifiutare la richiesta." - -#: ../../include/user.php:40 -msgid "An invitation is required." -msgstr "E' richiesto un invito." - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "L'invito non puo' essere verificato." - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "Url OpenID non valido" - -#: ../../include/user.php:74 -msgid "Please enter the required information." -msgstr "Inserisci le informazioni richieste." - -#: ../../include/user.php:88 -msgid "Please use a shorter name." -msgstr "Usa un nome più corto." - -#: ../../include/user.php:90 -msgid "Name too short." -msgstr "Il nome è troppo corto." - -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "Questo non sembra essere il tuo nome completo (Nome Cognome)." - -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." -msgstr "Il dominio della tua email non è tra quelli autorizzati su questo sito." - -#: ../../include/user.php:113 -msgid "Not a valid email address." -msgstr "L'indirizzo email non è valido." - -#: ../../include/user.php:126 -msgid "Cannot use that email." -msgstr "Non puoi usare quell'email." - -#: ../../include/user.php:132 -msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera." - -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." -msgstr "Nome utente già registrato. Scegline un altro." - -#: ../../include/user.php:148 -msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo." - -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita." - -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." -msgstr "C'è stato un errore durante la registrazione. Prova ancora." - -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." -msgstr "C'è stato un errore nella creazione del tuo profilo. Prova ancora." - -#: ../../include/user.php:377 -#, 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 "\nGentile %1$s,\nGrazie per esserti registrato su %2$s. Il tuo account è stato creato." - -#: ../../include/user.php:381 -#, 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." +#: ../../index.php:428 +msgid "toggle mobile" +msgstr "commuta tema mobile" + +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/dispy/config.php:72 ../../view/theme/quattro/config.php:66 +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:55 +#: ../../view/theme/duepuntozero/config.php:61 +msgid "Theme settings" +msgstr "Impostazioni tema" + +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "Dimensione immagini in messaggi e commenti (larghezza e altezza)" + +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/diabook/config.php:151 +msgid "Set font-size for posts and comments" +msgstr "Dimensione del carattere di messaggi e commenti" + +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "Imposta la larghezza del tema" + +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr "Schema colori" + +#: ../../view/theme/dispy/config.php:74 +#: ../../view/theme/diabook/config.php:152 +msgid "Set line-height for posts and comments" +msgstr "Altezza della linea di testo di messaggi e commenti" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +msgstr "Imposta schema colori" + +#: ../../view/theme/quattro/config.php:67 +msgid "Alignment" +msgstr "Allineamento" + +#: ../../view/theme/quattro/config.php:67 +msgid "Left" +msgstr "Sinistra" + +#: ../../view/theme/quattro/config.php:67 +msgid "Center" +msgstr "Centrato" + +#: ../../view/theme/quattro/config.php:69 +msgid "Posts font size" +msgstr "Dimensione caratteri post" + +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "Dimensione caratteri nelle aree di testo" + +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "Imposta la dimensione della colonna centrale" + +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "Imposta lo schema dei colori" + +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "Livello di zoom per Earth Layer" + +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" +msgstr "Longitudine (X) per Earth Layers" + +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" +msgstr "Latitudine (Y) per Earth Layers" + +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" +msgstr "Pagine Comunitarie" + +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" +msgstr "Earth Layers" + +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" +msgstr "Profili Comunità" + +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" +msgstr "Serve aiuto? Sei nuovo?" + +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" +msgstr "Servizi di conessione" + +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" +msgstr "Trova Amici" + +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" +msgstr "Ultimi utenti" + +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" +msgstr "Ultime foto" + +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" +msgstr "Ultimi \"mi piace\"" + +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "I tuoi contatti" + +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "Le tue foto personali" + +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "Elenco Locale" + +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "Livello di zoom per Earth Layers" + +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "Mostra/Nascondi riquadri nella colonna destra" + +#: ../../view/theme/vier/config.php:56 +msgid "Set style" +msgstr "Imposta stile" + +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" msgstr "" -#: ../../include/acl_selectors.php:326 -msgid "Visible to everybody" -msgstr "Visibile a tutti" - -#: ../../include/bbcode.php:449 ../../include/bbcode.php:1054 -#: ../../include/bbcode.php:1055 -msgid "Image/photo" -msgstr "Immagine/foto" - -#: ../../include/bbcode.php:549 -#, php-format -msgid "%2$s %3$s" +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" msgstr "" -#: ../../include/bbcode.php:583 -#, php-format -msgid "" -"%s wrote the following post" -msgstr "%s ha scritto il seguente messaggio" +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" +msgstr "" -#: ../../include/bbcode.php:1018 ../../include/bbcode.php:1038 -msgid "$1 wrote:" -msgstr "$1 ha scritto:" +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" +msgstr "" -#: ../../include/bbcode.php:1063 ../../include/bbcode.php:1064 -msgid "Encrypted content" -msgstr "Contenuto criptato" +#: ../../view/theme/duepuntozero/config.php:49 +msgid "comix" +msgstr "" -#: ../../include/oembed.php:205 -msgid "Embedded content" -msgstr "Contenuto incorporato" +#: ../../view/theme/duepuntozero/config.php:50 +msgid "slackr" +msgstr "" -#: ../../include/oembed.php:214 -msgid "Embedding disabled" -msgstr "Embed disabilitato" - -#: ../../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 "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso." - -#: ../../include/group.php:207 -msgid "Default privacy group for new contacts" -msgstr "Gruppo predefinito per i nuovi contatti" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "Tutti" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "modifica" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "Modifica gruppo" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "Crea un nuovo gruppo" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "Contatti in nessun gruppo." - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "tolto dai seguiti" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" -msgstr "Rimuovi contatto" - -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "Varie" - -#: ../../include/datetime.php:153 ../../include/datetime.php:285 -msgid "year" -msgstr "anno" - -#: ../../include/datetime.php:158 ../../include/datetime.php:286 -msgid "month" -msgstr "mese" - -#: ../../include/datetime.php:163 ../../include/datetime.php:288 -msgid "day" -msgstr "giorno" - -#: ../../include/datetime.php:276 -msgid "never" -msgstr "mai" - -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "meno di un secondo fa" - -#: ../../include/datetime.php:285 -msgid "years" -msgstr "anni" - -#: ../../include/datetime.php:286 -msgid "months" -msgstr "mesi" - -#: ../../include/datetime.php:287 -msgid "week" -msgstr "settimana" - -#: ../../include/datetime.php:287 -msgid "weeks" -msgstr "settimane" - -#: ../../include/datetime.php:288 -msgid "days" -msgstr "giorni" - -#: ../../include/datetime.php:289 -msgid "hour" -msgstr "ora" - -#: ../../include/datetime.php:289 -msgid "hours" -msgstr "ore" - -#: ../../include/datetime.php:290 -msgid "minute" -msgstr "minuto" - -#: ../../include/datetime.php:290 -msgid "minutes" -msgstr "minuti" - -#: ../../include/datetime.php:291 -msgid "second" -msgstr "secondo" - -#: ../../include/datetime.php:291 -msgid "seconds" -msgstr "secondi" - -#: ../../include/datetime.php:300 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s fa" - -#: ../../include/network.php:895 -msgid "view full size" -msgstr "vedi a schermo intero" - -#: ../../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 "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido." - -#: ../../include/dbstructure.php:31 -#, php-format -msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "Il messaggio di errore è\n[pre]%s[/pre]" - -#: ../../include/dbstructure.php:163 -msgid "Errors encountered creating database tables." -msgstr "La creazione delle tabelle del database ha generato errori." - -#: ../../include/dbstructure.php:221 -msgid "Errors encountered performing database changes." -msgstr "Riscontrati errori applicando le modifiche al database." +#: ../../view/theme/duepuntozero/config.php:62 +msgid "Variations" +msgstr "" diff --git a/view/it/strings.php b/view/it/strings.php index aa53824a75..f602406d5b 100644 --- a/view/it/strings.php +++ b/view/it/strings.php @@ -5,123 +5,277 @@ function string_plural_select_it($n){ return ($n != 1);; }} ; -$a->strings["This entry was edited"] = "Questa voce è stata modificata"; -$a->strings["Private Message"] = "Messaggio privato"; -$a->strings["Edit"] = "Modifica"; -$a->strings["Select"] = "Seleziona"; -$a->strings["Delete"] = "Rimuovi"; -$a->strings["save to folder"] = "salva nella cartella"; -$a->strings["add star"] = "aggiungi a speciali"; -$a->strings["remove star"] = "rimuovi da speciali"; -$a->strings["toggle star status"] = "Inverti stato preferito"; -$a->strings["starred"] = "preferito"; -$a->strings["ignore thread"] = "ignora la discussione"; -$a->strings["unignore thread"] = "non ignorare la discussione"; -$a->strings["toggle ignore status"] = "inverti stato \"Ignora\""; -$a->strings["ignored"] = "ignorato"; -$a->strings["add tag"] = "aggiungi tag"; -$a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; -$a->strings["like"] = "mi piace"; -$a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; -$a->strings["dislike"] = "non mi piace"; -$a->strings["Share this"] = "Condividi questo"; -$a->strings["share"] = "condividi"; -$a->strings["Categories:"] = "Categorie:"; -$a->strings["Filed under:"] = "Archiviato in:"; -$a->strings["View %s's profile @ %s"] = "Vedi il profilo di %s @ %s"; -$a->strings["to"] = "a"; -$a->strings["via"] = "via"; -$a->strings["Wall-to-Wall"] = "Da bacheca a bacheca"; -$a->strings["via Wall-To-Wall:"] = "da bacheca a bacheca"; -$a->strings["%s from %s"] = "%s da %s"; -$a->strings["Comment"] = "Commento"; -$a->strings["Please wait"] = "Attendi"; -$a->strings["%d comment"] = array( - 0 => "%d commento", - 1 => "%d commenti", +$a->strings["%d contact edited."] = array( + 0 => "%d contatto modificato", + 1 => "%d contatti modificati", ); -$a->strings["comment"] = array( - 0 => "", - 1 => "commento", -); -$a->strings["show more"] = "mostra di più"; -$a->strings["This is you"] = "Questo sei tu"; -$a->strings["Submit"] = "Invia"; -$a->strings["Bold"] = "Grassetto"; -$a->strings["Italic"] = "Corsivo"; -$a->strings["Underline"] = "Sottolineato"; -$a->strings["Quote"] = "Citazione"; -$a->strings["Code"] = "Codice"; -$a->strings["Image"] = "Immagine"; -$a->strings["Link"] = "Link"; -$a->strings["Video"] = "Video"; -$a->strings["Preview"] = "Anteprima"; -$a->strings["You must be logged in to use addons. "] = "Devi aver effettuato il login per usare gli addons."; -$a->strings["Not Found"] = "Non trovato"; -$a->strings["Page not found."] = "Pagina non trovata."; -$a->strings["Permission denied"] = "Permesso negato"; +$a->strings["Could not access contact record."] = "Non è possibile accedere al contatto."; +$a->strings["Could not locate selected profile."] = "Non riesco a trovare il profilo selezionato."; +$a->strings["Contact updated."] = "Contatto aggiornato."; +$a->strings["Failed to update contact record."] = "Errore nell'aggiornamento del contatto."; $a->strings["Permission denied."] = "Permesso negato."; -$a->strings["toggle mobile"] = "commuta tema mobile"; -$a->strings["[Embedded content - reload page to view]"] = "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]"; +$a->strings["Contact has been blocked"] = "Il contatto è stato bloccato"; +$a->strings["Contact has been unblocked"] = "Il contatto è stato sbloccato"; +$a->strings["Contact has been ignored"] = "Il contatto è ignorato"; +$a->strings["Contact has been unignored"] = "Il contatto non è più ignorato"; +$a->strings["Contact has been archived"] = "Il contatto è stato archiviato"; +$a->strings["Contact has been unarchived"] = "Il contatto è stato dearchiviato"; +$a->strings["Do you really want to delete this contact?"] = "Vuoi veramente cancellare questo contatto?"; +$a->strings["Yes"] = "Si"; +$a->strings["Cancel"] = "Annulla"; +$a->strings["Contact has been removed."] = "Il contatto è stato rimosso."; +$a->strings["You are mutual friends with %s"] = "Sei amico reciproco con %s"; +$a->strings["You are sharing with %s"] = "Stai condividendo con %s"; +$a->strings["%s is sharing with you"] = "%s sta condividendo con te"; +$a->strings["Private communications are not available for this contact."] = "Le comunicazioni private non sono disponibili per questo contatto."; +$a->strings["Never"] = "Mai"; +$a->strings["(Update was successful)"] = "(L'aggiornamento è stato completato)"; +$a->strings["(Update was not successful)"] = "(L'aggiornamento non è stato completato)"; +$a->strings["Suggest friends"] = "Suggerisci amici"; +$a->strings["Network type: %s"] = "Tipo di rete: %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d contatto in comune", + 1 => "%d contatti in comune", +); +$a->strings["View all contacts"] = "Vedi tutti i contatti"; +$a->strings["Unblock"] = "Sblocca"; +$a->strings["Block"] = "Blocca"; +$a->strings["Toggle Blocked status"] = "Inverti stato \"Blocca\""; +$a->strings["Unignore"] = "Non ignorare"; +$a->strings["Ignore"] = "Ignora"; +$a->strings["Toggle Ignored status"] = "Inverti stato \"Ignora\""; +$a->strings["Unarchive"] = "Dearchivia"; +$a->strings["Archive"] = "Archivia"; +$a->strings["Toggle Archive status"] = "Inverti stato \"Archiviato\""; +$a->strings["Repair"] = "Ripara"; +$a->strings["Advanced Contact Settings"] = "Impostazioni avanzate Contatto"; +$a->strings["Communications lost with this contact!"] = "Comunicazione con questo contatto persa!"; +$a->strings["Contact Editor"] = "Editor dei Contatti"; +$a->strings["Submit"] = "Invia"; +$a->strings["Profile Visibility"] = "Visibilità del profilo"; +$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro."; +$a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; +$a->strings["Edit contact notes"] = "Modifica note contatto"; +$a->strings["Visit %s's profile [%s]"] = "Visita il profilo di %s [%s]"; +$a->strings["Block/Unblock contact"] = "Blocca/Sblocca contatto"; +$a->strings["Ignore contact"] = "Ignora il contatto"; +$a->strings["Repair URL settings"] = "Impostazioni riparazione URL"; +$a->strings["View conversations"] = "Vedi conversazioni"; +$a->strings["Delete contact"] = "Rimuovi contatto"; +$a->strings["Last update:"] = "Ultimo aggiornamento:"; +$a->strings["Update public posts"] = "Aggiorna messaggi pubblici"; +$a->strings["Update now"] = "Aggiorna adesso"; +$a->strings["Currently blocked"] = "Bloccato"; +$a->strings["Currently ignored"] = "Ignorato"; +$a->strings["Currently archived"] = "Al momento archiviato"; +$a->strings["Hide this contact from others"] = "Nascondi questo contatto agli altri"; +$a->strings["Replies/likes to your public posts may still be visible"] = "Risposte ai tuoi post pubblici possono essere comunque visibili"; +$a->strings["Notification for new posts"] = "Notifica per i nuovi messaggi"; +$a->strings["Send a notification of every new post of this contact"] = "Invia una notifica per ogni nuovo messaggio di questo contatto"; +$a->strings["Fetch further information for feeds"] = "Recupera maggiori infomazioni per i feed"; +$a->strings["Disabled"] = ""; +$a->strings["Fetch information"] = ""; +$a->strings["Fetch information and keywords"] = ""; +$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["Suggestions"] = "Suggerimenti"; +$a->strings["Suggest potential friends"] = "Suggerisci potenziali amici"; +$a->strings["All Contacts"] = "Tutti i contatti"; +$a->strings["Show all contacts"] = "Mostra tutti i contatti"; +$a->strings["Unblocked"] = "Sbloccato"; +$a->strings["Only show unblocked contacts"] = "Mostra solo contatti non bloccati"; +$a->strings["Blocked"] = "Bloccato"; +$a->strings["Only show blocked contacts"] = "Mostra solo contatti bloccati"; +$a->strings["Ignored"] = "Ignorato"; +$a->strings["Only show ignored contacts"] = "Mostra solo contatti ignorati"; +$a->strings["Archived"] = "Achiviato"; +$a->strings["Only show archived contacts"] = "Mostra solo contatti archiviati"; +$a->strings["Hidden"] = "Nascosto"; +$a->strings["Only show hidden contacts"] = "Mostra solo contatti nascosti"; +$a->strings["Mutual Friendship"] = "Amicizia reciproca"; +$a->strings["is a fan of yours"] = "è un tuo fan"; +$a->strings["you are a fan of"] = "sei un fan di"; +$a->strings["Edit contact"] = "Modifca contatto"; +$a->strings["Contacts"] = "Contatti"; +$a->strings["Search your contacts"] = "Cerca nei tuoi contatti"; +$a->strings["Finding: "] = "Ricerca: "; +$a->strings["Find"] = "Trova"; +$a->strings["Update"] = "Aggiorna"; +$a->strings["Delete"] = "Rimuovi"; +$a->strings["No profile"] = "Nessun profilo"; +$a->strings["Manage Identities and/or Pages"] = "Gestisci indentità e/o pagine"; +$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione"; +$a->strings["Select an identity to manage: "] = "Seleziona un'identità da gestire:"; +$a->strings["Post successful."] = "Inviato!"; +$a->strings["Permission denied"] = "Permesso negato"; +$a->strings["Invalid profile identifier."] = "Indentificativo del profilo non valido."; +$a->strings["Profile Visibility Editor"] = "Modifica visibilità del profilo"; +$a->strings["Profile"] = "Profilo"; +$a->strings["Click on a contact to add or remove."] = "Clicca su un contatto per aggiungerlo o rimuoverlo."; +$a->strings["Visible To"] = "Visibile a"; +$a->strings["All Contacts (with secure profile access)"] = "Tutti i contatti (con profilo ad accesso sicuro)"; +$a->strings["Item not found."] = "Elemento non trovato."; +$a->strings["Public access denied."] = "Accesso negato."; +$a->strings["Access to this profile has been restricted."] = "L'accesso a questo profilo è stato limitato."; +$a->strings["Item has been removed."] = "L'oggetto è stato rimosso."; +$a->strings["Welcome to Friendica"] = "Benvenuto su Friendica"; +$a->strings["New Member Checklist"] = "Cose da fare per i Nuovi Utenti"; +$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."] = "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione."; +$a->strings["Getting Started"] = "Come Iniziare"; +$a->strings["Friendica Walk-Through"] = "Friendica Passo-Passo"; +$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."] = "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti."; +$a->strings["Settings"] = "Impostazioni"; +$a->strings["Go to Your Settings"] = "Vai alle tue Impostazioni"; +$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."] = "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero."; +$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."] = "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti."; +$a->strings["Upload Profile Photo"] = "Carica la foto del profilo"; +$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."] = "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno."; +$a->strings["Edit Your Profile"] = "Modifica il tuo Profilo"; +$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."] = "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti."; +$a->strings["Profile Keywords"] = "Parole chiave del profilo"; +$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."] = "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie."; +$a->strings["Connecting"] = "Collegarsi"; +$a->strings["Facebook"] = "Facebook"; +$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook."; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Sestrings["Importing Emails"] = "Importare le 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"] = "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo"; +$a->strings["Go to Your Contacts Page"] = "Vai alla tua pagina Contatti"; +$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."] = "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto"; +$a->strings["Go to Your Site's Directory"] = "Vai all'Elenco del tuo sito"; +$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."] = "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto."; +$a->strings["Finding New People"] = "Trova nuove persone"; +$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."] = "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore."; +$a->strings["Groups"] = "Gruppi"; +$a->strings["Group Your Contacts"] = "Raggruppa i tuoi contatti"; +$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."] = "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete"; +$a->strings["Why Aren't My Posts Public?"] = "Perchè i miei post non sono pubblici?"; +$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 rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra."; +$a->strings["Getting Help"] = "Ottenere Aiuto"; +$a->strings["Go to the Help Section"] = "Vai alla sezione Guida"; +$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse."; +$a->strings["OpenID protocol error. No ID returned."] = "Errore protocollo OpenID. Nessun ID ricevuto."; +$a->strings["Account not found and OpenID registration is not permitted on this site."] = "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito."; +$a->strings["Login failed."] = "Accesso fallito."; +$a->strings["Image uploaded but image cropping failed."] = "L'immagine è stata caricata, ma il non è stato possibile ritagliarla."; +$a->strings["Profile Photos"] = "Foto del profilo"; +$a->strings["Image size reduction [%s] failed."] = "Il ridimensionamento del'immagine [%s] è fallito."; +$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente."; +$a->strings["Unable to process image"] = "Impossibile elaborare l'immagine"; +$a->strings["Image exceeds size limit of %d"] = "La dimensione dell'immagine supera il limite di %d"; +$a->strings["Unable to process image."] = "Impossibile caricare l'immagine."; +$a->strings["Upload File:"] = "Carica un file:"; +$a->strings["Select a profile:"] = "Seleziona un profilo:"; +$a->strings["Upload"] = "Carica"; +$a->strings["or"] = "o"; +$a->strings["skip this step"] = "salta questo passaggio"; +$a->strings["select a photo from your photo albums"] = "seleziona una foto dai tuoi album"; +$a->strings["Crop Image"] = "Ritaglia immagine"; +$a->strings["Please adjust the image cropping for optimum viewing."] = "Ritaglia l'imagine per una visualizzazione migliore."; +$a->strings["Done Editing"] = "Finito"; +$a->strings["Image uploaded successfully."] = "Immagine caricata con successo."; +$a->strings["Image upload failed."] = "Caricamento immagine fallito."; +$a->strings["photo"] = "foto"; +$a->strings["status"] = "stato"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s sta seguendo %3\$s di %2\$s"; +$a->strings["Tag removed"] = "Tag rimosso"; +$a->strings["Remove Item Tag"] = "Rimuovi il tag"; +$a->strings["Select a tag to remove: "] = "Seleziona un tag da rimuovere: "; +$a->strings["Remove"] = "Rimuovi"; +$a->strings["Save to Folder:"] = "Salva nella Cartella:"; +$a->strings["- select -"] = "- seleziona -"; +$a->strings["Save"] = "Salva"; +$a->strings["Contact added"] = "Contatto aggiunto"; +$a->strings["Unable to locate original post."] = "Impossibile trovare il messaggio originale."; +$a->strings["Empty post discarded."] = "Messaggio vuoto scartato."; +$a->strings["Wall Photos"] = "Foto della bacheca"; +$a->strings["System error. Post not saved."] = "Errore di sistema. Messaggio non salvato."; +$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica."; +$a->strings["You may visit them online at %s"] = "Puoi visitarli online su %s"; +$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi."; +$a->strings["%s posted an update."] = "%s ha inviato un aggiornamento."; +$a->strings["Group created."] = "Gruppo creato."; +$a->strings["Could not create group."] = "Impossibile creare il gruppo."; +$a->strings["Group not found."] = "Gruppo non trovato."; +$a->strings["Group name changed."] = "Il nome del gruppo è cambiato."; +$a->strings["Save Group"] = "Salva gruppo"; +$a->strings["Create a group of contacts/friends."] = "Crea un gruppo di amici/contatti."; +$a->strings["Group Name: "] = "Nome del gruppo:"; +$a->strings["Group removed."] = "Gruppo rimosso."; +$a->strings["Unable to remove group."] = "Impossibile rimuovere il gruppo."; +$a->strings["Group Editor"] = "Modifica gruppo"; +$a->strings["Members"] = "Membri"; +$a->strings["You must be logged in to use addons. "] = "Devi aver effettuato il login per usare gli addons."; +$a->strings["Applications"] = "Applicazioni"; +$a->strings["No installed applications."] = "Nessuna applicazione installata."; +$a->strings["Profile not found."] = "Profilo non trovato."; $a->strings["Contact not found."] = "Contatto non trovato."; +$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata."; +$a->strings["Response from remote site was not understood."] = "Errore di comunicazione con l'altro sito."; +$a->strings["Unexpected response from remote site: "] = "La risposta dell'altro sito non può essere gestita: "; +$a->strings["Confirmation completed successfully."] = "Conferma completata con successo."; +$a->strings["Remote site reported: "] = "Il sito remoto riporta: "; +$a->strings["Temporary failure. Please wait and try again."] = "Problema temporaneo. Attendi e riprova."; +$a->strings["Introduction failed or was revoked."] = "La presentazione ha generato un errore o è stata revocata."; +$a->strings["Unable to set contact photo."] = "Impossibile impostare la foto del contatto."; +$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s e %2\$s adesso sono amici"; +$a->strings["No user record found for '%s' "] = "Nessun utente trovato '%s'"; +$a->strings["Our site encryption key is apparently messed up."] = "La nostra chiave di criptazione del sito sembra essere corrotta."; +$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo."; +$a->strings["Contact record was not found for you on our site."] = "Il contatto non è stato trovato sul nostro sito."; +$a->strings["Site public key not available in contact record for URL %s."] = "La chiave pubblica del sito non è disponibile per l'URL %s"; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare."; +$a->strings["Unable to set your contact credentials on our system."] = "Impossibile impostare le credenziali del tuo contatto sul nostro sistema."; +$a->strings["Unable to update your contact profile details on our system"] = "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema"; +$a->strings["[Name Withheld]"] = "[Nome Nascosto]"; +$a->strings["%1\$s has joined %2\$s"] = "%1\$s si è unito a %2\$s"; +$a->strings["Requested profile is not available."] = "Profilo richiesto non disponibile."; +$a->strings["Tips for New Members"] = "Consigli per i Nuovi Utenti"; +$a->strings["No videos selected"] = "Nessun video selezionato"; +$a->strings["Access to this item is restricted."] = "Questo oggetto non è visibile a tutti."; +$a->strings["View Video"] = "Guarda Video"; +$a->strings["View Album"] = "Sfoglia l'album"; +$a->strings["Recent Videos"] = "Video Recenti"; +$a->strings["Upload New Videos"] = "Carica Nuovo Video"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha taggato %3\$s di %2\$s con %4\$s"; $a->strings["Friend suggestion sent."] = "Suggerimento di amicizia inviato."; $a->strings["Suggest Friends"] = "Suggerisci amici"; $a->strings["Suggest a friend for %s"] = "Suggerisci un amico a %s"; -$a->strings["This introduction has already been accepted."] = "Questa presentazione è già stata accettata."; -$a->strings["Profile location is not valid or does not contain profile information."] = "L'indirizzo del profilo non è valido o non contiene un profilo."; -$a->strings["Warning: profile location has no identifiable owner name."] = "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario."; -$a->strings["Warning: profile location has no profile photo."] = "Attenzione: l'indirizzo del profilo non ha una foto."; -$a->strings["%d required parameter was not found at the given location"] = array( - 0 => "%d parametro richiesto non è stato trovato all'indirizzo dato", - 1 => "%d parametri richiesti non sono stati trovati all'indirizzo dato", -); -$a->strings["Introduction complete."] = "Presentazione completa."; -$a->strings["Unrecoverable protocol error."] = "Errore di comunicazione."; -$a->strings["Profile unavailable."] = "Profilo non disponibile."; -$a->strings["%s has received too many connection requests today."] = "%s ha ricevuto troppe richieste di connessione per oggi."; -$a->strings["Spam protection measures have been invoked."] = "Sono state attivate le misure di protezione contro lo spam."; -$a->strings["Friends are advised to please try again in 24 hours."] = "Gli amici sono pregati di riprovare tra 24 ore."; -$a->strings["Invalid locator"] = "Invalid locator"; -$a->strings["Invalid email address."] = "Indirizzo email non valido."; -$a->strings["This account has not been configured for email. Request failed."] = "Questo account non è stato configurato per l'email. Richiesta fallita."; -$a->strings["Unable to resolve your name at the provided location."] = "Impossibile risolvere il tuo nome nella posizione indicata."; -$a->strings["You have already introduced yourself here."] = "Ti sei già presentato qui."; -$a->strings["Apparently you are already friends with %s."] = "Pare che tu e %s siate già amici."; -$a->strings["Invalid profile URL."] = "Indirizzo profilo non valido."; -$a->strings["Disallowed profile URL."] = "Indirizzo profilo non permesso."; -$a->strings["Failed to update contact record."] = "Errore nell'aggiornamento del contatto."; -$a->strings["Your introduction has been sent."] = "La tua presentazione è stata inviata."; -$a->strings["Please login to confirm introduction."] = "Accedi per confermare la presentazione."; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo."; -$a->strings["Hide this contact"] = "Nascondi questo contatto"; -$a->strings["Welcome home %s."] = "Bentornato a casa %s."; -$a->strings["Please confirm your introduction/connection request to %s."] = "Conferma la tua richiesta di connessione con %s."; -$a->strings["Confirm"] = "Conferma"; -$a->strings["[Name Withheld]"] = "[Nome Nascosto]"; -$a->strings["Public access denied."] = "Accesso negato."; -$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:"; -$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."] = "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi"; -$a->strings["Friend/Connection Request"] = "Richieste di amicizia/connessione"; -$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; -$a->strings["Please answer the following:"] = "Rispondi:"; -$a->strings["Does %s know you?"] = "%s ti conosce?"; -$a->strings["No"] = "No"; -$a->strings["Yes"] = "Si"; -$a->strings["Add a personal note:"] = "Aggiungi una nota personale:"; -$a->strings["Friendica"] = "Friendica"; -$a->strings["StatusNet/Federated Social Web"] = "StatusNet/Federated Social Web"; -$a->strings["Diaspora"] = "Diaspora"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora."; -$a->strings["Your Identity Address:"] = "L'indirizzo della tua identità:"; -$a->strings["Submit Request"] = "Invia richiesta"; -$a->strings["Cancel"] = "Annulla"; -$a->strings["View Video"] = "Guarda Video"; -$a->strings["Requested profile is not available."] = "Profilo richiesto non disponibile."; -$a->strings["Access to this profile has been restricted."] = "L'accesso a questo profilo è stato limitato."; -$a->strings["Tips for New Members"] = "Consigli per i Nuovi Utenti"; +$a->strings["No valid account found."] = "Nessun account valido trovato."; +$a->strings["Password reset request issued. Check your email."] = "La richiesta per reimpostare la password è stata inviata. Controlla la tua 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."] = "\nGentile %1\$s,\n abbiamo ricevuto su \"%2\$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica."; +$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"] = "\nSegui questo link per verificare la tua identità:\n\n%1\$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2\$s\n Nome utente: %3\$s"; +$a->strings["Password reset requested at %s"] = "Richiesta reimpostazione password su %s"; +$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita."; +$a->strings["Password Reset"] = "Reimpostazione password"; +$a->strings["Your password has been reset as requested."] = "La tua password è stata reimpostata come richiesto."; +$a->strings["Your new password is"] = "La tua nuova password è"; +$a->strings["Save or copy your new password - and then"] = "Salva o copia la tua nuova password, quindi"; +$a->strings["click here to login"] = "clicca qui per entrare"; +$a->strings["Your password may be changed from the Settings page after successful login."] = "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso."; +$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"] = "\nGentile %1\$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare."; +$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"] = "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1\$s\n Nome utente: %2\$s\n Password: %3\$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato."; +$a->strings["Your password has been changed at %s"] = "La tua password presso %s è stata cambiata"; +$a->strings["Forgot your Password?"] = "Hai dimenticato la password?"; +$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Inserisci il tuo indirizzo email per reimpostare la password."; +$a->strings["Nickname or Email: "] = "Nome utente o email: "; +$a->strings["Reset"] = "Reimposta"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s piace %3\$s di %2\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s non piace %3\$s di %2\$s"; +$a->strings["{0} wants to be your friend"] = "{0} vuole essere tuo amico"; +$a->strings["{0} sent you a message"] = "{0} ti ha inviato un messaggio"; +$a->strings["{0} requested registration"] = "{0} chiede la registrazione"; +$a->strings["{0} commented %s's post"] = "{0} ha commentato il post di %s"; +$a->strings["{0} liked %s's post"] = "a {0} piace il post di %s"; +$a->strings["{0} disliked %s's post"] = "a {0} non piace il post di %s"; +$a->strings["{0} is now friends with %s"] = "{0} ora è amico di %s"; +$a->strings["{0} posted"] = "{0} ha inviato un nuovo messaggio"; +$a->strings["{0} tagged %s's post with #%s"] = "{0} ha taggato il post di %s con #%s"; +$a->strings["{0} mentioned you in a post"] = "{0} ti ha citato in un post"; +$a->strings["No contacts."] = "Nessun contatto."; +$a->strings["View Contacts"] = "Visualizza i contatti"; $a->strings["Invalid request identifier."] = "L'identificativo della richiesta non è valido."; $a->strings["Discard"] = "Scarta"; -$a->strings["Ignore"] = "Ignora"; $a->strings["System"] = "Sistema"; $a->strings["Network"] = "Rete"; $a->strings["Personal"] = "Personale"; @@ -132,7 +286,6 @@ $a->strings["Hide Ignored Requests"] = "Nascondi richieste ignorate"; $a->strings["Notification type: "] = "Tipo di notifica: "; $a->strings["Friend Suggestion"] = "Amico suggerito"; $a->strings["suggested by %s"] = "sugerito da %s"; -$a->strings["Hide this contact from others"] = "Nascondi questo contatto agli altri"; $a->strings["Post a new friend activity"] = "Invia una attività \"è ora amico con\""; $a->strings["if applicable"] = "se applicabile"; $a->strings["Approve"] = "Approva"; @@ -160,13 +313,6 @@ $a->strings["No more personal notifications."] = "Nessuna nuova."; $a->strings["Personal Notifications"] = "Notifiche personali"; $a->strings["No more home notifications."] = "Nessuna nuova."; $a->strings["Home Notifications"] = "Notifiche bacheca"; -$a->strings["photo"] = "foto"; -$a->strings["status"] = "stato"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "A %1\$s piace %3\$s di %2\$s"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "A %1\$s non piace %3\$s di %2\$s"; -$a->strings["OpenID protocol error. No ID returned."] = "Errore protocollo OpenID. Nessun ID ricevuto."; -$a->strings["Account not found and OpenID registration is not permitted on this site."] = "L'account non è stato trovato, e la registrazione via OpenID non è permessa su questo sito."; -$a->strings["Login failed."] = "Accesso fallito."; $a->strings["Source (bbcode) text:"] = "Testo sorgente (bbcode):"; $a->strings["Source (Diaspora) text to convert to BBcode:"] = "Testo sorgente (da Diaspora) da convertire in BBcode:"; $a->strings["Source input: "] = "Sorgente:"; @@ -179,6 +325,70 @@ $a->strings["bb2dia2bb: "] = "bb2dia2bb: "; $a->strings["bb2md2html2bb: "] = "bb2md2html2bb: "; $a->strings["Source input (Diaspora format): "] = "Sorgente (formato Diaspora):"; $a->strings["diaspora2bb: "] = "diaspora2bb: "; +$a->strings["Nothing new here"] = "Niente di nuovo qui"; +$a->strings["Clear notifications"] = "Pulisci le notifiche"; +$a->strings["New Message"] = "Nuovo messaggio"; +$a->strings["No recipient selected."] = "Nessun destinatario selezionato."; +$a->strings["Unable to locate contact information."] = "Impossibile trovare le informazioni del contatto."; +$a->strings["Message could not be sent."] = "Il messaggio non puo' essere inviato."; +$a->strings["Message collection failure."] = "Errore recuperando il messaggio."; +$a->strings["Message sent."] = "Messaggio inviato."; +$a->strings["Messages"] = "Messaggi"; +$a->strings["Do you really want to delete this message?"] = "Vuoi veramente cancellare questo messaggio?"; +$a->strings["Message deleted."] = "Messaggio eliminato."; +$a->strings["Conversation removed."] = "Conversazione rimossa."; +$a->strings["Please enter a link URL:"] = "Inserisci l'indirizzo del link:"; +$a->strings["Send Private Message"] = "Invia un messaggio privato"; +$a->strings["To:"] = "A:"; +$a->strings["Subject:"] = "Oggetto:"; +$a->strings["Your message:"] = "Il tuo messaggio:"; +$a->strings["Upload photo"] = "Carica foto"; +$a->strings["Insert web link"] = "Inserisci link"; +$a->strings["Please wait"] = "Attendi"; +$a->strings["No messages."] = "Nessun messaggio."; +$a->strings["Unknown sender - %s"] = "Mittente sconosciuto - %s"; +$a->strings["You and %s"] = "Tu e %s"; +$a->strings["%s and You"] = "%s e Tu"; +$a->strings["Delete conversation"] = "Elimina la conversazione"; +$a->strings["D, d M Y - g:i A"] = "D d M Y - G:i"; +$a->strings["%d message"] = array( + 0 => "%d messaggio", + 1 => "%d messaggi", +); +$a->strings["Message not available."] = "Messaggio non disponibile."; +$a->strings["Delete message"] = "Elimina il messaggio"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente."; +$a->strings["Send Reply"] = "Invia la risposta"; +$a->strings["[Embedded content - reload page to view]"] = "[Contenuto incorporato - ricarica la pagina per visualizzarlo correttamente]"; +$a->strings["Contact settings applied."] = "Contatto modificato."; +$a->strings["Contact update failed."] = "Le modifiche al contatto non sono state salvate."; +$a->strings["Repair Contact Settings"] = "Ripara il contatto"; +$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più"; +$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina."; +$a->strings["Return to contact editor"] = "Ritorna alla modifica contatto"; +$a->strings["No mirroring"] = "Non duplicare"; +$a->strings["Mirror as forwarded posting"] = "Duplica come messaggi ricondivisi"; +$a->strings["Mirror as my own posting"] = "Duplica come miei messaggi"; +$a->strings["Name"] = "Nome"; +$a->strings["Account Nickname"] = "Nome utente"; +$a->strings["@Tagname - overrides Name/Nickname"] = "@TagName - al posto del nome utente"; +$a->strings["Account URL"] = "URL dell'utente"; +$a->strings["Friend Request URL"] = "URL Richiesta Amicizia"; +$a->strings["Friend Confirm URL"] = "URL Conferma Amicizia"; +$a->strings["Notification Endpoint URL"] = "URL Notifiche"; +$a->strings["Poll/Feed URL"] = "URL Feed"; +$a->strings["New photo from this URL"] = "Nuova foto da questo URL"; +$a->strings["Remote Self"] = "Io remoto"; +$a->strings["Mirror postings from this contact"] = "Ripeti i messaggi di questo contatto"; +$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto."; +$a->strings["Login"] = "Accedi"; +$a->strings["The post was created"] = ""; +$a->strings["Access denied."] = "Accesso negato."; +$a->strings["People Search"] = "Cerca persone"; +$a->strings["No matches"] = "Nessun risultato"; +$a->strings["Photos"] = "Foto"; +$a->strings["Files"] = "File"; +$a->strings["Contacts who are not members of a group"] = "Contatti che non sono membri di un gruppo"; $a->strings["Theme settings updated."] = "Impostazioni del tema aggiornate."; $a->strings["Site"] = "Sito"; $a->strings["Users"] = "Utenti"; @@ -186,10 +396,12 @@ $a->strings["Plugins"] = "Plugin"; $a->strings["Themes"] = "Temi"; $a->strings["DB updates"] = "Aggiornamenti Database"; $a->strings["Logs"] = "Log"; +$a->strings["probe address"] = ""; +$a->strings["check webfinger"] = ""; $a->strings["Admin"] = "Amministrazione"; $a->strings["Plugin Features"] = "Impostazioni Plugins"; +$a->strings["diagnostics"] = ""; $a->strings["User registrations waiting for confirmation"] = "Utenti registrati in attesa di conferma"; -$a->strings["Item not found."] = "Elemento non trovato."; $a->strings["Normal Account"] = "Account normale"; $a->strings["Soapbox Account"] = "Account per comunicati e annunci"; $a->strings["Community/Celebrity Account"] = "Account per celebrità o per comunità"; @@ -206,7 +418,9 @@ $a->strings["Active plugins"] = "Plugin attivi"; $a->strings["Can not parse base url. Must have at least ://"] = "Impossibile analizzare l'url base. Deve avere almeno [schema]://[dominio]"; $a->strings["Site settings updated."] = "Impostazioni del sito aggiornate."; $a->strings["No special theme for mobile devices"] = "Nessun tema speciale per i dispositivi mobili"; -$a->strings["Never"] = "Mai"; +$a->strings["No community page"] = ""; +$a->strings["Public postings from users of this site"] = ""; +$a->strings["Global community page"] = ""; $a->strings["At post arrival"] = "All'arrivo di un messaggio"; $a->strings["Frequently"] = "Frequentemente"; $a->strings["Hourly"] = "Ogni ora"; @@ -227,7 +441,11 @@ $a->strings["Advanced"] = "Avanzate"; $a->strings["Performance"] = "Performance"; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "Trasloca - ATTENZIONE: funzione avanzata! Puo' rendere questo server irraggiungibile."; $a->strings["Site name"] = "Nome del sito"; +$a->strings["Host name"] = ""; +$a->strings["Sender Email"] = ""; $a->strings["Banner/Logo"] = "Banner/Logo"; +$a->strings["Shortcut icon"] = ""; +$a->strings["Touch icon"] = ""; $a->strings["Additional Info"] = "Informazioni aggiuntive"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "Per server pubblici: puoi aggiungere informazioni extra che verrano mostrate su dir.friendica.com/siteinfo."; $a->strings["System language"] = "Lingua di sistema"; @@ -237,6 +455,8 @@ $a->strings["Mobile system theme"] = "Tema mobile di sistema"; $a->strings["Theme for mobile devices"] = "Tema per dispositivi mobili"; $a->strings["SSL link policy"] = "Gestione link SSL"; $a->strings["Determines whether generated links should be forced to use SSL"] = "Determina se i link generati devono essere forzati a usare SSL"; +$a->strings["Force 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'"] = "Ricondivisione vecchio stile"; $a->strings["Deactivates the bbcode element 'share' for repeating items."] = "Disattiva l'elemento bbcode 'share' con elementi ripetuti"; $a->strings["Hide help entry from navigation menu"] = "Nascondi la voce 'Guida' dal menu di navigazione"; @@ -286,8 +506,10 @@ $a->strings["Fullname check"] = "Controllo nome completo"; $a->strings["Force users to register with a space between firstname and lastname in Full name, as an antispam measure"] = "Forza gli utenti a registrarsi con uno spazio tra il nome e il cognome in \"Nome completo\", come misura antispam"; $a->strings["UTF-8 Regular expressions"] = "Espressioni regolari UTF-8"; $a->strings["Use PHP UTF8 regular expressions"] = "Usa le espressioni regolari PHP in UTF8"; -$a->strings["Show Community Page"] = "Mostra pagina Comunità"; -$a->strings["Display a Community page showing all recent public postings on this site."] = "Mostra una pagina Comunità con tutti i recenti messaggi pubblici su questo sito."; +$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"] = "Abilita supporto 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."] = "Fornisce la compatibilità integrata a OStatus (StatusNet, Gnu Social, etc.). Tutte le comunicazioni su OStatus sono pubbliche, quindi un avviso di privacy verrà mostrato occasionalmente."; $a->strings["OStatus conversation completion interval"] = "Intervallo completamento conversazioni OStatus"; @@ -312,6 +534,8 @@ $a->strings["Use MySQL full text engine"] = "Usa il motore MySQL full text"; $a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = "Attiva il motore full text. Velocizza la ricerca, ma puo' cercare solo per quattro o più caratteri."; $a->strings["Suppress Language"] = "Disattiva lingua"; $a->strings["Suppress language information in meta information about a posting."] = "Disattiva le informazioni sulla lingua nei meta di un post."; +$a->strings["Suppress Tags"] = ""; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; $a->strings["Path to item cache"] = "Percorso cache elementi"; $a->strings["Cache duration in seconds"] = "Durata della cache in secondi"; $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."] = "Quanto a lungo devono essere mantenuti i file di cache? Il valore predefinito è 86400 secondi (un giorno). Per disabilitare la cache, imposta il valore a -1."; @@ -322,9 +546,11 @@ $a->strings["Temp path"] = "Percorso file temporanei"; $a->strings["Base path to installation"] = "Percorso base all'installazione"; $a->strings["Disable picture proxy"] = "Disabilita il proxy immagini"; $a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Il proxy immagini aumenta le performace e la privacy. Non dovrebbe essere usato su server con poca banda disponibile."; +$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"] = "Nuovo url base"; -$a->strings["Disable noscrape"] = ""; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping. Disabling it will cause higher load on your server and the directory server."] = ""; $a->strings["Update has been marked successful"] = "L'aggiornamento è stato segnato come di successo"; $a->strings["Database structure update %s was successfully applied."] = "Aggiornamento struttura database %s applicata con successo."; $a->strings["Executing of database structure update %s failed with error: %s"] = "Aggiornamento struttura database %s fallita con errore: %s"; @@ -357,12 +583,9 @@ $a->strings["select all"] = "seleziona tutti"; $a->strings["User registrations waiting for confirm"] = "Richieste di registrazione in attesa di conferma"; $a->strings["User waiting for permanent deletion"] = "Utente in attesa di cancellazione definitiva"; $a->strings["Request date"] = "Data richiesta"; -$a->strings["Name"] = "Nome"; $a->strings["Email"] = "Email"; $a->strings["No registrations."] = "Nessuna registrazione."; $a->strings["Deny"] = "Nega"; -$a->strings["Block"] = "Blocca"; -$a->strings["Unblock"] = "Sblocca"; $a->strings["Site admin"] = "Amministrazione sito"; $a->strings["Account expired"] = "Account scaduto"; $a->strings["New User"] = "Nuovo Utente"; @@ -382,7 +605,6 @@ $a->strings["Plugin %s enabled."] = "Plugin %s abilitato."; $a->strings["Disable"] = "Disabilita"; $a->strings["Enable"] = "Abilita"; $a->strings["Toggle"] = "Inverti"; -$a->strings["Settings"] = "Impostazioni"; $a->strings["Author: "] = "Autore: "; $a->strings["Maintainer: "] = "Manutentore: "; $a->strings["No themes found."] = "Nessun tema trovato."; @@ -395,83 +617,39 @@ $a->strings["Enable Debugging"] = "Abilita Debugging"; $a->strings["Log file"] = "File di Log"; $a->strings["Must be writable by web server. Relative to your Friendica top-level directory."] = "Deve essere scrivibile dal server web. Relativo alla tua directory Friendica."; $a->strings["Log level"] = "Livello di Log"; -$a->strings["Update now"] = "Aggiorna adesso"; $a->strings["Close"] = "Chiudi"; $a->strings["FTP Host"] = "Indirizzo FTP"; $a->strings["FTP Path"] = "Percorso FTP"; $a->strings["FTP User"] = "Utente FTP"; $a->strings["FTP Password"] = "Pasword FTP"; -$a->strings["New Message"] = "Nuovo messaggio"; -$a->strings["No recipient selected."] = "Nessun destinatario selezionato."; -$a->strings["Unable to locate contact information."] = "Impossibile trovare le informazioni del contatto."; -$a->strings["Message could not be sent."] = "Il messaggio non puo' essere inviato."; -$a->strings["Message collection failure."] = "Errore recuperando il messaggio."; -$a->strings["Message sent."] = "Messaggio inviato."; -$a->strings["Messages"] = "Messaggi"; -$a->strings["Do you really want to delete this message?"] = "Vuoi veramente cancellare questo messaggio?"; -$a->strings["Message deleted."] = "Messaggio eliminato."; -$a->strings["Conversation removed."] = "Conversazione rimossa."; -$a->strings["Please enter a link URL:"] = "Inserisci l'indirizzo del link:"; -$a->strings["Send Private Message"] = "Invia un messaggio privato"; -$a->strings["To:"] = "A:"; -$a->strings["Subject:"] = "Oggetto:"; -$a->strings["Your message:"] = "Il tuo messaggio:"; -$a->strings["Upload photo"] = "Carica foto"; -$a->strings["Insert web link"] = "Inserisci link"; -$a->strings["No messages."] = "Nessun messaggio."; -$a->strings["Unknown sender - %s"] = "Mittente sconosciuto - %s"; -$a->strings["You and %s"] = "Tu e %s"; -$a->strings["%s and You"] = "%s e Tu"; -$a->strings["Delete conversation"] = "Elimina la conversazione"; -$a->strings["D, d M Y - g:i A"] = "D d M Y - G:i"; -$a->strings["%d message"] = array( - 0 => "%d messaggio", - 1 => "%d messaggi", +$a->strings["Search Results For:"] = "Cerca risultati per:"; +$a->strings["Remove term"] = "Rimuovi termine"; +$a->strings["Saved Searches"] = "Ricerche salvate"; +$a->strings["add"] = "aggiungi"; +$a->strings["Commented Order"] = "Ordina per commento"; +$a->strings["Sort by Comment Date"] = "Ordina per data commento"; +$a->strings["Posted Order"] = "Ordina per invio"; +$a->strings["Sort by Post Date"] = "Ordina per data messaggio"; +$a->strings["Posts that mention or involve you"] = "Messaggi che ti citano o coinvolgono"; +$a->strings["New"] = "Nuovo"; +$a->strings["Activity Stream - by date"] = "Activity Stream - per data"; +$a->strings["Shared Links"] = "Links condivisi"; +$a->strings["Interesting Links"] = "Link Interessanti"; +$a->strings["Starred"] = "Preferiti"; +$a->strings["Favourite Posts"] = "Messaggi preferiti"; +$a->strings["Warning: This group contains %s member from an insecure network."] = array( + 0 => "Attenzione: questo gruppo contiene %s membro da un network insicuro.", + 1 => "Attenzione: questo gruppo contiene %s membri da un network insicuro.", ); -$a->strings["Message not available."] = "Messaggio non disponibile."; -$a->strings["Delete message"] = "Elimina il messaggio"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "Nessuna comunicazione sicura disponibile, Potresti essere in grado di rispondere dalla pagina del profilo del mittente."; -$a->strings["Send Reply"] = "Invia la risposta"; -$a->strings["Item not found"] = "Oggetto non trovato"; -$a->strings["Edit post"] = "Modifica messaggio"; -$a->strings["Save"] = "Salva"; -$a->strings["upload photo"] = "carica foto"; -$a->strings["Attach file"] = "Allega file"; -$a->strings["attach file"] = "allega file"; -$a->strings["web link"] = "link web"; -$a->strings["Insert video link"] = "Inserire collegamento video"; -$a->strings["video link"] = "link video"; -$a->strings["Insert audio link"] = "Inserisci collegamento audio"; -$a->strings["audio link"] = "link audio"; -$a->strings["Set your location"] = "La tua posizione"; -$a->strings["set location"] = "posizione"; -$a->strings["Clear browser location"] = "Rimuovi la localizzazione data dal browser"; -$a->strings["clear location"] = "canc. pos."; -$a->strings["Permission settings"] = "Impostazioni permessi"; -$a->strings["CC: email addresses"] = "CC: indirizzi email"; -$a->strings["Public post"] = "Messaggio pubblico"; -$a->strings["Set title"] = "Scegli un titolo"; -$a->strings["Categories (comma-separated list)"] = "Categorie (lista separata da virgola)"; -$a->strings["Example: bob@example.com, mary@example.com"] = "Esempio: bob@example.com, mary@example.com"; -$a->strings["Profile not found."] = "Profilo non trovato."; -$a->strings["This may occasionally happen if contact was requested by both persons and it has already been approved."] = "Questo puo' accadere occasionalmente se la richiesta di contatto era stata inviata da entrambe le persone e già approvata."; -$a->strings["Response from remote site was not understood."] = "Errore di comunicazione con l'altro sito."; -$a->strings["Unexpected response from remote site: "] = "La risposta dell'altro sito non può essere gestita: "; -$a->strings["Confirmation completed successfully."] = "Conferma completata con successo."; -$a->strings["Remote site reported: "] = "Il sito remoto riporta: "; -$a->strings["Temporary failure. Please wait and try again."] = "Problema temporaneo. Attendi e riprova."; -$a->strings["Introduction failed or was revoked."] = "La presentazione ha generato un errore o è stata revocata."; -$a->strings["Unable to set contact photo."] = "Impossibile impostare la foto del contatto."; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s e %2\$s adesso sono amici"; -$a->strings["No user record found for '%s' "] = "Nessun utente trovato '%s'"; -$a->strings["Our site encryption key is apparently messed up."] = "La nostra chiave di criptazione del sito sembra essere corrotta."; -$a->strings["Empty site URL was provided or URL could not be decrypted by us."] = "E' stato fornito un indirizzo vuoto o non possiamo decrittare l'indirizzo."; -$a->strings["Contact record was not found for you on our site."] = "Il contatto non è stato trovato sul nostro sito."; -$a->strings["Site public key not available in contact record for URL %s."] = "La chiave pubblica del sito non è disponibile per l'URL %s"; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "L'ID fornito dal tuo sistema è duplicato sul nostro sistema. Se riprovi dovrebbe funzionare."; -$a->strings["Unable to set your contact credentials on our system."] = "Impossibile impostare le credenziali del tuo contatto sul nostro sistema."; -$a->strings["Unable to update your contact profile details on our system"] = "Impossibile aggiornare i dettagli del tuo contatto sul nostro sistema"; -$a->strings["%1\$s has joined %2\$s"] = "%1\$s si è unito a %2\$s"; +$a->strings["Private messages to this group are at risk of public disclosure."] = "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente."; +$a->strings["No such group"] = "Nessun gruppo"; +$a->strings["Group is empty"] = "Il gruppo è vuoto"; +$a->strings["Group: "] = "Gruppo: "; +$a->strings["Contact: "] = "Contatto:"; +$a->strings["Private messages to this person are at risk of public disclosure."] = "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente."; +$a->strings["Invalid contact."] = "Contatto non valido."; +$a->strings["Friends of %s"] = "Amici di %s"; +$a->strings["No friends to display."] = "Nessun amico da visualizzare."; $a->strings["Event title and start time are required."] = "Titolo e ora di inizio dell'evento sono richiesti."; $a->strings["l, F j"] = "l j F"; $a->strings["Edit event"] = "Modifca l'evento"; @@ -492,289 +670,134 @@ $a->strings["Description:"] = "Descrizione:"; $a->strings["Location:"] = "Posizione:"; $a->strings["Title:"] = "Titolo:"; $a->strings["Share this event"] = "Condividi questo evento"; -$a->strings["Photos"] = "Foto"; -$a->strings["Files"] = "File"; -$a->strings["Welcome to %s"] = "Benvenuto su %s"; -$a->strings["Remote privacy information not available."] = "Informazioni remote sulla privacy non disponibili."; -$a->strings["Visible to:"] = "Visibile a:"; +$a->strings["Select"] = "Seleziona"; +$a->strings["View %s's profile @ %s"] = "Vedi il profilo di %s @ %s"; +$a->strings["%s from %s"] = "%s da %s"; +$a->strings["View in context"] = "Vedi nel contesto"; +$a->strings["%d comment"] = array( + 0 => "%d commento", + 1 => "%d commenti", +); +$a->strings["comment"] = array( + 0 => "", + 1 => "commento", +); +$a->strings["show more"] = "mostra di più"; +$a->strings["Private Message"] = "Messaggio privato"; +$a->strings["I like this (toggle)"] = "Mi piace (clic per cambiare)"; +$a->strings["like"] = "mi piace"; +$a->strings["I don't like this (toggle)"] = "Non mi piace (clic per cambiare)"; +$a->strings["dislike"] = "non mi piace"; +$a->strings["Share this"] = "Condividi questo"; +$a->strings["share"] = "condividi"; +$a->strings["This is you"] = "Questo sei tu"; +$a->strings["Comment"] = "Commento"; +$a->strings["Bold"] = "Grassetto"; +$a->strings["Italic"] = "Corsivo"; +$a->strings["Underline"] = "Sottolineato"; +$a->strings["Quote"] = "Citazione"; +$a->strings["Code"] = "Codice"; +$a->strings["Image"] = "Immagine"; +$a->strings["Link"] = "Link"; +$a->strings["Video"] = "Video"; +$a->strings["Preview"] = "Anteprima"; +$a->strings["Edit"] = "Modifica"; +$a->strings["add star"] = "aggiungi a speciali"; +$a->strings["remove star"] = "rimuovi da speciali"; +$a->strings["toggle star status"] = "Inverti stato preferito"; +$a->strings["starred"] = "preferito"; +$a->strings["add tag"] = "aggiungi tag"; +$a->strings["save to folder"] = "salva nella cartella"; +$a->strings["to"] = "a"; +$a->strings["Wall-to-Wall"] = "Da bacheca a bacheca"; +$a->strings["via Wall-To-Wall:"] = "da bacheca a bacheca"; +$a->strings["Remove My Account"] = "Rimuovi il mio account"; +$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo."; +$a->strings["Please enter your password for verification:"] = "Inserisci la tua password per verifica:"; +$a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Impostazioni"; +$a->strings["Could not connect to database."] = " Impossibile collegarsi con il database."; +$a->strings["Could not create table."] = "Impossibile creare le tabelle."; +$a->strings["Your Friendica site database has been installed."] = "Il tuo Friendica è stato installato."; +$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Potresti dover importare il file \"database.sql\" manualmente con phpmyadmin o mysql"; +$a->strings["Please see the file \"INSTALL.txt\"."] = "Leggi il file \"INSTALL.txt\"."; +$a->strings["System check"] = "Controllo sistema"; +$a->strings["Check again"] = "Controlla ancora"; +$a->strings["Database connection"] = "Connessione al database"; +$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Per installare Friendica dobbiamo sapere come collegarci al tuo database."; +$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Contatta il tuo fornitore di hosting o l'amministratore del sito se hai domande su queste impostazioni."; +$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Il database dovrà già esistere. Se non esiste, crealo prima di continuare."; +$a->strings["Database Server Name"] = "Nome del database server"; +$a->strings["Database Login Name"] = "Nome utente database"; +$a->strings["Database Login Password"] = "Password utente database"; +$a->strings["Database Name"] = "Nome database"; +$a->strings["Site administrator email address"] = "Indirizzo email dell'amministratore del sito"; +$a->strings["Your account email address must match this in order to use the web admin panel."] = "Il tuo indirizzo email deve corrispondere a questo per poter usare il pannello di amministrazione web."; +$a->strings["Please select a default timezone for your website"] = "Seleziona il fuso orario predefinito per il tuo sito web"; +$a->strings["Site settings"] = "Impostazioni sito"; +$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Non riesco a trovare la versione di PHP da riga di comando nel PATH del server web"; +$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 'Activating scheduled tasks'"] = "Se non hai una versione a linea di comando di PHP installata sul tuo server, non sarai in grado di avviare il processo di poll in background via cron. Vedi 'Activating scheduled tasks'"; +$a->strings["PHP executable path"] = "Percorso eseguibile PHP"; +$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Inserisci il percorso completo all'eseguibile di php. Puoi lasciare bianco questo campo per continuare l'installazione."; +$a->strings["Command line PHP"] = "PHP da riga di comando"; +$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "L'eseguibile PHP non è il binario php cli (potrebbe essere la versione cgi-fcgi)"; +$a->strings["Found PHP version: "] = "Versione PHP:"; +$a->strings["PHP cli binary"] = "Binario PHP cli"; +$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La versione da riga di comando di PHP nel sistema non ha abilitato \"register_argc_argv\"."; +$a->strings["This is required for message delivery to work."] = "E' obbligatorio per far funzionare la consegna dei messaggi."; +$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"] = "Errore: la funzione \"openssl_pkey_new\" in questo sistema non è in grado di generare le chiavi di criptazione"; +$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Se stai eseguendo friendika su windows, guarda \"http://www.php.net/manual/en/openssl.installation.php\"."; +$a->strings["Generate encryption keys"] = "Genera chiavi di criptazione"; +$a->strings["libCurl PHP module"] = "modulo PHP libCurl"; +$a->strings["GD graphics PHP module"] = "modulo PHP GD graphics"; +$a->strings["OpenSSL PHP module"] = "modulo PHP OpenSSL"; +$a->strings["mysqli PHP module"] = "modulo PHP mysqli"; +$a->strings["mb_string PHP module"] = "modulo PHP mb_string"; +$a->strings["Apache mod_rewrite module"] = "Modulo mod_rewrite di Apache"; +$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Errore: E' il modulo mod-rewrite di Apache è richiesto, ma non risulta installato"; +$a->strings["Error: libCURL PHP module required but not installed."] = "Errore: il modulo libCURL di PHP è richiesto, ma non risulta installato."; +$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Errore: Il modulo GD graphics di PHP con supporto a JPEG è richiesto, ma non risulta installato."; +$a->strings["Error: openssl PHP module required but not installed."] = "Errore: il modulo openssl di PHP è richiesto, ma non risulta installato."; +$a->strings["Error: mysqli PHP module required but not installed."] = "Errore: il modulo mysqli di PHP è richiesto, ma non risulta installato"; +$a->strings["Error: mb_string PHP module required but not installed."] = "Errore: il modulo PHP mb_string è richiesto, ma non risulta installato."; +$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."] = "L'installazione web deve poter creare un file chiamato \".htconfig.php\" nella cartella principale del tuo web server ma non è in grado di farlo."; +$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."] = "Ciò è dovuto spesso a impostazioni di permessi, dato che il web server può non essere in grado di scrivere il file nella tua cartella, anche se tu puoi."; +$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."] = "Alla fine di questa procedura, di daremo un testo da salvare in un file chiamato .htconfig.php nella tua cartella principale di Friendica"; +$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni."; +$a->strings[".htconfig.php is writable"] = ".htconfig.php è scrivibile"; +$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il 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."] = "Per salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica."; +$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella."; +$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."] = "Nota: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene."; +$a->strings["view/smarty3 is writable"] = "view/smarty3 è scrivibile"; +$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "La riscrittura degli url in .htaccess non funziona. Controlla la configurazione del tuo server."; +$a->strings["Url rewrite is working"] = "La riscrittura degli url funziona"; +$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."] = "Il file di configurazione del database \".htconfig.php\" non può essere scritto. Usa il testo qui di seguito per creare un file di configurazione nella cartella principale del tuo sito."; +$a->strings["

    What next

    "] = "

    Cosa fare ora

    "; +$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller."; $a->strings["Number of daily wall messages for %s exceeded. Message failed."] = "Numero giornaliero di messaggi per %s superato. Invio fallito."; $a->strings["Unable to check your home location."] = "Impossibile controllare la tua posizione di origine."; $a->strings["No recipient."] = "Nessun destinatario."; $a->strings["If you wish for %s to respond, please check that the privacy settings on your site allow private mail from unknown senders."] = "Se vuoi che %s ti risponda, controlla che le tue impostazioni di privacy permettano la ricezione di messaggi privati da mittenti sconosciuti."; -$a->strings["Visit %s's profile [%s]"] = "Visita il profilo di %s [%s]"; -$a->strings["Edit contact"] = "Modifca contatto"; -$a->strings["Contacts who are not members of a group"] = "Contatti che non sono membri di un gruppo"; -$a->strings["This is Friendica, version"] = "Questo è Friendica, versione"; -$a->strings["running at web location"] = "in esecuzione all'indirizzo web"; -$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Visita Friendica.com per saperne di più sul progetto Friendica."; -$a->strings["Bug reports and issues: please visit"] = "Segnalazioni di bug e problemi: visita"; -$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com"; -$a->strings["Installed plugins/addons/apps:"] = "Plugin/addon/applicazioni instalate"; -$a->strings["No installed plugins/addons/apps"] = "Nessun plugin/addons/applicazione installata"; -$a->strings["Remove My Account"] = "Rimuovi il mio account"; -$a->strings["This will completely remove your account. Once this has been done it is not recoverable."] = "Questo comando rimuoverà completamente il tuo account. Una volta rimosso non potrai più recuperarlo."; -$a->strings["Please enter your password for verification:"] = "Inserisci la tua password per verifica:"; -$a->strings["Image exceeds size limit of %d"] = "La dimensione dell'immagine supera il limite di %d"; -$a->strings["Unable to process image."] = "Impossibile caricare l'immagine."; -$a->strings["Wall Photos"] = "Foto della bacheca"; -$a->strings["Image upload failed."] = "Caricamento immagine fallito."; -$a->strings["Authorize application connection"] = "Autorizza la connessione dell'applicazione"; -$a->strings["Return to your app and insert this Securty Code:"] = "Torna alla tua applicazione e inserisci questo codice di sicurezza:"; -$a->strings["Please login to continue."] = "Effettua il login per continuare."; -$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s ha taggato %3\$s di %2\$s con %4\$s"; -$a->strings["Photo Albums"] = "Album foto"; -$a->strings["Contact Photos"] = "Foto dei contatti"; -$a->strings["Upload New Photos"] = "Carica nuove foto"; -$a->strings["everybody"] = "tutti"; -$a->strings["Contact information unavailable"] = "I dati di questo contatto non sono disponibili"; -$a->strings["Profile Photos"] = "Foto del profilo"; -$a->strings["Album not found."] = "Album non trovato."; -$a->strings["Delete Album"] = "Rimuovi album"; -$a->strings["Do you really want to delete this photo album and all its photos?"] = "Vuoi davvero cancellare questo album e tutte le sue foto?"; -$a->strings["Delete Photo"] = "Rimuovi foto"; -$a->strings["Do you really want to delete this photo?"] = "Vuoi veramente cancellare questa foto?"; -$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s è stato taggato in %2\$s da %3\$s"; -$a->strings["a photo"] = "una foto"; -$a->strings["Image exceeds size limit of "] = "L'immagine supera il limite di"; -$a->strings["Image file is empty."] = "Il file dell'immagine è vuoto."; -$a->strings["No photos selected"] = "Nessuna foto selezionata"; -$a->strings["Access to this item is restricted."] = "Questo oggetto non è visibile a tutti."; -$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Hai usato %1$.2f MBytes su %2$.2f disponibili."; -$a->strings["Upload Photos"] = "Carica foto"; -$a->strings["New album name: "] = "Nome nuovo album: "; -$a->strings["or existing album name: "] = "o nome di un album esistente: "; -$a->strings["Do not show a status post for this upload"] = "Non creare un post per questo upload"; -$a->strings["Permissions"] = "Permessi"; -$a->strings["Show to Groups"] = "Mostra ai gruppi"; -$a->strings["Show to Contacts"] = "Mostra ai contatti"; -$a->strings["Private Photo"] = "Foto privata"; -$a->strings["Public Photo"] = "Foto pubblica"; -$a->strings["Edit Album"] = "Modifica album"; -$a->strings["Show Newest First"] = "Mostra nuove foto per prime"; -$a->strings["Show Oldest First"] = "Mostra vecchie foto per prime"; -$a->strings["View Photo"] = "Vedi foto"; -$a->strings["Permission denied. Access to this item may be restricted."] = "Permesso negato. L'accesso a questo elemento può essere limitato."; -$a->strings["Photo not available"] = "Foto non disponibile"; -$a->strings["View photo"] = "Vedi foto"; -$a->strings["Edit photo"] = "Modifica foto"; -$a->strings["Use as profile photo"] = "Usa come foto del profilo"; -$a->strings["View Full Size"] = "Vedi dimensione intera"; -$a->strings["Tags: "] = "Tag: "; -$a->strings["[Remove any tag]"] = "[Rimuovi tutti i tag]"; -$a->strings["Rotate CW (right)"] = "Ruota a destra"; -$a->strings["Rotate CCW (left)"] = "Ruota a sinistra"; -$a->strings["New album name"] = "Nuovo nome dell'album"; -$a->strings["Caption"] = "Titolo"; -$a->strings["Add a Tag"] = "Aggiungi tag"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; -$a->strings["Private photo"] = "Foto privata"; -$a->strings["Public photo"] = "Foto pubblica"; -$a->strings["Share"] = "Condividi"; -$a->strings["View Album"] = "Sfoglia l'album"; -$a->strings["Recent Photos"] = "Foto recenti"; -$a->strings["No profile"] = "Nessun profilo"; -$a->strings["Registration successful. Please check your email for further instructions."] = "Registrazione completata. Controlla la tua mail per ulteriori informazioni."; -$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = ""; -$a->strings["Your registration can not be processed."] = "La tua registrazione non puo' essere elaborata."; -$a->strings["Your registration is pending approval by the site owner."] = "La tua richiesta è in attesa di approvazione da parte del prorietario del sito."; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani."; -$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'."; -$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera."; -$a->strings["Your OpenID (optional): "] = "Il tuo OpenID (opzionale): "; -$a->strings["Include your profile in member directory?"] = "Includi il tuo profilo nell'elenco pubblico?"; -$a->strings["Membership on this site is by invitation only."] = "La registrazione su questo sito è solo su invito."; -$a->strings["Your invitation ID: "] = "L'ID del tuo invito:"; -$a->strings["Your Full Name (e.g. Joe Smith): "] = "Il tuo nome completo (es. Mario Rossi): "; -$a->strings["Your Email Address: "] = "Il tuo indirizzo email: "; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@\$sitename'."; -$a->strings["Choose a nickname: "] = "Scegli un nome utente: "; -$a->strings["Register"] = "Registrati"; -$a->strings["Import"] = "Importa"; -$a->strings["Import your profile to this friendica instance"] = "Importa il tuo profilo in questo server friendica"; -$a->strings["No valid account found."] = "Nessun account valido trovato."; -$a->strings["Password reset request issued. Check your email."] = "La richiesta per reimpostare la password è stata inviata. Controlla la tua 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."] = "\nGentile %1\$s,\n abbiamo ricevuto su \"%2\$s\" una richiesta di resettare la password del tuo account. Per confermare questa richiesta, selezionate il link di conferma qui sotto o incollatelo nella barra indirizzo del vostro browser.\n\nSe NON hai richiesto questa modifica, NON selezionare il link e ignora o cancella questa email.\n\nLa tua password non verrà modificata a meno che non possiamo verificare che tu abbia effettivamente richiesto la modifica."; -$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"] = "\nSegui questo link per verificare la tua identità:\n\n%1\$s\n\nRiceverai in un successivo messaggio la nuova password.\nPotrai cambiarla dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato.\n\nI dettagli del tuo account sono:\n Indirizzo del sito: %2\$s\n Nome utente: %3\$s"; -$a->strings["Password reset requested at %s"] = "Richiesta reimpostazione password su %s"; -$a->strings["Request could not be verified. (You may have previously submitted it.) Password reset failed."] = "La richiesta non può essere verificata. (Puoi averla già richiesta precendentemente). Reimpostazione password fallita."; -$a->strings["Password Reset"] = "Reimpostazione password"; -$a->strings["Your password has been reset as requested."] = "La tua password è stata reimpostata come richiesto."; -$a->strings["Your new password is"] = "La tua nuova password è"; -$a->strings["Save or copy your new password - and then"] = "Salva o copia la tua nuova password, quindi"; -$a->strings["click here to login"] = "clicca qui per entrare"; -$a->strings["Your password may be changed from the Settings page after successful login."] = "Puoi cambiare la tua password dalla pagina Impostazioni dopo aver effettuato l'accesso."; -$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"] = "\nGentile %1\$s,\n La tua password è stata modificata come richiesto.\nSalva questa password, o sostituiscila immediatamente con qualcosa che puoi ricordare."; -$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"] = "\nI dettagli del tuo account sono:\n\n Indirizzo del sito: %1\$s\n Nome utente: %2\$s\n Password: %3\$s\n\nPuoi cambiare questa password dalla pagina \"Impostazioni\" del tuo account dopo esserti autenticato."; -$a->strings["Your password has been changed at %s"] = "La tua password presso %s è stata cambiata"; -$a->strings["Forgot your Password?"] = "Hai dimenticato la password?"; -$a->strings["Enter your email address and submit to have your password reset. Then check your email for further instructions."] = "Inserisci il tuo indirizzo email per reimpostare la password."; -$a->strings["Nickname or Email: "] = "Nome utente o email: "; -$a->strings["Reset"] = "Reimposta"; -$a->strings["System down for maintenance"] = "Sistema in manutenzione"; -$a->strings["Item not available."] = "Oggetto non disponibile."; -$a->strings["Item was not found."] = "Oggetto non trovato."; -$a->strings["Applications"] = "Applicazioni"; -$a->strings["No installed applications."] = "Nessuna applicazione installata."; $a->strings["Help:"] = "Guida:"; $a->strings["Help"] = "Guida"; -$a->strings["%d contact edited."] = array( - 0 => "%d contatto modificato", - 1 => "%d contatti modificati", -); -$a->strings["Could not access contact record."] = "Non è possibile accedere al contatto."; -$a->strings["Could not locate selected profile."] = "Non riesco a trovare il profilo selezionato."; -$a->strings["Contact updated."] = "Contatto aggiornato."; -$a->strings["Contact has been blocked"] = "Il contatto è stato bloccato"; -$a->strings["Contact has been unblocked"] = "Il contatto è stato sbloccato"; -$a->strings["Contact has been ignored"] = "Il contatto è ignorato"; -$a->strings["Contact has been unignored"] = "Il contatto non è più ignorato"; -$a->strings["Contact has been archived"] = "Il contatto è stato archiviato"; -$a->strings["Contact has been unarchived"] = "Il contatto è stato dearchiviato"; -$a->strings["Do you really want to delete this contact?"] = "Vuoi veramente cancellare questo contatto?"; -$a->strings["Contact has been removed."] = "Il contatto è stato rimosso."; -$a->strings["You are mutual friends with %s"] = "Sei amico reciproco con %s"; -$a->strings["You are sharing with %s"] = "Stai condividendo con %s"; -$a->strings["%s is sharing with you"] = "%s sta condividendo con te"; -$a->strings["Private communications are not available for this contact."] = "Le comunicazioni private non sono disponibili per questo contatto."; -$a->strings["(Update was successful)"] = "(L'aggiornamento è stato completato)"; -$a->strings["(Update was not successful)"] = "(L'aggiornamento non è stato completato)"; -$a->strings["Suggest friends"] = "Suggerisci amici"; -$a->strings["Network type: %s"] = "Tipo di rete: %s"; -$a->strings["%d contact in common"] = array( - 0 => "%d contatto in comune", - 1 => "%d contatti in comune", -); -$a->strings["View all contacts"] = "Vedi tutti i contatti"; -$a->strings["Toggle Blocked status"] = "Inverti stato \"Blocca\""; -$a->strings["Unignore"] = "Non ignorare"; -$a->strings["Toggle Ignored status"] = "Inverti stato \"Ignora\""; -$a->strings["Unarchive"] = "Dearchivia"; -$a->strings["Archive"] = "Archivia"; -$a->strings["Toggle Archive status"] = "Inverti stato \"Archiviato\""; -$a->strings["Repair"] = "Ripara"; -$a->strings["Advanced Contact Settings"] = "Impostazioni avanzate Contatto"; -$a->strings["Communications lost with this contact!"] = "Comunicazione con questo contatto persa!"; -$a->strings["Contact Editor"] = "Editor dei Contatti"; -$a->strings["Profile Visibility"] = "Visibilità del profilo"; -$a->strings["Please choose the profile you would like to display to %s when viewing your profile securely."] = "Seleziona il profilo che vuoi mostrare a %s quando visita il tuo profilo in modo sicuro."; -$a->strings["Contact Information / Notes"] = "Informazioni / Note sul contatto"; -$a->strings["Edit contact notes"] = "Modifica note contatto"; -$a->strings["Block/Unblock contact"] = "Blocca/Sblocca contatto"; -$a->strings["Ignore contact"] = "Ignora il contatto"; -$a->strings["Repair URL settings"] = "Impostazioni riparazione URL"; -$a->strings["View conversations"] = "Vedi conversazioni"; -$a->strings["Delete contact"] = "Rimuovi contatto"; -$a->strings["Last update:"] = "Ultimo aggiornamento:"; -$a->strings["Update public posts"] = "Aggiorna messaggi pubblici"; -$a->strings["Currently blocked"] = "Bloccato"; -$a->strings["Currently ignored"] = "Ignorato"; -$a->strings["Currently archived"] = "Al momento archiviato"; -$a->strings["Replies/likes to your public posts may still be visible"] = "Risposte ai tuoi post pubblici possono essere comunque visibili"; -$a->strings["Notification for new posts"] = "Notifica per i nuovi messaggi"; -$a->strings["Send a notification of every new post of this contact"] = "Invia una notifica per ogni nuovo messaggio di questo contatto"; -$a->strings["Fetch further information for feeds"] = "Recupera maggiori infomazioni per i feed"; -$a->strings["Suggestions"] = "Suggerimenti"; -$a->strings["Suggest potential friends"] = "Suggerisci potenziali amici"; -$a->strings["All Contacts"] = "Tutti i contatti"; -$a->strings["Show all contacts"] = "Mostra tutti i contatti"; -$a->strings["Unblocked"] = "Sbloccato"; -$a->strings["Only show unblocked contacts"] = "Mostra solo contatti non bloccati"; -$a->strings["Blocked"] = "Bloccato"; -$a->strings["Only show blocked contacts"] = "Mostra solo contatti bloccati"; -$a->strings["Ignored"] = "Ignorato"; -$a->strings["Only show ignored contacts"] = "Mostra solo contatti ignorati"; -$a->strings["Archived"] = "Achiviato"; -$a->strings["Only show archived contacts"] = "Mostra solo contatti archiviati"; -$a->strings["Hidden"] = "Nascosto"; -$a->strings["Only show hidden contacts"] = "Mostra solo contatti nascosti"; -$a->strings["Mutual Friendship"] = "Amicizia reciproca"; -$a->strings["is a fan of yours"] = "è un tuo fan"; -$a->strings["you are a fan of"] = "sei un fan di"; -$a->strings["Contacts"] = "Contatti"; -$a->strings["Search your contacts"] = "Cerca nei tuoi contatti"; -$a->strings["Finding: "] = "Ricerca: "; -$a->strings["Find"] = "Trova"; -$a->strings["Update"] = "Aggiorna"; -$a->strings["No videos selected"] = "Nessun video selezionato"; -$a->strings["Recent Videos"] = "Video Recenti"; -$a->strings["Upload New Videos"] = "Carica Nuovo Video"; -$a->strings["Common Friends"] = "Amici in comune"; -$a->strings["No contacts in common."] = "Nessun contatto in comune."; -$a->strings["Contact added"] = "Contatto aggiunto"; -$a->strings["Move account"] = "Muovi account"; -$a->strings["You can import an account from another Friendica server."] = "Puoi importare un account da un altro 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."] = "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui."; -$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora"; -$a->strings["Account file"] = "File account"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\""; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s sta seguendo %3\$s di %2\$s"; -$a->strings["Friends of %s"] = "Amici di %s"; -$a->strings["No friends to display."] = "Nessun amico da visualizzare."; -$a->strings["Tag removed"] = "Tag rimosso"; -$a->strings["Remove Item Tag"] = "Rimuovi il tag"; -$a->strings["Select a tag to remove: "] = "Seleziona un tag da rimuovere: "; -$a->strings["Remove"] = "Rimuovi"; -$a->strings["Welcome to Friendica"] = "Benvenuto su Friendica"; -$a->strings["New Member Checklist"] = "Cose da fare per i Nuovi Utenti"; -$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."] = "Vorremmo offrirti qualche trucco e dei link alla guida per aiutarti ad avere un'esperienza divertente. Clicca su un qualsiasi elemento per visitare la relativa pagina. Un link a questa pagina sarà visibile nella tua home per due settimane dopo la tua registrazione."; -$a->strings["Getting Started"] = "Come Iniziare"; -$a->strings["Friendica Walk-Through"] = "Friendica Passo-Passo"; -$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."] = "Sulla tua pagina Quick Start - veloce introduzione alla tua pagina profilo e alla pagina Rete, fai qualche nuova amicizia, e trova qualche gruppo a cui unirti."; -$a->strings["Go to Your Settings"] = "Vai alle tue Impostazioni"; -$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."] = "Nella tua pagina Impostazioni - cambia la tua password iniziale. Prendi anche nota del tuo Indirizzo Identità. Assomiglia a un indirizzo email e sarà utile per stringere amicizie nel web sociale libero."; -$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."] = "Guarda le altre impostazioni, in particolare le impostazioni della privacy. Un profilo non pubblicato è come un numero di telefono non in elenco. In genere, dovresti pubblicare il tuo profilo - a meno che tutti i tuoi amici e potenziali tali sappiano esattamente come trovarti."; -$a->strings["Profile"] = "Profilo"; -$a->strings["Upload Profile Photo"] = "Carica la foto del profilo"; -$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."] = "Carica una foto del profilo se non l'hai ancora fatto. Studi hanno mostrato che persone che hanno vere foto di se stessi hanno dieci volte più probabilità di fare amicizie rispetto alle persone che non ce l'hanno."; -$a->strings["Edit Your Profile"] = "Modifica il tuo Profilo"; -$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."] = "Modifica il tuo profilo predefinito a piacimento. Rivedi le impostazioni per nascondere la tua lista di amici e nascondere il profilo ai visitatori sconosciuti."; -$a->strings["Profile Keywords"] = "Parole chiave del profilo"; -$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."] = "Inserisci qualche parola chiave pubblica nel tuo profilo predefinito che descriva i tuoi interessi. Potremmo essere in grado di trovare altre persone con interessi similari e suggerirti delle amicizie."; -$a->strings["Connecting"] = "Collegarsi"; -$a->strings["Facebook"] = "Facebook"; -$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "Autorizza il Facebook Connector se hai un account Facebook, e noi (opzionalmente) importeremo tuti i tuoi amici e le tue conversazioni da Facebook."; -$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "Sestrings["Importing Emails"] = "Importare le 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"] = "Inserisci i tuoi dati di accesso all'email nella tua pagina Impostazioni Connettori se vuoi importare e interagire con amici o mailing list dalla tua casella di posta in arrivo"; -$a->strings["Go to Your Contacts Page"] = "Vai alla tua pagina Contatti"; -$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."] = "La tua pagina Contatti è il mezzo per gestire le amicizie e collegarsi con amici su altre reti. Di solito, basta inserire l'indirizzo nel campo Aggiungi Nuovo Contatto"; -$a->strings["Go to Your Site's Directory"] = "Vai all'Elenco del tuo sito"; -$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."] = "La pagina Elenco ti permette di trovare altre persone in questa rete o in altri siti. Cerca un link Connetti o Segui nella loro pagina del profilo. Inserisci il tuo Indirizzo Identità, se richiesto."; -$a->strings["Finding New People"] = "Trova nuove persone"; -$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."] = "Nel pannello laterale nella pagina \"Contatti\", ci sono diversi strumenti per trovare nuovi amici. Possiamo confrontare le persone per interessi, cercare le persone per nome e fornire suggerimenti basati sui tuoi contatti esistenti. Su un sito nuovo, i suggerimenti sono di solito presenti dopo 24 ore."; -$a->strings["Groups"] = "Gruppi"; -$a->strings["Group Your Contacts"] = "Raggruppa i tuoi contatti"; -$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."] = "Quando avrai alcuni amici, organizzali in gruppi di conversazioni private dalla barra laterale della tua pagina Contatti. Potrai interagire privatamente con ogni gruppo nella tua pagina Rete"; -$a->strings["Why Aren't My Posts Public?"] = "Perchè i miei post non sono pubblici?"; -$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 rispetta la tua provacy. Per impostazione predefinita, i tuoi post sono mostrati solo alle persone che hai aggiunto come amici. Per maggiori informazioni guarda la sezione della guida dal link qui sopra."; -$a->strings["Getting Help"] = "Ottenere Aiuto"; -$a->strings["Go to the Help Section"] = "Vai alla sezione Guida"; -$a->strings["Our help pages may be consulted for detail on other program features and resources."] = "Le nostre pagine della guida possono essere consultate per avere dettagli su altre caratteristiche del programma e altre risorse."; -$a->strings["Remove term"] = "Rimuovi termine"; -$a->strings["Saved Searches"] = "Ricerche salvate"; -$a->strings["Search"] = "Cerca"; +$a->strings["Not Found"] = "Non trovato"; +$a->strings["Page not found."] = "Pagina non trovata."; +$a->strings["%1\$s welcomes %2\$s"] = "%s dà il benvenuto a %s"; +$a->strings["Welcome to %s"] = "Benvenuto su %s"; +$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta"; +$a->strings["Or - did you try to upload an empty file?"] = "O.. non avrai provato a caricare un file vuoto?"; +$a->strings["File exceeds size limit of %d"] = "Il file supera la dimensione massima di %d"; +$a->strings["File upload failed."] = "Caricamento del file non riuscito."; +$a->strings["Profile Match"] = "Profili corrispondenti"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito."; +$a->strings["is interested in:"] = "è interessato a:"; +$a->strings["Connect"] = "Connetti"; +$a->strings["link"] = "collegamento"; +$a->strings["Not available."] = "Non disponibile."; +$a->strings["Community"] = "Comunità"; $a->strings["No results."] = "Nessun risultato."; -$a->strings["Total invitation limit exceeded."] = "Limite totale degli inviti superato."; -$a->strings["%s : Not a valid email address."] = "%s: non è un indirizzo email valido."; -$a->strings["Please join us on Friendica"] = "Unisiciti a noi su Friendica"; -$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limite degli inviti superato. Contatta l'amministratore del tuo sito."; -$a->strings["%s : Message delivery failed."] = "%s: la consegna del messaggio fallita."; -$a->strings["%d message sent."] = array( - 0 => "%d messaggio inviato.", - 1 => "%d messaggi inviati.", -); -$a->strings["You have no more invitations available"] = "Non hai altri inviti disponibili"; -$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."] = "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network."; -$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico."; -$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."] = "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti."; -$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri."; -$a->strings["Send invitations"] = "Invia inviti"; -$a->strings["Enter email addresses, one per line:"] = "Inserisci gli indirizzi email, uno per riga:"; -$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore."; -$a->strings["You will need to supply this invitation code: \$invite_code"] = "Sarà necessario fornire questo codice invito: \$invite_code"; -$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Una volta registrato, connettiti con me dal mio profilo:"; -$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com"; +$a->strings["everybody"] = "tutti"; $a->strings["Additional features"] = "Funzionalità aggiuntive"; $a->strings["Display"] = "Visualizzazione"; $a->strings["Social Networks"] = "Social Networks"; @@ -816,6 +839,7 @@ $a->strings["Off"] = "Spento"; $a->strings["On"] = "Acceso"; $a->strings["Additional Features"] = "Funzionalità aggiuntive"; $a->strings["Built-in support for %s connectivity is %s"] = "Il supporto integrato per la connettività con %s è %s"; +$a->strings["Diaspora"] = "Diaspora"; $a->strings["enabled"] = "abilitato"; $a->strings["disabled"] = "disabilitato"; $a->strings["StatusNet"] = "StatusNet"; @@ -862,15 +886,16 @@ $a->strings["Private forum - approved members only"] = "Forum privato - solo mem $a->strings["OpenID:"] = "OpenID:"; $a->strings["(Optional) Allow this OpenID to login to this account."] = "(Opzionale) Consente di loggarti in questo account con questo OpenID"; $a->strings["Publish your default profile in your local site directory?"] = "Pubblica il tuo profilo predefinito nell'elenco locale del sito"; +$a->strings["No"] = "No"; $a->strings["Publish your default profile in the global social directory?"] = "Pubblica il tuo profilo predefinito nell'elenco sociale globale"; $a->strings["Hide your contact/friend list from viewers of your default profile?"] = "Nascondi la lista dei tuoi contatti/amici dai visitatori del tuo profilo predefinito"; $a->strings["Hide your profile details from unknown viewers?"] = "Nascondi i dettagli del tuo profilo ai visitatori sconosciuti?"; +$a->strings["If enabled, posting public messages to Diaspora and other networks isn't possible."] = ""; $a->strings["Allow friends to post to your profile page?"] = "Permetti agli amici di scrivere sulla tua pagina profilo?"; $a->strings["Allow friends to tag your posts?"] = "Permetti agli amici di taggare i tuoi messaggi?"; $a->strings["Allow us to suggest you as a potential friend to new members?"] = "Ci permetti di suggerirti come potenziale amico ai nuovi membri?"; $a->strings["Permit unknown people to send you private mail?"] = "Permetti a utenti sconosciuti di inviarti messaggi privati?"; $a->strings["Profile is not published."] = "Il profilo non è pubblicato."; -$a->strings["or"] = "o"; $a->strings["Your Identity Address is"] = "L'indirizzo della tua identità è"; $a->strings["Automatically expire posts after this many days:"] = "Fai scadere i post automaticamente dopo x giorni:"; $a->strings["If empty, posts will not expire. Expired posts will be deleted"] = "Se lasciato vuoto, i messaggi non verranno cancellati."; @@ -900,6 +925,8 @@ $a->strings["Maximum Friend Requests/Day:"] = "Numero massimo di richieste di am $a->strings["(to prevent spam abuse)"] = "(per prevenire lo spam)"; $a->strings["Default Post Permissions"] = "Permessi predefiniti per i messaggi"; $a->strings["(click to open/close)"] = "(clicca per aprire/chiudere)"; +$a->strings["Show to Groups"] = "Mostra ai gruppi"; +$a->strings["Show to Contacts"] = "Mostra ai contatti"; $a->strings["Default Private Post"] = "Default Post Privato"; $a->strings["Default Public Post"] = "Default Post Pubblico"; $a->strings["Default Permissions for New Posts"] = "Permessi predefiniti per i nuovi post"; @@ -918,14 +945,105 @@ $a->strings["You receive a private message"] = "Ricevi un messaggio privato"; $a->strings["You receive a friend suggestion"] = "Hai ricevuto un suggerimento di amicizia"; $a->strings["You are tagged in a post"] = "Sei stato taggato in un post"; $a->strings["You are poked/prodded/etc. in a post"] = "Sei 'toccato'/'spronato'/ecc. in un post"; +$a->strings["Text-only notification emails"] = ""; +$a->strings["Send text only notification emails, without the html part"] = ""; $a->strings["Advanced Account/Page Type Settings"] = "Impostazioni avanzate Account/Tipo di pagina"; $a->strings["Change the behaviour of this account for special situations"] = "Modifica il comportamento di questo account in situazioni speciali"; $a->strings["Relocate"] = "Trasloca"; $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."] = "Se hai spostato questo profilo da un'altro server, e alcuni dei tuoi contatti non ricevono i tuoi aggiornamenti, prova a premere questo bottone."; $a->strings["Resend relocate message to contacts"] = "Reinvia il messaggio di trasloco"; -$a->strings["Item has been removed."] = "L'oggetto è stato rimosso."; -$a->strings["People Search"] = "Cerca persone"; -$a->strings["No matches"] = "Nessun risultato"; +$a->strings["This introduction has already been accepted."] = "Questa presentazione è già stata accettata."; +$a->strings["Profile location is not valid or does not contain profile information."] = "L'indirizzo del profilo non è valido o non contiene un profilo."; +$a->strings["Warning: profile location has no identifiable owner name."] = "Attenzione: l'indirizzo del profilo non riporta il nome del proprietario."; +$a->strings["Warning: profile location has no profile photo."] = "Attenzione: l'indirizzo del profilo non ha una foto."; +$a->strings["%d required parameter was not found at the given location"] = array( + 0 => "%d parametro richiesto non è stato trovato all'indirizzo dato", + 1 => "%d parametri richiesti non sono stati trovati all'indirizzo dato", +); +$a->strings["Introduction complete."] = "Presentazione completa."; +$a->strings["Unrecoverable protocol error."] = "Errore di comunicazione."; +$a->strings["Profile unavailable."] = "Profilo non disponibile."; +$a->strings["%s has received too many connection requests today."] = "%s ha ricevuto troppe richieste di connessione per oggi."; +$a->strings["Spam protection measures have been invoked."] = "Sono state attivate le misure di protezione contro lo spam."; +$a->strings["Friends are advised to please try again in 24 hours."] = "Gli amici sono pregati di riprovare tra 24 ore."; +$a->strings["Invalid locator"] = "Invalid locator"; +$a->strings["Invalid email address."] = "Indirizzo email non valido."; +$a->strings["This account has not been configured for email. Request failed."] = "Questo account non è stato configurato per l'email. Richiesta fallita."; +$a->strings["Unable to resolve your name at the provided location."] = "Impossibile risolvere il tuo nome nella posizione indicata."; +$a->strings["You have already introduced yourself here."] = "Ti sei già presentato qui."; +$a->strings["Apparently you are already friends with %s."] = "Pare che tu e %s siate già amici."; +$a->strings["Invalid profile URL."] = "Indirizzo profilo non valido."; +$a->strings["Disallowed profile URL."] = "Indirizzo profilo non permesso."; +$a->strings["Your introduction has been sent."] = "La tua presentazione è stata inviata."; +$a->strings["Please login to confirm introduction."] = "Accedi per confermare la presentazione."; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "Non hai fatto accesso con l'identità corretta. Accedi a questo profilo."; +$a->strings["Hide this contact"] = "Nascondi questo contatto"; +$a->strings["Welcome home %s."] = "Bentornato a casa %s."; +$a->strings["Please confirm your introduction/connection request to %s."] = "Conferma la tua richiesta di connessione con %s."; +$a->strings["Confirm"] = "Conferma"; +$a->strings["Please enter your 'Identity Address' from one of the following supported communications networks:"] = "Inserisci il tuo 'Indirizzo Identità' da uno dei seguenti network supportati:"; +$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."] = "Se non sei un membro del web sociale libero, segui questo link per trovare un sito Friendica pubblico e unisciti a noi oggi"; +$a->strings["Friend/Connection Request"] = "Richieste di amicizia/connessione"; +$a->strings["Examples: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"] = "Esempi: jojo@demo.friendica.com, http://demo.friendica.com/profile/jojo, testuser@identi.ca"; +$a->strings["Please answer the following:"] = "Rispondi:"; +$a->strings["Does %s know you?"] = "%s ti conosce?"; +$a->strings["Add a personal note:"] = "Aggiungi una nota personale:"; +$a->strings["Friendica"] = "Friendica"; +$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."] = " - per favore non usare questa form. Invece, inserisci %s nella tua barra di ricerca su Diaspora."; +$a->strings["Your Identity Address:"] = "L'indirizzo della tua identità:"; +$a->strings["Submit Request"] = "Invia richiesta"; +$a->strings["Registration successful. Please check your email for further instructions."] = "Registrazione completata. Controlla la tua mail per ulteriori informazioni."; +$a->strings["Failed to send email message. Here your accout details:
    login: %s
    password: %s

    You can change your password after login."] = ""; +$a->strings["Your registration can not be processed."] = "La tua registrazione non puo' essere elaborata."; +$a->strings["Your registration is pending approval by the site owner."] = "La tua richiesta è in attesa di approvazione da parte del prorietario del sito."; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "Questo sito ha superato il numero di registrazioni giornaliere consentite. Prova di nuovo domani."; +$a->strings["You may (optionally) fill in this form via OpenID by supplying your OpenID and clicking 'Register'."] = "Se vuoi, puoi riempire questo modulo tramite OpenID, inserendo il tuo OpenID e cliccando 'Registra'."; +$a->strings["If you are not familiar with OpenID, please leave that field blank and fill in the rest of the items."] = "Se non hai familiarità con OpenID, lascia il campo vuoto e riempi il resto della maschera."; +$a->strings["Your OpenID (optional): "] = "Il tuo OpenID (opzionale): "; +$a->strings["Include your profile in member directory?"] = "Includi il tuo profilo nell'elenco pubblico?"; +$a->strings["Membership on this site is by invitation only."] = "La registrazione su questo sito è solo su invito."; +$a->strings["Your invitation ID: "] = "L'ID del tuo invito:"; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "Il tuo nome completo (es. Mario Rossi): "; +$a->strings["Your Email Address: "] = "Il tuo indirizzo email: "; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "Scegli un nome utente. Deve cominciare con una lettera. L'indirizzo del tuo profilo sarà 'soprannome@\$sitename'."; +$a->strings["Choose a nickname: "] = "Scegli un nome utente: "; +$a->strings["Register"] = "Registrati"; +$a->strings["Import"] = "Importa"; +$a->strings["Import your profile to this friendica instance"] = "Importa il tuo profilo in questo server friendica"; +$a->strings["System down for maintenance"] = "Sistema in manutenzione"; +$a->strings["Search"] = "Cerca"; +$a->strings["Global Directory"] = "Elenco globale"; +$a->strings["Find on this site"] = "Cerca nel sito"; +$a->strings["Site Directory"] = "Elenco del sito"; +$a->strings["Age: "] = "Età : "; +$a->strings["Gender: "] = "Genere:"; +$a->strings["Gender:"] = "Genere:"; +$a->strings["Status:"] = "Stato:"; +$a->strings["Homepage:"] = "Homepage:"; +$a->strings["About:"] = "Informazioni:"; +$a->strings["No entries (some entries may be hidden)."] = "Nessuna voce (qualche voce potrebbe essere nascosta)."; +$a->strings["No potential page delegates located."] = "Nessun potenziale delegato per la pagina è stato trovato."; +$a->strings["Delegate Page Management"] = "Gestione delegati per la pagina"; +$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."] = "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente."; +$a->strings["Existing Page Managers"] = "Gestori Pagina Esistenti"; +$a->strings["Existing Page Delegates"] = "Delegati Pagina Esistenti"; +$a->strings["Potential Delegates"] = "Delegati Potenziali"; +$a->strings["Add"] = "Aggiungi"; +$a->strings["No entries."] = "Nessun articolo."; +$a->strings["Common Friends"] = "Amici in comune"; +$a->strings["No contacts in common."] = "Nessun contatto in comune."; +$a->strings["Export account"] = "Esporta 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."] = "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server."; +$a->strings["Export all"] = "Esporta tutto"; +$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)"] = "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)"; +$a->strings["%1\$s is currently %2\$s"] = "%1\$s al momento è %2\$s"; +$a->strings["Mood"] = "Umore"; +$a->strings["Set your current mood and tell your friends"] = "Condividi il tuo umore con i tuoi amici"; +$a->strings["Do you really want to delete this suggestion?"] = "Vuoi veramente cancellare questo suggerimento?"; +$a->strings["Friend Suggestions"] = "Contatti suggeriti"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore."; +$a->strings["Ignore/Hide"] = "Ignora / Nascondi"; $a->strings["Profile deleted."] = "Profilo elminato."; $a->strings["Profile-"] = "Profilo-"; $a->strings["New profile created."] = "Il nuovo profilo è stato creato."; @@ -1000,78 +1118,46 @@ $a->strings["Love/romance"] = "Amore"; $a->strings["Work/employment"] = "Lavoro/impiego"; $a->strings["School/education"] = "Scuola/educazione"; $a->strings["This is your public profile.
    It may be visible to anybody using the internet."] = "Questo è il tuo profilo publico.
    Potrebbe essere visto da chiunque attraverso internet."; -$a->strings["Age: "] = "Età : "; $a->strings["Edit/Manage Profiles"] = "Modifica / Gestisci profili"; $a->strings["Change profile photo"] = "Cambia la foto del profilo"; $a->strings["Create New Profile"] = "Crea un nuovo profilo"; $a->strings["Profile Image"] = "Immagine del Profilo"; $a->strings["visible to everybody"] = "visibile a tutti"; $a->strings["Edit visibility"] = "Modifica visibilità"; -$a->strings["link"] = "collegamento"; -$a->strings["Export account"] = "Esporta 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."] = "Esporta le informazioni del tuo account e dei contatti. Usa questa funzione per fare un backup del tuo account o per spostarlo in un altro server."; -$a->strings["Export all"] = "Esporta tutto"; -$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)"] = "Esporta le informazioni del tuo account, i tuoi contatti e tutti i tuoi elementi in json. Puo' diventare un file veramente molto grosso e metterci un sacco di tempo. Usa questa funzione per fare un backup completo del tuo account (le foto non sono esportate)"; -$a->strings["{0} wants to be your friend"] = "{0} vuole essere tuo amico"; -$a->strings["{0} sent you a message"] = "{0} ti ha inviato un messaggio"; -$a->strings["{0} requested registration"] = "{0} chiede la registrazione"; -$a->strings["{0} commented %s's post"] = "{0} ha commentato il post di %s"; -$a->strings["{0} liked %s's post"] = "a {0} piace il post di %s"; -$a->strings["{0} disliked %s's post"] = "a {0} non piace il post di %s"; -$a->strings["{0} is now friends with %s"] = "{0} ora è amico di %s"; -$a->strings["{0} posted"] = "{0} ha inviato un nuovo messaggio"; -$a->strings["{0} tagged %s's post with #%s"] = "{0} ha taggato il post di %s con #%s"; -$a->strings["{0} mentioned you in a post"] = "{0} ti ha citato in un post"; -$a->strings["Nothing new here"] = "Niente di nuovo qui"; -$a->strings["Clear notifications"] = "Pulisci le notifiche"; -$a->strings["Not available."] = "Non disponibile."; -$a->strings["Community"] = "Comunità"; -$a->strings["Save to Folder:"] = "Salva nella Cartella:"; -$a->strings["- select -"] = "- seleziona -"; -$a->strings["Sorry, maybe your upload is bigger than the PHP configuration allows"] = "Mi spiace, forse il fie che stai caricando è più grosso di quanto la configurazione di PHP permetta"; -$a->strings["Or - did you try to upload an empty file?"] = "O.. non avrai provato a caricare un file vuoto?"; -$a->strings["File exceeds size limit of %d"] = "Il file supera la dimensione massima di %d"; -$a->strings["File upload failed."] = "Caricamento del file non riuscito."; -$a->strings["Invalid profile identifier."] = "Indentificativo del profilo non valido."; -$a->strings["Profile Visibility Editor"] = "Modifica visibilità del profilo"; -$a->strings["Click on a contact to add or remove."] = "Clicca su un contatto per aggiungerlo o rimuoverlo."; -$a->strings["Visible To"] = "Visibile a"; -$a->strings["All Contacts (with secure profile access)"] = "Tutti i contatti (con profilo ad accesso sicuro)"; -$a->strings["Do you really want to delete this suggestion?"] = "Vuoi veramente cancellare questo suggerimento?"; -$a->strings["Friend Suggestions"] = "Contatti suggeriti"; -$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "Nessun suggerimento disponibile. Se questo è un sito nuovo, riprova tra 24 ore."; -$a->strings["Connect"] = "Connetti"; -$a->strings["Ignore/Hide"] = "Ignora / Nascondi"; -$a->strings["Access denied."] = "Accesso negato."; -$a->strings["%1\$s welcomes %2\$s"] = "%s dà il benvenuto a %s"; -$a->strings["Manage Identities and/or Pages"] = "Gestisci indentità e/o pagine"; -$a->strings["Toggle between different identities or community/group pages which share your account details or which you have been granted \"manage\" permissions"] = "Cambia tra differenti identità o pagine comunità/gruppi che condividono il tuo account o per cui hai i permessi di gestione"; -$a->strings["Select an identity to manage: "] = "Seleziona un'identità da gestire:"; -$a->strings["No potential page delegates located."] = "Nessun potenziale delegato per la pagina è stato trovato."; -$a->strings["Delegate Page Management"] = "Gestione delegati per la pagina"; -$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."] = "I Delegati sono in grando di gestire tutti gli aspetti di questa pagina, tranne per i settaggi di base dell'account. Non delegare il tuo account personale a nessuno di cui non ti fidi ciecamente."; -$a->strings["Existing Page Managers"] = "Gestori Pagina Esistenti"; -$a->strings["Existing Page Delegates"] = "Delegati Pagina Esistenti"; -$a->strings["Potential Delegates"] = "Delegati Potenziali"; -$a->strings["Add"] = "Aggiungi"; -$a->strings["No entries."] = "Nessun articolo."; -$a->strings["No contacts."] = "Nessun contatto."; -$a->strings["View Contacts"] = "Visualizza i contatti"; +$a->strings["Item not found"] = "Oggetto non trovato"; +$a->strings["Edit post"] = "Modifica messaggio"; +$a->strings["upload photo"] = "carica foto"; +$a->strings["Attach file"] = "Allega file"; +$a->strings["attach file"] = "allega file"; +$a->strings["web link"] = "link web"; +$a->strings["Insert video link"] = "Inserire collegamento video"; +$a->strings["video link"] = "link video"; +$a->strings["Insert audio link"] = "Inserisci collegamento audio"; +$a->strings["audio link"] = "link audio"; +$a->strings["Set your location"] = "La tua posizione"; +$a->strings["set location"] = "posizione"; +$a->strings["Clear browser location"] = "Rimuovi la localizzazione data dal browser"; +$a->strings["clear location"] = "canc. pos."; +$a->strings["Permission settings"] = "Impostazioni permessi"; +$a->strings["CC: email addresses"] = "CC: indirizzi email"; +$a->strings["Public post"] = "Messaggio pubblico"; +$a->strings["Set title"] = "Scegli un titolo"; +$a->strings["Categories (comma-separated list)"] = "Categorie (lista separata da virgola)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "Esempio: bob@example.com, mary@example.com"; +$a->strings["This is Friendica, version"] = "Questo è Friendica, versione"; +$a->strings["running at web location"] = "in esecuzione all'indirizzo web"; +$a->strings["Please visit Friendica.com to learn more about the Friendica project."] = "Visita Friendica.com per saperne di più sul progetto Friendica."; +$a->strings["Bug reports and issues: please visit"] = "Segnalazioni di bug e problemi: visita"; +$a->strings["Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - dot com"] = "Suggerimenti, lodi, donazioni, ecc - e-mail a \"Info\" at Friendica punto com"; +$a->strings["Installed plugins/addons/apps:"] = "Plugin/addon/applicazioni instalate"; +$a->strings["No installed plugins/addons/apps"] = "Nessun plugin/addons/applicazione installata"; +$a->strings["Authorize application connection"] = "Autorizza la connessione dell'applicazione"; +$a->strings["Return to your app and insert this Securty Code:"] = "Torna alla tua applicazione e inserisci questo codice di sicurezza:"; +$a->strings["Please login to continue."] = "Effettua il login per continuare."; +$a->strings["Do you want to authorize this application to access your posts and contacts, and/or create new posts for you?"] = "Vuoi autorizzare questa applicazione per accedere ai messaggi e ai contatti, e / o creare nuovi messaggi per te?"; +$a->strings["Remote privacy information not available."] = "Informazioni remote sulla privacy non disponibili."; +$a->strings["Visible to:"] = "Visibile a:"; $a->strings["Personal Notes"] = "Note personali"; -$a->strings["Poke/Prod"] = "Tocca/Pungola"; -$a->strings["poke, prod or do other things to somebody"] = "tocca, pungola o fai altre cose a qualcuno"; -$a->strings["Recipient"] = "Destinatario"; -$a->strings["Choose what you wish to do to recipient"] = "Scegli cosa vuoi fare al destinatario"; -$a->strings["Make this post private"] = "Rendi questo post privato"; -$a->strings["Global Directory"] = "Elenco globale"; -$a->strings["Find on this site"] = "Cerca nel sito"; -$a->strings["Site Directory"] = "Elenco del sito"; -$a->strings["Gender: "] = "Genere:"; -$a->strings["Gender:"] = "Genere:"; -$a->strings["Status:"] = "Stato:"; -$a->strings["Homepage:"] = "Homepage:"; -$a->strings["About:"] = "Informazioni:"; -$a->strings["No entries (some entries may be hidden)."] = "Nessuna voce (qualche voce potrebbe essere nascosta)."; $a->strings["l F d, Y \\@ g:i A"] = "l d F Y \\@ G:i"; $a->strings["Time Conversion"] = "Conversione Ora"; $a->strings["Friendica provides this service for sharing events with other networks and friends in unknown timezones."] = "Friendica fornisce questo servizio per la condivisione di eventi con altre reti e amici in fusi orari sconosciuti."; @@ -1079,209 +1165,91 @@ $a->strings["UTC time: %s"] = "Ora UTC: %s"; $a->strings["Current timezone: %s"] = "Fuso orario corrente: %s"; $a->strings["Converted localtime: %s"] = "Ora locale convertita: %s"; $a->strings["Please select your timezone:"] = "Selezionare il tuo fuso orario:"; -$a->strings["Post successful."] = "Inviato!"; -$a->strings["Image uploaded but image cropping failed."] = "L'immagine è stata caricata, ma il non è stato possibile ritagliarla."; -$a->strings["Image size reduction [%s] failed."] = "Il ridimensionamento del'immagine [%s] è fallito."; -$a->strings["Shift-reload the page or clear browser cache if the new photo does not display immediately."] = "Ricarica la pagina con shift+F5 o cancella la cache del browser se la nuova foto non viene mostrata immediatamente."; -$a->strings["Unable to process image"] = "Impossibile elaborare l'immagine"; -$a->strings["Upload File:"] = "Carica un file:"; -$a->strings["Select a profile:"] = "Seleziona un profilo:"; -$a->strings["Upload"] = "Carica"; -$a->strings["skip this step"] = "salta questo passaggio"; -$a->strings["select a photo from your photo albums"] = "seleziona una foto dai tuoi album"; -$a->strings["Crop Image"] = "Ritaglia immagine"; -$a->strings["Please adjust the image cropping for optimum viewing."] = "Ritaglia l'imagine per una visualizzazione migliore."; -$a->strings["Done Editing"] = "Finito"; -$a->strings["Image uploaded successfully."] = "Immagine caricata con successo."; -$a->strings["Friendica Communications Server - Setup"] = "Friendica Comunicazione Server - Impostazioni"; -$a->strings["Could not connect to database."] = " Impossibile collegarsi con il database."; -$a->strings["Could not create table."] = "Impossibile creare le tabelle."; -$a->strings["Your Friendica site database has been installed."] = "Il tuo Friendica è stato installato."; -$a->strings["You may need to import the file \"database.sql\" manually using phpmyadmin or mysql."] = "Potresti dover importare il file \"database.sql\" manualmente con phpmyadmin o mysql"; -$a->strings["Please see the file \"INSTALL.txt\"."] = "Leggi il file \"INSTALL.txt\"."; -$a->strings["System check"] = "Controllo sistema"; -$a->strings["Check again"] = "Controlla ancora"; -$a->strings["Database connection"] = "Connessione al database"; -$a->strings["In order to install Friendica we need to know how to connect to your database."] = "Per installare Friendica dobbiamo sapere come collegarci al tuo database."; -$a->strings["Please contact your hosting provider or site administrator if you have questions about these settings."] = "Contatta il tuo fornitore di hosting o l'amministratore del sito se hai domande su queste impostazioni."; -$a->strings["The database you specify below should already exist. If it does not, please create it before continuing."] = "Il database dovrà già esistere. Se non esiste, crealo prima di continuare."; -$a->strings["Database Server Name"] = "Nome del database server"; -$a->strings["Database Login Name"] = "Nome utente database"; -$a->strings["Database Login Password"] = "Password utente database"; -$a->strings["Database Name"] = "Nome database"; -$a->strings["Site administrator email address"] = "Indirizzo email dell'amministratore del sito"; -$a->strings["Your account email address must match this in order to use the web admin panel."] = "Il tuo indirizzo email deve corrispondere a questo per poter usare il pannello di amministrazione web."; -$a->strings["Please select a default timezone for your website"] = "Seleziona il fuso orario predefinito per il tuo sito web"; -$a->strings["Site settings"] = "Impostazioni sito"; -$a->strings["Could not find a command line version of PHP in the web server PATH."] = "Non riesco a trovare la versione di PHP da riga di comando nel PATH del server web"; -$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 'Activating scheduled tasks'"] = "Se non hai una versione a linea di comando di PHP installata sul tuo server, non sarai in grado di avviare il processo di poll in background via cron. Vedi 'Activating scheduled tasks'"; -$a->strings["PHP executable path"] = "Percorso eseguibile PHP"; -$a->strings["Enter full path to php executable. You can leave this blank to continue the installation."] = "Inserisci il percorso completo all'eseguibile di php. Puoi lasciare bianco questo campo per continuare l'installazione."; -$a->strings["Command line PHP"] = "PHP da riga di comando"; -$a->strings["PHP executable is not the php cli binary (could be cgi-fgci version)"] = "L'eseguibile PHP non è il binario php cli (potrebbe essere la versione cgi-fcgi)"; -$a->strings["Found PHP version: "] = "Versione PHP:"; -$a->strings["PHP cli binary"] = "Binario PHP cli"; -$a->strings["The command line version of PHP on your system does not have \"register_argc_argv\" enabled."] = "La versione da riga di comando di PHP nel sistema non ha abilitato \"register_argc_argv\"."; -$a->strings["This is required for message delivery to work."] = "E' obbligatorio per far funzionare la consegna dei messaggi."; -$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"] = "Errore: la funzione \"openssl_pkey_new\" in questo sistema non è in grado di generare le chiavi di criptazione"; -$a->strings["If running under Windows, please see \"http://www.php.net/manual/en/openssl.installation.php\"."] = "Se stai eseguendo friendika su windows, guarda \"http://www.php.net/manual/en/openssl.installation.php\"."; -$a->strings["Generate encryption keys"] = "Genera chiavi di criptazione"; -$a->strings["libCurl PHP module"] = "modulo PHP libCurl"; -$a->strings["GD graphics PHP module"] = "modulo PHP GD graphics"; -$a->strings["OpenSSL PHP module"] = "modulo PHP OpenSSL"; -$a->strings["mysqli PHP module"] = "modulo PHP mysqli"; -$a->strings["mb_string PHP module"] = "modulo PHP mb_string"; -$a->strings["Apache mod_rewrite module"] = "Modulo mod_rewrite di Apache"; -$a->strings["Error: Apache webserver mod-rewrite module is required but not installed."] = "Errore: E' il modulo mod-rewrite di Apache è richiesto, ma non risulta installato"; -$a->strings["Error: libCURL PHP module required but not installed."] = "Errore: il modulo libCURL di PHP è richiesto, ma non risulta installato."; -$a->strings["Error: GD graphics PHP module with JPEG support required but not installed."] = "Errore: Il modulo GD graphics di PHP con supporto a JPEG è richiesto, ma non risulta installato."; -$a->strings["Error: openssl PHP module required but not installed."] = "Errore: il modulo openssl di PHP è richiesto, ma non risulta installato."; -$a->strings["Error: mysqli PHP module required but not installed."] = "Errore: il modulo mysqli di PHP è richiesto, ma non risulta installato"; -$a->strings["Error: mb_string PHP module required but not installed."] = "Errore: il modulo PHP mb_string è richiesto, ma non risulta installato."; -$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."] = "L'installazione web deve poter creare un file chiamato \".htconfig.php\" nella cartella principale del tuo web server ma non è in grado di farlo."; -$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."] = "Ciò è dovuto spesso a impostazioni di permessi, dato che il web server può non essere in grado di scrivere il file nella tua cartella, anche se tu puoi."; -$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."] = "Alla fine di questa procedura, di daremo un testo da salvare in un file chiamato .htconfig.php nella tua cartella principale di Friendica"; -$a->strings["You can alternatively skip this procedure and perform a manual installation. Please see the file \"INSTALL.txt\" for instructions."] = "Puoi in alternativa saltare questa procedura ed eseguire l'installazione manualmente. Vedi il file \"INSTALL.txt\" per le istruzioni."; -$a->strings[".htconfig.php is writable"] = ".htconfig.php è scrivibile"; -$a->strings["Friendica uses the Smarty3 template engine to render its web views. Smarty3 compiles templates to PHP to speed up rendering."] = "Friendica usa il motore di template Smarty3 per renderizzare le sue pagine web. Smarty3 compila i template in PHP per velocizzare il 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."] = "Per salvare questi template compilati, il server werb ha bisogno dell'accesso in scrittura alla cartella view/smarty3/ nella cartella principale dei Friendica."; -$a->strings["Please ensure that the user that your web server runs as (e.g. www-data) has write access to this folder."] = "Per favore, controlla che l'utente con cui il tuo server web gira (es www-data) ha accesso in scrittura a questa cartella."; -$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."] = "Nota: come misura di sicurezza, dovresti dare accesso in scrittura solo alla cartella view/smarty3, non ai template (.tpl) che contiene."; -$a->strings["view/smarty3 is writable"] = "view/smarty3 è scrivibile"; -$a->strings["Url rewrite in .htaccess is not working. Check your server configuration."] = "La riscrittura degli url in .htaccess non funziona. Controlla la configurazione del tuo server."; -$a->strings["Url rewrite is working"] = "La riscrittura degli url funziona"; -$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."] = "Il file di configurazione del database \".htconfig.php\" non può essere scritto. Usa il testo qui di seguito per creare un file di configurazione nella cartella principale del tuo sito."; -$a->strings["

    What next

    "] = "

    Cosa fare ora

    "; -$a->strings["IMPORTANT: You will need to [manually] setup a scheduled task for the poller."] = "IMPORTANTE: Devi impostare [manualmente] la pianificazione del poller."; -$a->strings["Group created."] = "Gruppo creato."; -$a->strings["Could not create group."] = "Impossibile creare il gruppo."; -$a->strings["Group not found."] = "Gruppo non trovato."; -$a->strings["Group name changed."] = "Il nome del gruppo è cambiato."; -$a->strings["Save Group"] = "Salva gruppo"; -$a->strings["Create a group of contacts/friends."] = "Crea un gruppo di amici/contatti."; -$a->strings["Group Name: "] = "Nome del gruppo:"; -$a->strings["Group removed."] = "Gruppo rimosso."; -$a->strings["Unable to remove group."] = "Impossibile rimuovere il gruppo."; -$a->strings["Group Editor"] = "Modifica gruppo"; -$a->strings["Members"] = "Membri"; -$a->strings["No such group"] = "Nessun gruppo"; -$a->strings["Group is empty"] = "Il gruppo è vuoto"; -$a->strings["Group: "] = "Gruppo: "; -$a->strings["View in context"] = "Vedi nel contesto"; +$a->strings["Poke/Prod"] = "Tocca/Pungola"; +$a->strings["poke, prod or do other things to somebody"] = "tocca, pungola o fai altre cose a qualcuno"; +$a->strings["Recipient"] = "Destinatario"; +$a->strings["Choose what you wish to do to recipient"] = "Scegli cosa vuoi fare al destinatario"; +$a->strings["Make this post private"] = "Rendi questo post privato"; +$a->strings["Total invitation limit exceeded."] = "Limite totale degli inviti superato."; +$a->strings["%s : Not a valid email address."] = "%s: non è un indirizzo email valido."; +$a->strings["Please join us on Friendica"] = "Unisiciti a noi su Friendica"; +$a->strings["Invitation limit exceeded. Please contact your site administrator."] = "Limite degli inviti superato. Contatta l'amministratore del tuo sito."; +$a->strings["%s : Message delivery failed."] = "%s: la consegna del messaggio fallita."; +$a->strings["%d message sent."] = array( + 0 => "%d messaggio inviato.", + 1 => "%d messaggi inviati.", +); +$a->strings["You have no more invitations available"] = "Non hai altri inviti disponibili"; +$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."] = "Visita %s per una lista di siti pubblici a cui puoi iscriverti. I membri Friendica su altri siti possono collegarsi uno con l'altro, come con membri di molti altri social network."; +$a->strings["To accept this invitation, please visit and register at %s or any other public Friendica website."] = "Per accettare questo invito, visita e resitrati su %s o su un'altro sito web Friendica aperto al pubblico."; +$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."] = "I siti Friendica son tutti collegati tra loro per creare una grossa rete sociale rispettosa della privacy, posseduta e controllata dai suoi membri. I siti Friendica possono anche collegarsi a molti altri social network tradizionali. Vai su %s per una lista di siti Friendica alternativi a cui puoi iscriverti."; +$a->strings["Our apologies. This system is not currently configured to connect with other public sites or invite members."] = "Ci scusiamo, questo sistema non è configurato per collegarsi con altri siti pubblici o per invitare membri."; +$a->strings["Send invitations"] = "Invia inviti"; +$a->strings["Enter email addresses, one per line:"] = "Inserisci gli indirizzi email, uno per riga:"; +$a->strings["You are cordially invited to join me and other close friends on Friendica - and help us to create a better social web."] = "Sei cordialmente invitato a unirti a me ed ad altri amici su Friendica, e ad aiutarci a creare una rete sociale migliore."; +$a->strings["You will need to supply this invitation code: \$invite_code"] = "Sarà necessario fornire questo codice invito: \$invite_code"; +$a->strings["Once you have registered, please connect with me via my profile page at:"] = "Una volta registrato, connettiti con me dal mio profilo:"; +$a->strings["For more information about the Friendica project and why we feel it is important, please visit http://friendica.com"] = "Per maggiori informazioni sul progetto Friendica e perchè pensiamo sia importante, visita http://friendica.com"; +$a->strings["Photo Albums"] = "Album foto"; +$a->strings["Contact Photos"] = "Foto dei contatti"; +$a->strings["Upload New Photos"] = "Carica nuove foto"; +$a->strings["Contact information unavailable"] = "I dati di questo contatto non sono disponibili"; +$a->strings["Album not found."] = "Album non trovato."; +$a->strings["Delete Album"] = "Rimuovi album"; +$a->strings["Do you really want to delete this photo album and all its photos?"] = "Vuoi davvero cancellare questo album e tutte le sue foto?"; +$a->strings["Delete Photo"] = "Rimuovi foto"; +$a->strings["Do you really want to delete this photo?"] = "Vuoi veramente cancellare questa foto?"; +$a->strings["%1\$s was tagged in %2\$s by %3\$s"] = "%1\$s è stato taggato in %2\$s da %3\$s"; +$a->strings["a photo"] = "una foto"; +$a->strings["Image exceeds size limit of "] = "L'immagine supera il limite di"; +$a->strings["Image file is empty."] = "Il file dell'immagine è vuoto."; +$a->strings["No photos selected"] = "Nessuna foto selezionata"; +$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "Hai usato %1$.2f MBytes su %2$.2f disponibili."; +$a->strings["Upload Photos"] = "Carica foto"; +$a->strings["New album name: "] = "Nome nuovo album: "; +$a->strings["or existing album name: "] = "o nome di un album esistente: "; +$a->strings["Do not show a status post for this upload"] = "Non creare un post per questo upload"; +$a->strings["Permissions"] = "Permessi"; +$a->strings["Private Photo"] = "Foto privata"; +$a->strings["Public Photo"] = "Foto pubblica"; +$a->strings["Edit Album"] = "Modifica album"; +$a->strings["Show Newest First"] = "Mostra nuove foto per prime"; +$a->strings["Show Oldest First"] = "Mostra vecchie foto per prime"; +$a->strings["View Photo"] = "Vedi foto"; +$a->strings["Permission denied. Access to this item may be restricted."] = "Permesso negato. L'accesso a questo elemento può essere limitato."; +$a->strings["Photo not available"] = "Foto non disponibile"; +$a->strings["View photo"] = "Vedi foto"; +$a->strings["Edit photo"] = "Modifica foto"; +$a->strings["Use as profile photo"] = "Usa come foto del profilo"; +$a->strings["View Full Size"] = "Vedi dimensione intera"; +$a->strings["Tags: "] = "Tag: "; +$a->strings["[Remove any tag]"] = "[Rimuovi tutti i tag]"; +$a->strings["Rotate CW (right)"] = "Ruota a destra"; +$a->strings["Rotate CCW (left)"] = "Ruota a sinistra"; +$a->strings["New album name"] = "Nuovo nome dell'album"; +$a->strings["Caption"] = "Titolo"; +$a->strings["Add a Tag"] = "Aggiungi tag"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "Esempio: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"; +$a->strings["Private photo"] = "Foto privata"; +$a->strings["Public photo"] = "Foto pubblica"; +$a->strings["Share"] = "Condividi"; +$a->strings["Recent Photos"] = "Foto recenti"; $a->strings["Account approved."] = "Account approvato."; $a->strings["Registration revoked for %s"] = "Registrazione revocata per %s"; $a->strings["Please login."] = "Accedi."; -$a->strings["Profile Match"] = "Profili corrispondenti"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "Nessuna parola chiave per l'abbinamento. Aggiungi parole chiave al tuo profilo predefinito."; -$a->strings["is interested in:"] = "è interessato a:"; -$a->strings["Unable to locate original post."] = "Impossibile trovare il messaggio originale."; -$a->strings["Empty post discarded."] = "Messaggio vuoto scartato."; -$a->strings["System error. Post not saved."] = "Errore di sistema. Messaggio non salvato."; -$a->strings["This message was sent to you by %s, a member of the Friendica social network."] = "Questo messaggio ti è stato inviato da %s, un membro del social network Friendica."; -$a->strings["You may visit them online at %s"] = "Puoi visitarli online su %s"; -$a->strings["Please contact the sender by replying to this post if you do not wish to receive these messages."] = "Contatta il mittente rispondendo a questo post se non vuoi ricevere questi messaggi."; -$a->strings["%s posted an update."] = "%s ha inviato un aggiornamento."; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s al momento è %2\$s"; -$a->strings["Mood"] = "Umore"; -$a->strings["Set your current mood and tell your friends"] = "Condividi il tuo umore con i tuoi amici"; -$a->strings["Search Results For:"] = "Cerca risultati per:"; -$a->strings["add"] = "aggiungi"; -$a->strings["Commented Order"] = "Ordina per commento"; -$a->strings["Sort by Comment Date"] = "Ordina per data commento"; -$a->strings["Posted Order"] = "Ordina per invio"; -$a->strings["Sort by Post Date"] = "Ordina per data messaggio"; -$a->strings["Posts that mention or involve you"] = "Messaggi che ti citano o coinvolgono"; -$a->strings["New"] = "Nuovo"; -$a->strings["Activity Stream - by date"] = "Activity Stream - per data"; -$a->strings["Shared Links"] = "Links condivisi"; -$a->strings["Interesting Links"] = "Link Interessanti"; -$a->strings["Starred"] = "Preferiti"; -$a->strings["Favourite Posts"] = "Messaggi preferiti"; -$a->strings["Warning: This group contains %s member from an insecure network."] = array( - 0 => "Attenzione: questo gruppo contiene %s membro da un network insicuro.", - 1 => "Attenzione: questo gruppo contiene %s membri da un network insicuro.", -); -$a->strings["Private messages to this group are at risk of public disclosure."] = "I messaggi privati su questo gruppo potrebbero risultare visibili anche pubblicamente."; -$a->strings["Contact: "] = "Contatto:"; -$a->strings["Private messages to this person are at risk of public disclosure."] = "I messaggi privati a questa persona potrebbero risultare visibili anche pubblicamente."; -$a->strings["Invalid contact."] = "Contatto non valido."; -$a->strings["Contact settings applied."] = "Contatto modificato."; -$a->strings["Contact update failed."] = "Le modifiche al contatto non sono state salvate."; -$a->strings["Repair Contact Settings"] = "Ripara il contatto"; -$a->strings["WARNING: This is highly advanced and if you enter incorrect information your communications with this contact may stop working."] = "ATTENZIONE: Queste sono impostazioni avanzate e se inserisci informazioni errate le tue comunicazioni con questo contatto potrebbero non funzionare più"; -$a->strings["Please use your browser 'Back' button now if you are uncertain what to do on this page."] = "Usa ora il tasto 'Indietro' del tuo browser se non sei sicuro di cosa fare in questa pagina."; -$a->strings["Return to contact editor"] = "Ritorna alla modifica contatto"; -$a->strings["Account Nickname"] = "Nome utente"; -$a->strings["@Tagname - overrides Name/Nickname"] = "@TagName - al posto del nome utente"; -$a->strings["Account URL"] = "URL dell'utente"; -$a->strings["Friend Request URL"] = "URL Richiesta Amicizia"; -$a->strings["Friend Confirm URL"] = "URL Conferma Amicizia"; -$a->strings["Notification Endpoint URL"] = "URL Notifiche"; -$a->strings["Poll/Feed URL"] = "URL Feed"; -$a->strings["New photo from this URL"] = "Nuova foto da questo URL"; -$a->strings["Remote Self"] = "Io remoto"; -$a->strings["Mirror postings from this contact"] = "Ripeti i messaggi di questo contatto"; -$a->strings["Mark this contact as remote_self, this will cause friendica to repost new entries from this contact."] = "Imposta questo contatto come 'io remoto', questo farà si che friendica reinvii i nuovi messaggi da questo contatto."; -$a->strings["No mirroring"] = "Non duplicare"; -$a->strings["Mirror as forwarded posting"] = "Duplica come messaggi ricondivisi"; -$a->strings["Mirror as my own posting"] = "Duplica come miei messaggi"; -$a->strings["Your posts and conversations"] = "I tuoi messaggi e le tue conversazioni"; -$a->strings["Your profile page"] = "Pagina del tuo profilo"; -$a->strings["Your contacts"] = "I tuoi contatti"; -$a->strings["Your photos"] = "Le tue foto"; -$a->strings["Your events"] = "I tuoi eventi"; -$a->strings["Personal notes"] = "Note personali"; -$a->strings["Your personal photos"] = "Le tue foto personali"; -$a->strings["Community Pages"] = "Pagine Comunitarie"; -$a->strings["Community Profiles"] = "Profili Comunità"; -$a->strings["Last users"] = "Ultimi utenti"; -$a->strings["Last likes"] = "Ultimi \"mi piace\""; -$a->strings["event"] = "l'evento"; -$a->strings["Last photos"] = "Ultime foto"; -$a->strings["Find Friends"] = "Trova Amici"; -$a->strings["Local Directory"] = "Elenco Locale"; -$a->strings["Similar Interests"] = "Interessi simili"; -$a->strings["Invite Friends"] = "Invita amici"; -$a->strings["Earth Layers"] = "Earth Layers"; -$a->strings["Set zoomfactor for Earth Layers"] = "Livello di zoom per Earth Layers"; -$a->strings["Set longitude (X) for Earth Layers"] = "Longitudine (X) per Earth Layers"; -$a->strings["Set latitude (Y) for Earth Layers"] = "Latitudine (Y) per Earth Layers"; -$a->strings["Help or @NewHere ?"] = "Serve aiuto? Sei nuovo?"; -$a->strings["Connect Services"] = "Servizi di conessione"; -$a->strings["don't show"] = "non mostrare"; -$a->strings["show"] = "mostra"; -$a->strings["Show/hide boxes at right-hand column:"] = "Mostra/Nascondi riquadri nella colonna destra"; -$a->strings["Theme settings"] = "Impostazioni tema"; -$a->strings["Set font-size for posts and comments"] = "Dimensione del carattere di messaggi e commenti"; -$a->strings["Set line-height for posts and comments"] = "Altezza della linea di testo di messaggi e commenti"; -$a->strings["Set resolution for middle column"] = "Imposta la dimensione della colonna centrale"; -$a->strings["Set color scheme"] = "Imposta lo schema dei colori"; -$a->strings["Set zoomfactor for Earth Layer"] = "Livello di zoom per Earth Layer"; -$a->strings["Set style"] = "Imposta stile"; -$a->strings["Set colour scheme"] = "Imposta schema colori"; -$a->strings["default"] = "default"; -$a->strings["greenzero"] = ""; -$a->strings["purplezero"] = ""; -$a->strings["easterbunny"] = ""; -$a->strings["darkzero"] = ""; -$a->strings["comix"] = ""; -$a->strings["slackr"] = ""; -$a->strings["Variations"] = ""; -$a->strings["Alignment"] = "Allineamento"; -$a->strings["Left"] = "Sinistra"; -$a->strings["Center"] = "Centrato"; -$a->strings["Color scheme"] = "Schema colori"; -$a->strings["Posts font size"] = "Dimensione caratteri post"; -$a->strings["Textareas font size"] = "Dimensione caratteri nelle aree di testo"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "Dimensione immagini in messaggi e commenti (larghezza e altezza)"; -$a->strings["Set theme width"] = "Imposta la larghezza del tema"; +$a->strings["Move account"] = "Muovi account"; +$a->strings["You can import an account from another Friendica server."] = "Puoi importare un account da un altro 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."] = "Devi esportare il tuo account dal vecchio server e caricarlo qui. Noi ricreeremo il tuo vecchio account qui, con tutti i tuoi contatti. Proveremo anche a informare i tuoi amici che ti sei spostato qui."; +$a->strings["This feature is experimental. We can't import contacts from the OStatus network (statusnet/identi.ca) or from Diaspora"] = "Questa funzione è sperimentale. Non possiamo importare i contatti dalla rete OStatus (status.net/identi.ca) o da Diaspora"; +$a->strings["Account file"] = "File account"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "Per esportare il tuo account, vai su \"Impostazioni -> Esporta i tuoi dati personali\" e seleziona \"Esporta account\""; +$a->strings["Item not available."] = "Oggetto non disponibile."; +$a->strings["Item was not found."] = "Oggetto non trovato."; $a->strings["Delete this item?"] = "Cancellare questo elemento?"; $a->strings["show fewer"] = "mostra di meno"; $a->strings["Update %s failed. See error logs."] = "aggiornamento %s fallito. Guarda i log di errore."; $a->strings["Create a New Account"] = "Crea un nuovo account"; $a->strings["Logout"] = "Esci"; -$a->strings["Login"] = "Accedi"; $a->strings["Nickname or Email address: "] = "Nome utente o indirizzo email: "; $a->strings["Password: "] = "Password: "; $a->strings["Remember me"] = "Ricordati di me"; @@ -1311,6 +1279,40 @@ $a->strings["Profile Details"] = "Dettagli del profilo"; $a->strings["Videos"] = "Video"; $a->strings["Events and Calendar"] = "Eventi e calendario"; $a->strings["Only You Can See This"] = "Solo tu puoi vedere questo"; +$a->strings["This entry was edited"] = "Questa voce è stata modificata"; +$a->strings["ignore thread"] = "ignora la discussione"; +$a->strings["unignore thread"] = "non ignorare la discussione"; +$a->strings["toggle ignore status"] = "inverti stato \"Ignora\""; +$a->strings["ignored"] = "ignorato"; +$a->strings["Categories:"] = "Categorie:"; +$a->strings["Filed under:"] = "Archiviato in:"; +$a->strings["via"] = "via"; +$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."] = "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido."; +$a->strings["The error message is\n[pre]%s[/pre]"] = "Il messaggio di errore è\n[pre]%s[/pre]"; +$a->strings["Errors encountered creating database tables."] = "La creazione delle tabelle del database ha generato errori."; +$a->strings["Errors encountered performing database changes."] = "Riscontrati errori applicando le modifiche al database."; +$a->strings["Logged out."] = "Uscita effettuata."; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto."; +$a->strings["The error message was:"] = "Il messaggio riportato era:"; +$a->strings["Add New Contact"] = "Aggiungi nuovo contatto"; +$a->strings["Enter address or web location"] = "Inserisci posizione o indirizzo web"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esempio: bob@example.com, http://example.com/barbara"; +$a->strings["%d invitation available"] = array( + 0 => "%d invito disponibile", + 1 => "%d inviti disponibili", +); +$a->strings["Find People"] = "Trova persone"; +$a->strings["Enter name or interest"] = "Inserisci un nome o un interesse"; +$a->strings["Connect/Follow"] = "Connetti/segui"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esempi: Mario Rossi, Pesca"; +$a->strings["Similar Interests"] = "Interessi simili"; +$a->strings["Random Profile"] = "Profilo causale"; +$a->strings["Invite Friends"] = "Invita amici"; +$a->strings["Networks"] = "Reti"; +$a->strings["All Networks"] = "Tutte le Reti"; +$a->strings["Saved Folders"] = "Cartelle Salvate"; +$a->strings["Everything"] = "Tutto"; +$a->strings["Categories"] = "Categorie"; $a->strings["General Features"] = "Funzionalità generali"; $a->strings["Multiple Profiles"] = "Profili multipli"; $a->strings["Ability to create multiple profiles"] = "Possibilità di creare profili multipli"; @@ -1345,7 +1347,6 @@ $a->strings["Tagging"] = "Aggiunta tag"; $a->strings["Ability to tag existing posts"] = "Permette di aggiungere tag ai post già esistenti"; $a->strings["Post Categories"] = "Cateorie post"; $a->strings["Add categories to your posts"] = "Aggiungi categorie ai tuoi post"; -$a->strings["Saved Folders"] = "Cartelle Salvate"; $a->strings["Ability to file posts under folders"] = "Permette di archiviare i post in cartelle"; $a->strings["Dislike Posts"] = "Non mi piace"; $a->strings["Ability to dislike posts/comments"] = "Permetti di inviare \"non mi piace\" ai messaggi"; @@ -1353,29 +1354,91 @@ $a->strings["Star Posts"] = "Post preferiti"; $a->strings["Ability to mark special posts with a star indicator"] = "Permette di segnare i post preferiti con una stella"; $a->strings["Mute Post Notifications"] = "Silenzia le notifiche di nuovi post"; $a->strings["Ability to mute notifications for a thread"] = "Permette di silenziare le notifiche di nuovi post in una discussione"; -$a->strings["Logged out."] = "Uscita effettuata."; -$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "Abbiamo incontrato un problema mentre contattavamo il server OpenID che ci hai fornito. Controlla di averlo scritto giusto."; -$a->strings["The error message was:"] = "Il messaggio riportato era:"; -$a->strings["Starts:"] = "Inizia:"; -$a->strings["Finishes:"] = "Finisce:"; -$a->strings["j F, Y"] = "j F Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "Compleanno:"; -$a->strings["Age:"] = "Età:"; -$a->strings["for %1\$d %2\$s"] = "per %1\$d %2\$s"; -$a->strings["Tags:"] = "Tag:"; -$a->strings["Religion:"] = "Religione:"; -$a->strings["Hobbies/Interests:"] = "Hobby/Interessi:"; -$a->strings["Contact information and Social Networks:"] = "Informazioni su contatti e social network:"; -$a->strings["Musical interests:"] = "Interessi musicali:"; -$a->strings["Books, literature:"] = "Libri, letteratura:"; -$a->strings["Television:"] = "Televisione:"; -$a->strings["Film/dance/culture/entertainment:"] = "Film/danza/cultura/intrattenimento:"; -$a->strings["Love/Romance:"] = "Amore:"; -$a->strings["Work/employment:"] = "Lavoro:"; -$a->strings["School/education:"] = "Scuola:"; +$a->strings["Connect URL missing."] = "URL di connessione mancante."; +$a->strings["This site is not configured to allow communications with other networks."] = "Questo sito non è configurato per permettere la comunicazione con altri network."; +$a->strings["No compatible communication protocols or feeds were discovered."] = "Non sono stati trovati protocolli di comunicazione o feed compatibili."; +$a->strings["The profile address specified does not provide adequate information."] = "L'indirizzo del profilo specificato non fornisce adeguate informazioni."; +$a->strings["An author or name was not found."] = "Non è stato trovato un nome o un autore"; +$a->strings["No browser URL could be matched to this address."] = "Nessun URL puo' essere associato a questo indirizzo."; +$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email."; +$a->strings["Use mailto: in front of address to force email check."] = "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email."; +$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito."; +$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te."; +$a->strings["Unable to retrieve contact information."] = "Impossibile recuperare informazioni sul contatto."; +$a->strings["following"] = "segue"; +$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."] = "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso."; +$a->strings["Default privacy group for new contacts"] = "Gruppo predefinito per i nuovi contatti"; +$a->strings["Everybody"] = "Tutti"; +$a->strings["edit"] = "modifica"; +$a->strings["Edit group"] = "Modifica gruppo"; +$a->strings["Create a new group"] = "Crea un nuovo gruppo"; +$a->strings["Contacts not in any group"] = "Contatti in nessun gruppo."; +$a->strings["Miscellaneous"] = "Varie"; +$a->strings["year"] = "anno"; +$a->strings["month"] = "mese"; +$a->strings["day"] = "giorno"; +$a->strings["never"] = "mai"; +$a->strings["less than a second ago"] = "meno di un secondo fa"; +$a->strings["years"] = "anni"; +$a->strings["months"] = "mesi"; +$a->strings["week"] = "settimana"; +$a->strings["weeks"] = "settimane"; +$a->strings["days"] = "giorni"; +$a->strings["hour"] = "ora"; +$a->strings["hours"] = "ore"; +$a->strings["minute"] = "minuto"; +$a->strings["minutes"] = "minuti"; +$a->strings["second"] = "secondo"; +$a->strings["seconds"] = "secondi"; +$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; +$a->strings["%s's birthday"] = "Compleanno di %s"; +$a->strings["Happy Birthday %s"] = "Buon compleanno %s"; +$a->strings["Visible to everybody"] = "Visibile a tutti"; +$a->strings["show"] = "mostra"; +$a->strings["don't show"] = "non mostrare"; $a->strings["[no subject]"] = "[nessun oggetto]"; -$a->strings[" on Last.fm"] = "su Last.fm"; +$a->strings["stopped following"] = "tolto dai seguiti"; +$a->strings["Poke"] = "Stuzzica"; +$a->strings["View Status"] = "Visualizza stato"; +$a->strings["View Profile"] = "Visualizza profilo"; +$a->strings["View Photos"] = "Visualizza foto"; +$a->strings["Network Posts"] = "Post della Rete"; +$a->strings["Edit Contact"] = "Modifica contatti"; +$a->strings["Drop Contact"] = "Rimuovi contatto"; +$a->strings["Send PM"] = "Invia messaggio privato"; +$a->strings["Welcome "] = "Ciao"; +$a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; +$a->strings["Welcome back "] = "Ciao "; +$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."] = "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla."; +$a->strings["event"] = "l'evento"; +$a->strings["%1\$s poked %2\$s"] = "%1\$s ha stuzzicato %2\$s"; +$a->strings["poked"] = "ha stuzzicato"; +$a->strings["post/item"] = "post/elemento"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s ha segnato il/la %3\$s di %2\$s come preferito"; +$a->strings["remove"] = "rimuovi"; +$a->strings["Delete Selected Items"] = "Cancella elementi selezionati"; +$a->strings["Follow Thread"] = "Segui la discussione"; +$a->strings["%s likes this."] = "Piace a %s."; +$a->strings["%s doesn't like this."] = "Non piace a %s."; +$a->strings["%2\$d people like this"] = "Piace a %2\$d persone."; +$a->strings["%2\$d people don't like this"] = "Non piace a %2\$d persone."; +$a->strings["and"] = "e"; +$a->strings[", and %d other people"] = "e altre %d persone"; +$a->strings["%s like this."] = "Piace a %s."; +$a->strings["%s don't like this."] = "Non piace a %s."; +$a->strings["Visible to everybody"] = "Visibile a tutti"; +$a->strings["Please enter a video link/URL:"] = "Inserisci un collegamento video / URL:"; +$a->strings["Please enter an audio link/URL:"] = "Inserisci un collegamento audio / URL:"; +$a->strings["Tag term:"] = "Tag:"; +$a->strings["Where are you right now?"] = "Dove sei ora?"; +$a->strings["Delete item(s)?"] = "Cancellare questo elemento/i?"; +$a->strings["Post to Email"] = "Invia a email"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connettore disabilitato, dato che \"%s\" è abilitato."; +$a->strings["permissions"] = "permessi"; +$a->strings["Post to Groups"] = "Invia ai Gruppi"; +$a->strings["Post to Contacts"] = "Invia ai Contatti"; +$a->strings["Private post"] = "Post privato"; +$a->strings["view full size"] = "vedi a schermo intero"; $a->strings["newer"] = "nuovi"; $a->strings["older"] = "vecchi"; $a->strings["prev"] = "prec"; @@ -1388,17 +1451,16 @@ $a->strings["%d Contact"] = array( 1 => "%d contatti", ); $a->strings["poke"] = "stuzzica"; -$a->strings["poked"] = "toccato"; $a->strings["ping"] = "invia un ping"; -$a->strings["pinged"] = "inviato un ping"; +$a->strings["pinged"] = "ha inviato un ping"; $a->strings["prod"] = "pungola"; -$a->strings["prodded"] = "pungolato"; +$a->strings["prodded"] = "ha pungolato"; $a->strings["slap"] = "schiaffeggia"; -$a->strings["slapped"] = "schiaffeggiato"; +$a->strings["slapped"] = "ha schiaffeggiato"; $a->strings["finger"] = "tocca"; -$a->strings["fingered"] = "toccato"; +$a->strings["fingered"] = "ha toccato"; $a->strings["rebuff"] = "respingi"; -$a->strings["rebuffed"] = "respinto"; +$a->strings["rebuffed"] = "ha respinto"; $a->strings["happy"] = "felice"; $a->strings["sad"] = "triste"; $a->strings["mellow"] = "rilassato"; @@ -1440,38 +1502,132 @@ $a->strings["November"] = "Novembre"; $a->strings["December"] = "Dicembre"; $a->strings["bytes"] = "bytes"; $a->strings["Click to open/close"] = "Clicca per aprire/chiudere"; +$a->strings["default"] = "default"; $a->strings["Select an alternate language"] = "Seleziona una diversa lingua"; $a->strings["activity"] = "attività"; $a->strings["post"] = "messaggio"; $a->strings["Item filed"] = "Messaggio salvato"; -$a->strings["User not found."] = "Utente non trovato."; -$a->strings["There is no status with this id."] = "Non c'è nessuno status con questo id."; -$a->strings["There is no conversation with this id."] = "Non c'è nessuna conversazione con questo id"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "Non trovo le informazioni DNS per il database server '%s'"; -$a->strings["%s's birthday"] = "Compleanno di %s"; -$a->strings["Happy Birthday %s"] = "Buon compleanno %s"; -$a->strings["Do you really want to delete this item?"] = "Vuoi veramente cancellare questo elemento?"; -$a->strings["Archives"] = "Archivi"; +$a->strings["Image/photo"] = "Immagine/foto"; +$a->strings["%2\$s %3\$s"] = ""; +$a->strings["%s wrote the following post"] = "%s ha scritto il seguente messaggio"; +$a->strings["$1 wrote:"] = "$1 ha scritto:"; +$a->strings["Encrypted content"] = "Contenuto criptato"; $a->strings["(no subject)"] = "(nessun oggetto)"; $a->strings["noreply"] = "nessuna risposta"; +$a->strings["Cannot locate DNS info for database server '%s'"] = "Non trovo le informazioni DNS per il database server '%s'"; +$a->strings["Unknown | Not categorised"] = "Sconosciuto | non categorizzato"; +$a->strings["Block immediately"] = "Blocca immediatamente"; +$a->strings["Shady, spammer, self-marketer"] = "Shady, spammer, self-marketer"; +$a->strings["Known to me, but no opinion"] = "Lo conosco, ma non ho un'opinione particolare"; +$a->strings["OK, probably harmless"] = "E' ok, probabilmente innocuo"; +$a->strings["Reputable, has my trust"] = "Rispettabile, ha la mia fiducia"; +$a->strings["Weekly"] = "Settimanalmente"; +$a->strings["Monthly"] = "Mensilmente"; +$a->strings["OStatus"] = "Ostatus"; +$a->strings["RSS/Atom"] = "RSS / Atom"; +$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"] = "Connettore Diaspora"; +$a->strings["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = "App.net"; +$a->strings[" on Last.fm"] = "su Last.fm"; +$a->strings["Starts:"] = "Inizia:"; +$a->strings["Finishes:"] = "Finisce:"; +$a->strings["j F, Y"] = "j F Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "Compleanno:"; +$a->strings["Age:"] = "Età:"; +$a->strings["for %1\$d %2\$s"] = "per %1\$d %2\$s"; +$a->strings["Tags:"] = "Tag:"; +$a->strings["Religion:"] = "Religione:"; +$a->strings["Hobbies/Interests:"] = "Hobby/Interessi:"; +$a->strings["Contact information and Social Networks:"] = "Informazioni su contatti e social network:"; +$a->strings["Musical interests:"] = "Interessi musicali:"; +$a->strings["Books, literature:"] = "Libri, letteratura:"; +$a->strings["Television:"] = "Televisione:"; +$a->strings["Film/dance/culture/entertainment:"] = "Film/danza/cultura/intrattenimento:"; +$a->strings["Love/Romance:"] = "Amore:"; +$a->strings["Work/employment:"] = "Lavoro:"; +$a->strings["School/education:"] = "Scuola:"; +$a->strings["Click here to upgrade."] = "Clicca qui per aggiornare."; +$a->strings["This action exceeds the limits set by your subscription plan."] = "Questa azione eccede i limiti del tuo piano di sottoscrizione."; +$a->strings["This action is not available under your subscription plan."] = "Questa azione non è disponibile nel tuo piano di sottoscrizione."; +$a->strings["End this session"] = "Finisci questa sessione"; +$a->strings["Your posts and conversations"] = "I tuoi messaggi e le tue conversazioni"; +$a->strings["Your profile page"] = "Pagina del tuo profilo"; +$a->strings["Your photos"] = "Le tue foto"; +$a->strings["Your videos"] = "I tuoi video"; +$a->strings["Your events"] = "I tuoi eventi"; +$a->strings["Personal notes"] = "Note personali"; +$a->strings["Your personal notes"] = "Le tue note personali"; +$a->strings["Sign in"] = "Entra"; +$a->strings["Home Page"] = "Home Page"; +$a->strings["Create an account"] = "Crea un account"; +$a->strings["Help and documentation"] = "Guida e documentazione"; +$a->strings["Apps"] = "Applicazioni"; +$a->strings["Addon applications, utilities, games"] = "Applicazioni, utilità e giochi aggiuntivi"; +$a->strings["Search site content"] = "Cerca nel contenuto del sito"; +$a->strings["Conversations on this site"] = "Conversazioni su questo sito"; +$a->strings["Conversations on the network"] = ""; +$a->strings["Directory"] = "Elenco"; +$a->strings["People directory"] = "Elenco delle persone"; +$a->strings["Information"] = "Informazioni"; +$a->strings["Information about this friendica instance"] = "Informazioni su questo server friendica"; +$a->strings["Conversations from your friends"] = "Conversazioni dai tuoi amici"; +$a->strings["Network Reset"] = "Reset pagina Rete"; +$a->strings["Load Network page with no filters"] = "Carica la pagina Rete senza nessun filtro"; +$a->strings["Friend Requests"] = "Richieste di amicizia"; +$a->strings["See all notifications"] = "Vedi tutte le notifiche"; +$a->strings["Mark all system notifications seen"] = "Segna tutte le notifiche come viste"; +$a->strings["Private mail"] = "Posta privata"; +$a->strings["Inbox"] = "In arrivo"; +$a->strings["Outbox"] = "Inviati"; +$a->strings["Manage"] = "Gestisci"; +$a->strings["Manage other pages"] = "Gestisci altre pagine"; +$a->strings["Account settings"] = "Parametri account"; +$a->strings["Manage/Edit Profiles"] = "Gestisci/Modifica i profili"; +$a->strings["Manage/edit friends and contacts"] = "Gestisci/modifica amici e contatti"; +$a->strings["Site setup and configuration"] = "Configurazione del sito"; +$a->strings["Navigation"] = "Navigazione"; +$a->strings["Site map"] = "Mappa del sito"; +$a->strings["User not found."] = "Utente non trovato."; +$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["There is no status with this id."] = "Non c'è nessuno status con questo id."; +$a->strings["There is no conversation with this id."] = "Non c'è nessuna conversazione con questo id"; +$a->strings["Invalid request."] = ""; +$a->strings["Invalid item."] = ""; +$a->strings["Invalid action. "] = ""; +$a->strings["DB error"] = ""; +$a->strings["An invitation is required."] = "E' richiesto un invito."; +$a->strings["Invitation could not be verified."] = "L'invito non puo' essere verificato."; +$a->strings["Invalid OpenID url"] = "Url OpenID non valido"; +$a->strings["Please enter the required information."] = "Inserisci le informazioni richieste."; +$a->strings["Please use a shorter name."] = "Usa un nome più corto."; +$a->strings["Name too short."] = "Il nome è troppo corto."; +$a->strings["That doesn't appear to be your full (First Last) name."] = "Questo non sembra essere il tuo nome completo (Nome Cognome)."; +$a->strings["Your email domain is not among those allowed on this site."] = "Il dominio della tua email non è tra quelli autorizzati su questo sito."; +$a->strings["Not a valid email address."] = "L'indirizzo email non è valido."; +$a->strings["Cannot use that email."] = "Non puoi usare quell'email."; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera."; +$a->strings["Nickname is already registered. Please choose another."] = "Nome utente già registrato. Scegline un altro."; +$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo."; +$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita."; +$a->strings["An error occurred during registration. Please try again."] = "C'è stato un errore durante la registrazione. Prova ancora."; +$a->strings["An error occurred creating your default profile. Please try again."] = "C'è stato un errore nella creazione del tuo profilo. Prova ancora."; +$a->strings["Friends"] = "Amici"; +$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nGentile %1\$s,\nGrazie per esserti registrato su %2\$s. Il tuo account è stato creato."; +$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["Sharing notification from Diaspora network"] = "Notifica di condivisione dal network Diaspora*"; $a->strings["Attachments:"] = "Allegati:"; -$a->strings["Connect URL missing."] = "URL di connessione mancante."; -$a->strings["This site is not configured to allow communications with other networks."] = "Questo sito non è configurato per permettere la comunicazione con altri network."; -$a->strings["No compatible communication protocols or feeds were discovered."] = "Non sono stati trovati protocolli di comunicazione o feed compatibili."; -$a->strings["The profile address specified does not provide adequate information."] = "L'indirizzo del profilo specificato non fornisce adeguate informazioni."; -$a->strings["An author or name was not found."] = "Non è stato trovato un nome o un autore"; -$a->strings["No browser URL could be matched to this address."] = "Nessun URL puo' essere associato a questo indirizzo."; -$a->strings["Unable to match @-style Identity Address with a known protocol or email contact."] = "Impossibile l'indirizzo identità con un protocollo conosciuto o con un contatto email."; -$a->strings["Use mailto: in front of address to force email check."] = "Usa \"mailto:\" davanti all'indirizzo per forzare un controllo nelle email."; -$a->strings["The profile address specified belongs to a network which has been disabled on this site."] = "L'indirizzo del profilo specificato appartiene a un network che è stato disabilitato su questo sito."; -$a->strings["Limited profile. This person will be unable to receive direct/personal notifications from you."] = "Profilo limitato. Questa persona non sarà in grado di ricevere notifiche personali da te."; -$a->strings["Unable to retrieve contact information."] = "Impossibile recuperare informazioni sul contatto."; -$a->strings["following"] = "segue"; -$a->strings["Welcome "] = "Ciao"; -$a->strings["Please upload a profile photo."] = "Carica una foto per il profilo."; -$a->strings["Welcome back "] = "Ciao "; -$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."] = "Il token di sicurezza della form non era corretto. Probabilmente la form è rimasta aperta troppo a lunto (più di tre ore) prima di inviarla."; +$a->strings["Do you really want to delete this item?"] = "Vuoi veramente cancellare questo elemento?"; +$a->strings["Archives"] = "Archivi"; $a->strings["Male"] = "Maschio"; $a->strings["Female"] = "Femmina"; $a->strings["Currently Male"] = "Al momento maschio"; @@ -1508,7 +1664,6 @@ $a->strings["Infatuated"] = "infatuato/a"; $a->strings["Dating"] = "Disponibile a un incontro"; $a->strings["Unfaithful"] = "Infedele"; $a->strings["Sex Addict"] = "Sesso-dipendente"; -$a->strings["Friends"] = "Amici"; $a->strings["Friends/Benefits"] = "Amici con benefici"; $a->strings["Casual"] = "Casual"; $a->strings["Engaged"] = "Impegnato"; @@ -1530,121 +1685,6 @@ $a->strings["Uncertain"] = "Incerto"; $a->strings["It's complicated"] = "E' complicato"; $a->strings["Don't care"] = "Non interessa"; $a->strings["Ask me"] = "Chiedimelo"; -$a->strings["Error decoding account file"] = "Errore decodificando il file account"; -$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?"; -$a->strings["Error! Cannot check nickname"] = "Errore! Non posso controllare il nickname"; -$a->strings["User '%s' already exists on this server!"] = "L'utente '%s' esiste già su questo server!"; -$a->strings["User creation error"] = "Errore creando l'utente"; -$a->strings["User profile creation error"] = "Errore creando il profile dell'utente"; -$a->strings["%d contact not imported"] = array( - 0 => "%d contatto non importato", - 1 => "%d contatti non importati", -); -$a->strings["Done. You can now login with your username and password"] = "Fatto. Ora puoi entrare con il tuo nome utente e la tua password"; -$a->strings["Click here to upgrade."] = "Clicca qui per aggiornare."; -$a->strings["This action exceeds the limits set by your subscription plan."] = "Questa azione eccede i limiti del tuo piano di sottoscrizione."; -$a->strings["This action is not available under your subscription plan."] = "Questa azione non è disponibile nel tuo piano di sottoscrizione."; -$a->strings["%1\$s poked %2\$s"] = "%1\$s ha stuzzicato %2\$s"; -$a->strings["post/item"] = "post/elemento"; -$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s ha segnato il/la %3\$s di %2\$s come preferito"; -$a->strings["remove"] = "rimuovi"; -$a->strings["Delete Selected Items"] = "Cancella elementi selezionati"; -$a->strings["Follow Thread"] = "Segui la discussione"; -$a->strings["View Status"] = "Visualizza stato"; -$a->strings["View Profile"] = "Visualizza profilo"; -$a->strings["View Photos"] = "Visualizza foto"; -$a->strings["Network Posts"] = "Post della Rete"; -$a->strings["Edit Contact"] = "Modifica contatti"; -$a->strings["Send PM"] = "Invia messaggio privato"; -$a->strings["Poke"] = "Stuzzica"; -$a->strings["%s likes this."] = "Piace a %s."; -$a->strings["%s doesn't like this."] = "Non piace a %s."; -$a->strings["%2\$d people like this"] = "Piace a %2\$d persone."; -$a->strings["%2\$d people don't like this"] = "Non piace a %2\$d persone."; -$a->strings["and"] = "e"; -$a->strings[", and %d other people"] = "e altre %d persone"; -$a->strings["%s like this."] = "Piace a %s."; -$a->strings["%s don't like this."] = "Non piace a %s."; -$a->strings["Visible to everybody"] = "Visibile a tutti"; -$a->strings["Please enter a video link/URL:"] = "Inserisci un collegamento video / URL:"; -$a->strings["Please enter an audio link/URL:"] = "Inserisci un collegamento audio / URL:"; -$a->strings["Tag term:"] = "Tag:"; -$a->strings["Where are you right now?"] = "Dove sei ora?"; -$a->strings["Delete item(s)?"] = "Cancellare questo elemento/i?"; -$a->strings["Post to Email"] = "Invia a email"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = "Connettore disabilitato, dato che \"%s\" è abilitato."; -$a->strings["permissions"] = "permessi"; -$a->strings["Post to Groups"] = "Invia ai Gruppi"; -$a->strings["Post to Contacts"] = "Invia ai Contatti"; -$a->strings["Private post"] = "Post privato"; -$a->strings["Add New Contact"] = "Aggiungi nuovo contatto"; -$a->strings["Enter address or web location"] = "Inserisci posizione o indirizzo web"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "Esempio: bob@example.com, http://example.com/barbara"; -$a->strings["%d invitation available"] = array( - 0 => "%d invito disponibile", - 1 => "%d inviti disponibili", -); -$a->strings["Find People"] = "Trova persone"; -$a->strings["Enter name or interest"] = "Inserisci un nome o un interesse"; -$a->strings["Connect/Follow"] = "Connetti/segui"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "Esempi: Mario Rossi, Pesca"; -$a->strings["Random Profile"] = "Profilo causale"; -$a->strings["Networks"] = "Reti"; -$a->strings["All Networks"] = "Tutte le Reti"; -$a->strings["Everything"] = "Tutto"; -$a->strings["Categories"] = "Categorie"; -$a->strings["End this session"] = "Finisci questa sessione"; -$a->strings["Your videos"] = "I tuoi video"; -$a->strings["Your personal notes"] = "Le tue note personali"; -$a->strings["Sign in"] = "Entra"; -$a->strings["Home Page"] = "Home Page"; -$a->strings["Create an account"] = "Crea un account"; -$a->strings["Help and documentation"] = "Guida e documentazione"; -$a->strings["Apps"] = "Applicazioni"; -$a->strings["Addon applications, utilities, games"] = "Applicazioni, utilità e giochi aggiuntivi"; -$a->strings["Search site content"] = "Cerca nel contenuto del sito"; -$a->strings["Conversations on this site"] = "Conversazioni su questo sito"; -$a->strings["Directory"] = "Elenco"; -$a->strings["People directory"] = "Elenco delle persone"; -$a->strings["Information"] = "Informazioni"; -$a->strings["Information about this friendica instance"] = "Informazioni su questo server friendica"; -$a->strings["Conversations from your friends"] = "Conversazioni dai tuoi amici"; -$a->strings["Network Reset"] = "Reset pagina Rete"; -$a->strings["Load Network page with no filters"] = "Carica la pagina Rete senza nessun filtro"; -$a->strings["Friend Requests"] = "Richieste di amicizia"; -$a->strings["See all notifications"] = "Vedi tutte le notifiche"; -$a->strings["Mark all system notifications seen"] = "Segna tutte le notifiche come viste"; -$a->strings["Private mail"] = "Posta privata"; -$a->strings["Inbox"] = "In arrivo"; -$a->strings["Outbox"] = "Inviati"; -$a->strings["Manage"] = "Gestisci"; -$a->strings["Manage other pages"] = "Gestisci altre pagine"; -$a->strings["Account settings"] = "Parametri account"; -$a->strings["Manage/Edit Profiles"] = "Gestisci/Modifica i profili"; -$a->strings["Manage/edit friends and contacts"] = "Gestisci/modifica amici e contatti"; -$a->strings["Site setup and configuration"] = "Configurazione del sito"; -$a->strings["Navigation"] = "Navigazione"; -$a->strings["Site map"] = "Mappa del sito"; -$a->strings["Unknown | Not categorised"] = "Sconosciuto | non categorizzato"; -$a->strings["Block immediately"] = "Blocca immediatamente"; -$a->strings["Shady, spammer, self-marketer"] = "Shady, spammer, self-marketer"; -$a->strings["Known to me, but no opinion"] = "Lo conosco, ma non ho un'opinione particolare"; -$a->strings["OK, probably harmless"] = "E' ok, probabilmente innocuo"; -$a->strings["Reputable, has my trust"] = "Rispettabile, ha la mia fiducia"; -$a->strings["Weekly"] = "Settimanalmente"; -$a->strings["Monthly"] = "Mensilmente"; -$a->strings["OStatus"] = "Ostatus"; -$a->strings["RSS/Atom"] = "RSS / Atom"; -$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"] = "Connettore Diaspora"; -$a->strings["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = "App.net"; $a->strings["Friendica Notification"] = "Notifica Friendica"; $a->strings["Thank You,"] = "Grazie,"; $a->strings["%s Administrator"] = "Amministratore %s"; @@ -1702,61 +1742,56 @@ $a->strings["You've received a registration request from '%1\$s' at %2\$s"] = "H $a->strings["You've received a [url=%1\$s]registration request[/url] from %2\$s."] = "Hai ricevuto una [url=%1\$s]richiesta di registrazione[/url] da %2\$s."; $a->strings["Full Name:\t%1\$s\\nSite Location:\t%2\$s\\nLogin Name:\t%3\$s (%4\$s)"] = "Nome completo: %1\$s\nIndirizzo del sito: %2\$s\nNome utente: %3\$s (%4\$s)"; $a->strings["Please visit %s to approve or reject the request."] = "Visita %s per approvare o rifiutare la richiesta."; -$a->strings["An invitation is required."] = "E' richiesto un invito."; -$a->strings["Invitation could not be verified."] = "L'invito non puo' essere verificato."; -$a->strings["Invalid OpenID url"] = "Url OpenID non valido"; -$a->strings["Please enter the required information."] = "Inserisci le informazioni richieste."; -$a->strings["Please use a shorter name."] = "Usa un nome più corto."; -$a->strings["Name too short."] = "Il nome è troppo corto."; -$a->strings["That doesn't appear to be your full (First Last) name."] = "Questo non sembra essere il tuo nome completo (Nome Cognome)."; -$a->strings["Your email domain is not among those allowed on this site."] = "Il dominio della tua email non è tra quelli autorizzati su questo sito."; -$a->strings["Not a valid email address."] = "L'indirizzo email non è valido."; -$a->strings["Cannot use that email."] = "Non puoi usare quell'email."; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "Il tuo nome utente puo' contenere solo \"a-z\", \"0-9\", \"-\", e \"_\", e deve cominciare con una lettera."; -$a->strings["Nickname is already registered. Please choose another."] = "Nome utente già registrato. Scegline un altro."; -$a->strings["Nickname was once registered here and may not be re-used. Please choose another."] = "Questo nome utente stato già registrato. Per favore, sceglierne uno nuovo."; -$a->strings["SERIOUS ERROR: Generation of security keys failed."] = "ERRORE GRAVE: La generazione delle chiavi di sicurezza è fallita."; -$a->strings["An error occurred during registration. Please try again."] = "C'è stato un errore durante la registrazione. Prova ancora."; -$a->strings["An error occurred creating your default profile. Please try again."] = "C'è stato un errore nella creazione del tuo profilo. Prova ancora."; -$a->strings["\n\t\tDear %1\$s,\n\t\t\tThank you for registering at %2\$s. Your account has been created.\n\t"] = "\nGentile %1\$s,\nGrazie per esserti registrato su %2\$s. Il tuo account è stato creato."; -$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["Visible to everybody"] = "Visibile a tutti"; -$a->strings["Image/photo"] = "Immagine/foto"; -$a->strings["%2\$s %3\$s"] = ""; -$a->strings["%s wrote the following post"] = "%s ha scritto il seguente messaggio"; -$a->strings["$1 wrote:"] = "$1 ha scritto:"; -$a->strings["Encrypted content"] = "Contenuto criptato"; $a->strings["Embedded content"] = "Contenuto incorporato"; $a->strings["Embedding disabled"] = "Embed disabilitato"; -$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."] = "Un gruppo eliminato con questo nome è stato ricreato. I permessi esistenti su un elemento possono essere applicati a questo gruppo e tutti i membri futuri. Se questo non è ciò che si intende, si prega di creare un altro gruppo con un nome diverso."; -$a->strings["Default privacy group for new contacts"] = "Gruppo predefinito per i nuovi contatti"; -$a->strings["Everybody"] = "Tutti"; -$a->strings["edit"] = "modifica"; -$a->strings["Edit group"] = "Modifica gruppo"; -$a->strings["Create a new group"] = "Crea un nuovo gruppo"; -$a->strings["Contacts not in any group"] = "Contatti in nessun gruppo."; -$a->strings["stopped following"] = "tolto dai seguiti"; -$a->strings["Drop Contact"] = "Rimuovi contatto"; -$a->strings["Miscellaneous"] = "Varie"; -$a->strings["year"] = "anno"; -$a->strings["month"] = "mese"; -$a->strings["day"] = "giorno"; -$a->strings["never"] = "mai"; -$a->strings["less than a second ago"] = "meno di un secondo fa"; -$a->strings["years"] = "anni"; -$a->strings["months"] = "mesi"; -$a->strings["week"] = "settimana"; -$a->strings["weeks"] = "settimane"; -$a->strings["days"] = "giorni"; -$a->strings["hour"] = "ora"; -$a->strings["hours"] = "ore"; -$a->strings["minute"] = "minuto"; -$a->strings["minutes"] = "minuti"; -$a->strings["second"] = "secondo"; -$a->strings["seconds"] = "secondi"; -$a->strings["%1\$d %2\$s ago"] = "%1\$d %2\$s fa"; -$a->strings["view full size"] = "vedi a schermo intero"; -$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."] = "\nGli sviluppatori di Friendica hanno rilasciato l'aggiornamento %s\nrecentemente, ma quando ho provato a installarlo, qualcosa è \nandato terribilmente storto.\nBisogna sistemare le cose e non posso farlo da solo.\nContatta uno sviluppatore se non puoi aiutarmi da solo. Il mio database potrebbe essere invalido."; -$a->strings["The error message is\n[pre]%s[/pre]"] = "Il messaggio di errore è\n[pre]%s[/pre]"; -$a->strings["Errors encountered creating database tables."] = "La creazione delle tabelle del database ha generato errori."; -$a->strings["Errors encountered performing database changes."] = "Riscontrati errori applicando le modifiche al database."; +$a->strings["Error decoding account file"] = "Errore decodificando il file account"; +$a->strings["Error! No version data in file! This is not a Friendica account file?"] = "Errore! Nessuna informazione di versione nel file! Potrebbe non essere un file account di Friendica?"; +$a->strings["Error! Cannot check nickname"] = "Errore! Non posso controllare il nickname"; +$a->strings["User '%s' already exists on this server!"] = "L'utente '%s' esiste già su questo server!"; +$a->strings["User creation error"] = "Errore creando l'utente"; +$a->strings["User profile creation error"] = "Errore creando il profile dell'utente"; +$a->strings["%d contact not imported"] = array( + 0 => "%d contatto non importato", + 1 => "%d contatti non importati", +); +$a->strings["Done. You can now login with your username and password"] = "Fatto. Ora puoi entrare con il tuo nome utente e la tua password"; +$a->strings["toggle mobile"] = "commuta tema mobile"; +$a->strings["Theme settings"] = "Impostazioni tema"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "Dimensione immagini in messaggi e commenti (larghezza e altezza)"; +$a->strings["Set font-size for posts and comments"] = "Dimensione del carattere di messaggi e commenti"; +$a->strings["Set theme width"] = "Imposta la larghezza del tema"; +$a->strings["Color scheme"] = "Schema colori"; +$a->strings["Set line-height for posts and comments"] = "Altezza della linea di testo di messaggi e commenti"; +$a->strings["Set colour scheme"] = "Imposta schema colori"; +$a->strings["Alignment"] = "Allineamento"; +$a->strings["Left"] = "Sinistra"; +$a->strings["Center"] = "Centrato"; +$a->strings["Posts font size"] = "Dimensione caratteri post"; +$a->strings["Textareas font size"] = "Dimensione caratteri nelle aree di testo"; +$a->strings["Set resolution for middle column"] = "Imposta la dimensione della colonna centrale"; +$a->strings["Set color scheme"] = "Imposta lo schema dei colori"; +$a->strings["Set zoomfactor for Earth Layer"] = "Livello di zoom per Earth Layer"; +$a->strings["Set longitude (X) for Earth Layers"] = "Longitudine (X) per Earth Layers"; +$a->strings["Set latitude (Y) for Earth Layers"] = "Latitudine (Y) per Earth Layers"; +$a->strings["Community Pages"] = "Pagine Comunitarie"; +$a->strings["Earth Layers"] = "Earth Layers"; +$a->strings["Community Profiles"] = "Profili Comunità"; +$a->strings["Help or @NewHere ?"] = "Serve aiuto? Sei nuovo?"; +$a->strings["Connect Services"] = "Servizi di conessione"; +$a->strings["Find Friends"] = "Trova Amici"; +$a->strings["Last users"] = "Ultimi utenti"; +$a->strings["Last photos"] = "Ultime foto"; +$a->strings["Last likes"] = "Ultimi \"mi piace\""; +$a->strings["Your contacts"] = "I tuoi contatti"; +$a->strings["Your personal photos"] = "Le tue foto personali"; +$a->strings["Local Directory"] = "Elenco Locale"; +$a->strings["Set zoomfactor for Earth Layers"] = "Livello di zoom per Earth Layers"; +$a->strings["Show/hide boxes at right-hand column:"] = "Mostra/Nascondi riquadri nella colonna destra"; +$a->strings["Set style"] = "Imposta stile"; +$a->strings["greenzero"] = ""; +$a->strings["purplezero"] = ""; +$a->strings["easterbunny"] = ""; +$a->strings["darkzero"] = ""; +$a->strings["comix"] = ""; +$a->strings["slackr"] = ""; +$a->strings["Variations"] = ""; From 05319083c69f62902f32738966cb8150bf2939f0 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 9 Feb 2015 21:45:17 +0100 Subject: [PATCH 178/294] Take the UID from another place. --- boot.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/boot.php b/boot.php index 696928145f..503d0945d4 100644 --- a/boot.php +++ b/boot.php @@ -1682,7 +1682,7 @@ if(! function_exists('profile_sidebar')) { if(is_array($a->profile) AND !$a->profile['hide-friends']) { $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 AND `network` IN ('%s', '%s', '%s', '%s', '')", - intval($a->profile['uid']), + intval($profile['uid']), dbesc(NETWORK_DFRN), dbesc(NETWORK_DIASPORA), dbesc(NETWORK_OSTATUS), From 091c3e75ca1303dda06d2b5434d4ca4623dc622b Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 9 Feb 2015 21:52:08 +0100 Subject: [PATCH 179/294] Rearranged code in item storage. --- include/items.php | 89 +++++++++++++++++++++++------------------------ 1 file changed, 44 insertions(+), 45 deletions(-) diff --git a/include/items.php b/include/items.php index e8fc739cd0..36611dbffa 100644 --- a/include/items.php +++ b/include/items.php @@ -1395,50 +1395,6 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa dbesc($arr['received']), intval($arr['contact-id']) ); - - // Only check for notifications on start posts - if ($arr['parent-uri'] === $arr['uri']) { - add_thread($r[0]['id']); - logger('item_store: Check notification for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); - - // Send a notification for every new post? - $r = q("SELECT `notify_new_posts` FROM `contact` WHERE `id` = %d AND `uid` = %d AND `notify_new_posts` LIMIT 1", - intval($arr['contact-id']), - intval($arr['uid']) - ); - - if(count($r)) { - logger('item_store: Send notification for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); - $u = q("SELECT * FROM user WHERE uid = %d LIMIT 1", - intval($arr['uid'])); - - $item = q("SELECT * FROM `item` WHERE `id` = %d AND `uid` = %d", - intval($current_post), - intval($arr['uid']) - ); - - $a = get_app(); - - require_once('include/enotify.php'); - notification(array( - 'type' => NOTIFY_SHARE, - 'notify_flags' => $u[0]['notify-flags'], - 'language' => $u[0]['language'], - 'to_name' => $u[0]['username'], - 'to_email' => $u[0]['email'], - 'uid' => $u[0]['uid'], - 'item' => $item[0], - 'link' => $a->get_baseurl().'/display/'.urlencode($arr['guid']), - 'source_name' => $item[0]['author-name'], - 'source_link' => $item[0]['author-link'], - 'source_photo' => $item[0]['author-avatar'], - 'verb' => ACTIVITY_TAG, - 'otype' => 'item' - )); - logger('item_store: Notification sent for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); - } - } - } else { logger('item_store: could not locate created item'); return 0; @@ -1494,7 +1450,6 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa dbesc(datetime_convert()), intval($parent_id) ); - update_thread($parent_id); if($dsprsig) { q("insert into sign (`iid`,`signed_text`,`signature`,`signer`) values (%d,'%s','%s','%s') ", @@ -1547,6 +1502,50 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa create_tags_from_item($current_post, $dontcache); create_files_from_item($current_post); + // Only check for notifications on start posts + if ($arr['parent-uri'] === $arr['uri']) { + add_thread($current_post); + logger('item_store: Check notification for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); + + // Send a notification for every new post? + $r = q("SELECT `notify_new_posts` FROM `contact` WHERE `id` = %d AND `uid` = %d AND `notify_new_posts` LIMIT 1", + intval($arr['contact-id']), + intval($arr['uid']) + ); + + if(count($r)) { + logger('item_store: Send notification for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); + $u = q("SELECT * FROM user WHERE uid = %d LIMIT 1", + intval($arr['uid'])); + + $item = q("SELECT * FROM `item` WHERE `id` = %d AND `uid` = %d", + intval($current_post), + intval($arr['uid']) + ); + + $a = get_app(); + + require_once('include/enotify.php'); + notification(array( + 'type' => NOTIFY_SHARE, + 'notify_flags' => $u[0]['notify-flags'], + 'language' => $u[0]['language'], + 'to_name' => $u[0]['username'], + 'to_email' => $u[0]['email'], + 'uid' => $u[0]['uid'], + 'item' => $item[0], + 'link' => $a->get_baseurl().'/display/'.urlencode($arr['guid']), + 'source_name' => $item[0]['author-name'], + 'source_link' => $item[0]['author-link'], + 'source_photo' => $item[0]['author-avatar'], + 'verb' => ACTIVITY_TAG, + 'otype' => 'item' + )); + logger('item_store: Notification sent for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); + } + } else + update_thread($parent_id); + if ($notify) proc_run('php', "include/notifier.php", $notify_type, $current_post); From 2dc5f1aefc63a22cb1705f6bdab62083b431fddd Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 9 Feb 2015 23:04:18 +0100 Subject: [PATCH 180/294] Removed cache code, since it was superfluous. --- include/items.php | 6 +++--- include/tags.php | 14 +------------- 2 files changed, 4 insertions(+), 16 deletions(-) diff --git a/include/items.php b/include/items.php index 36611dbffa..8bb981b6de 100644 --- a/include/items.php +++ b/include/items.php @@ -1499,7 +1499,7 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa } } - create_tags_from_item($current_post, $dontcache); + create_tags_from_item($current_post); create_files_from_item($current_post); // Only check for notifications on start posts @@ -4668,8 +4668,8 @@ function drop_item($id,$interactive = true) { dbesc($item['parent-uri']), intval($item['uid']) ); - create_tags_from_item($item['parent-uri'], $item['uid']); - create_files_from_item($item['parent-uri'], $item['uid']); + create_tags_from_itemuri($item['parent-uri'], $item['uid']); + create_files_from_itemuri($item['parent-uri'], $item['uid']); delete_thread_uri($item['parent-uri'], $item['uid']); // ignore the result } diff --git a/include/tags.php b/include/tags.php index 05e11b47ed..489ca47d2b 100644 --- a/include/tags.php +++ b/include/tags.php @@ -1,5 +1,5 @@ get_baseurl(); @@ -26,18 +26,6 @@ function create_tags_from_item($itemid, $dontcache = false) { if ($message["deleted"]) return; - if (!$dontcache) { - $cachefile = get_cachefile(urlencode($message["guid"])."-".hash("md5", $message['body'])); - - if (($cachefile != '') AND !file_exists($cachefile)) { - $s = prepare_text($message['body']); - $stamp1 = microtime(true); - file_put_contents($cachefile, $s); - $a->save_timestamp($stamp1, "file"); - logger('create_tags_from_item: put item '.$message["id"].' into cachefile '.$cachefile); - } - } - $taglist = explode(",", $message["tag"]); $tags = ""; From d12b929c96f687ce9969b1162a74ada1ec78a6d0 Mon Sep 17 00:00:00 2001 From: Matthew Exon Date: Tue, 10 Feb 2015 03:14:08 +0000 Subject: [PATCH 181/294] Accept lowercase location header --- include/network.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/network.php b/include/network.php index 190dce326e..251de07c42 100644 --- a/include/network.php +++ b/include/network.php @@ -94,7 +94,7 @@ function fetch_url($url,$binary = false, &$redirects = 0, $timeout = 0, $accept_ $newurl = $new_location_info["scheme"]."://".$new_location_info["host"].$old_location_info["path"]; $matches = array(); - if (preg_match('/(Location:|URI:)(.*?)\n/', $header, $matches)) { + if (preg_match('/(Location:|URI:)(.*?)\n/i', $header, $matches)) { $newurl = trim(array_pop($matches)); } if(strpos($newurl,'/') === 0) From 400e11fd9f98ebc35c1b416867dfb15eab4130d7 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Tue, 10 Feb 2015 07:47:26 +0100 Subject: [PATCH 182/294] ZH-CN update to the strings --- view/zh-cn/messages.po | 13782 ++++++++++++++++++++------------------- view/zh-cn/strings.php | 2735 ++++---- 2 files changed, 8365 insertions(+), 8152 deletions(-) diff --git a/view/zh-cn/messages.po b/view/zh-cn/messages.po index aaad7f029c..ad5cc1a993 100644 --- a/view/zh-cn/messages.po +++ b/view/zh-cn/messages.po @@ -3,16 +3,16 @@ # This file is distributed under the same license as the Friendica package. # # Translators: -# Matthew Exon , 2013-2014 +# Matthew Exon , 2013-2015 # Mike Macgirvin, 2010 # Matthew Exon , 2012-2013 msgid "" msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2014-09-07 14:32+0200\n" -"PO-Revision-Date: 2014-09-08 10:08+0000\n" -"Last-Translator: fabrixxm \n" +"POT-Creation-Date: 2015-02-09 08:57+0100\n" +"PO-Revision-Date: 2015-02-10 06:45+0000\n" +"Last-Translator: Matthew Exon \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/friendica/language/zh_CN/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -20,3093 +20,917 @@ msgstr "" "Language: zh_CN\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: ../../view/theme/cleanzero/config.php:80 -#: ../../view/theme/vier/config.php:52 ../../view/theme/diabook/config.php:148 -#: ../../view/theme/diabook/theme.php:633 -#: ../../view/theme/quattro/config.php:64 ../../view/theme/dispy/config.php:70 -#: ../../object/Item.php:678 ../../mod/contacts.php:470 -#: ../../mod/manage.php:110 ../../mod/fsuggest.php:107 -#: ../../mod/photos.php:1084 ../../mod/photos.php:1205 -#: ../../mod/photos.php:1512 ../../mod/photos.php:1563 -#: ../../mod/photos.php:1607 ../../mod/photos.php:1695 -#: ../../mod/invite.php:140 ../../mod/events.php:478 ../../mod/mood.php:137 -#: ../../mod/message.php:335 ../../mod/message.php:564 -#: ../../mod/profiles.php:645 ../../mod/install.php:248 -#: ../../mod/install.php:286 ../../mod/crepair.php:179 -#: ../../mod/content.php:710 ../../mod/poke.php:199 ../../mod/localtime.php:45 -msgid "Submit" -msgstr "提交" - -#: ../../view/theme/cleanzero/config.php:82 -#: ../../view/theme/vier/config.php:54 ../../view/theme/diabook/config.php:150 -#: ../../view/theme/quattro/config.php:66 ../../view/theme/dispy/config.php:72 -msgid "Theme settings" -msgstr "主题设置" - -#: ../../view/theme/cleanzero/config.php:83 -msgid "Set resize level for images in posts and comments (width and height)" -msgstr "选择图片在文章和评论的重设尺寸(宽和高)" - -#: ../../view/theme/cleanzero/config.php:84 -#: ../../view/theme/diabook/config.php:151 -#: ../../view/theme/dispy/config.php:73 -msgid "Set font-size for posts and comments" -msgstr "决定字体大小在文章和评论" - -#: ../../view/theme/cleanzero/config.php:85 -msgid "Set theme width" -msgstr "选择主题宽" - -#: ../../view/theme/cleanzero/config.php:86 -#: ../../view/theme/quattro/config.php:68 -msgid "Color scheme" -msgstr " 色彩设计" - -#: ../../view/theme/vier/config.php:55 -msgid "Set style" -msgstr "选择款式" - -#: ../../view/theme/diabook/config.php:142 -#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:328 -msgid "don't show" -msgstr "别著" - -#: ../../view/theme/diabook/config.php:142 -#: ../../view/theme/diabook/theme.php:621 ../../include/acl_selectors.php:327 -msgid "show" -msgstr "著" - -#: ../../view/theme/diabook/config.php:152 -#: ../../view/theme/dispy/config.php:74 -msgid "Set line-height for posts and comments" -msgstr "决定行高在文章和评论" - -#: ../../view/theme/diabook/config.php:153 -msgid "Set resolution for middle column" -msgstr "决定中栏的显示分辨率列表" - -#: ../../view/theme/diabook/config.php:154 -msgid "Set color scheme" -msgstr "选择色彩设计" - -#: ../../view/theme/diabook/config.php:155 -msgid "Set zoomfactor for Earth Layer" -msgstr "选择拉近镜头级在地球层" - -#: ../../view/theme/diabook/config.php:156 -#: ../../view/theme/diabook/theme.php:585 -msgid "Set longitude (X) for Earth Layers" -msgstr "选择经度(X)在地球层" - -#: ../../view/theme/diabook/config.php:157 -#: ../../view/theme/diabook/theme.php:586 -msgid "Set latitude (Y) for Earth Layers" -msgstr "选择纬度(Y)在地球层" - -#: ../../view/theme/diabook/config.php:158 -#: ../../view/theme/diabook/theme.php:130 -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:624 -msgid "Community Pages" -msgstr "社会页" - -#: ../../view/theme/diabook/config.php:159 -#: ../../view/theme/diabook/theme.php:579 -#: ../../view/theme/diabook/theme.php:625 -msgid "Earth Layers" -msgstr "地球层" - -#: ../../view/theme/diabook/config.php:160 -#: ../../view/theme/diabook/theme.php:391 -#: ../../view/theme/diabook/theme.php:626 -msgid "Community Profiles" -msgstr "社会简介" - -#: ../../view/theme/diabook/config.php:161 -#: ../../view/theme/diabook/theme.php:599 -#: ../../view/theme/diabook/theme.php:627 -msgid "Help or @NewHere ?" -msgstr "帮助或@菜鸟?" - -#: ../../view/theme/diabook/config.php:162 -#: ../../view/theme/diabook/theme.php:606 -#: ../../view/theme/diabook/theme.php:628 -msgid "Connect Services" -msgstr "连接服务" - -#: ../../view/theme/diabook/config.php:163 -#: ../../view/theme/diabook/theme.php:523 -#: ../../view/theme/diabook/theme.php:629 -msgid "Find Friends" -msgstr "找朋友们" - -#: ../../view/theme/diabook/config.php:164 -#: ../../view/theme/diabook/theme.php:412 -#: ../../view/theme/diabook/theme.php:630 -msgid "Last users" -msgstr "上次用户" - -#: ../../view/theme/diabook/config.php:165 -#: ../../view/theme/diabook/theme.php:486 -#: ../../view/theme/diabook/theme.php:631 -msgid "Last photos" -msgstr "上次照片" - -#: ../../view/theme/diabook/config.php:166 -#: ../../view/theme/diabook/theme.php:441 -#: ../../view/theme/diabook/theme.php:632 -msgid "Last likes" -msgstr "上次喜欢" - -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:105 -#: ../../include/nav.php:146 ../../mod/notifications.php:93 -msgid "Home" -msgstr "主页" - -#: ../../view/theme/diabook/theme.php:123 ../../include/nav.php:76 -#: ../../include/nav.php:146 -msgid "Your posts and conversations" -msgstr "你的消息和交谈" - -#: ../../view/theme/diabook/theme.php:124 ../../boot.php:2070 -#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 -#: ../../include/nav.php:77 ../../mod/profperm.php:103 -#: ../../mod/newmember.php:32 -msgid "Profile" -msgstr "简介" - -#: ../../view/theme/diabook/theme.php:124 ../../include/nav.php:77 -msgid "Your profile page" -msgstr "你的简介页" - -#: ../../view/theme/diabook/theme.php:125 ../../include/nav.php:175 -#: ../../mod/contacts.php:694 -msgid "Contacts" -msgstr "熟人" - -#: ../../view/theme/diabook/theme.php:125 -msgid "Your contacts" -msgstr "您的熟人" - -#: ../../view/theme/diabook/theme.php:126 ../../boot.php:2077 -#: ../../include/nav.php:78 ../../mod/fbrowser.php:25 -msgid "Photos" -msgstr "照片" - -#: ../../view/theme/diabook/theme.php:126 ../../include/nav.php:78 -msgid "Your photos" -msgstr "你的照片" - -#: ../../view/theme/diabook/theme.php:127 ../../boot.php:2094 -#: ../../include/nav.php:80 ../../mod/events.php:370 -msgid "Events" -msgstr "事件" - -#: ../../view/theme/diabook/theme.php:127 ../../include/nav.php:80 -msgid "Your events" -msgstr "你的项目" - -#: ../../view/theme/diabook/theme.php:128 ../../include/nav.php:81 -msgid "Personal notes" -msgstr "私人的便条" - -#: ../../view/theme/diabook/theme.php:128 -msgid "Your personal photos" -msgstr "你私人的照片" - -#: ../../view/theme/diabook/theme.php:129 ../../include/nav.php:129 -#: ../../mod/community.php:32 -msgid "Community" -msgstr "社会" - -#: ../../view/theme/diabook/theme.php:463 ../../include/conversation.php:118 -#: ../../include/conversation.php:246 ../../include/text.php:1964 -msgid "event" -msgstr "项目" - -#: ../../view/theme/diabook/theme.php:466 -#: ../../view/theme/diabook/theme.php:475 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:121 ../../include/conversation.php:130 -#: ../../include/conversation.php:249 ../../include/conversation.php:258 -#: ../../mod/like.php:149 ../../mod/like.php:319 ../../mod/subthread.php:87 -#: ../../mod/tagger.php:62 -msgid "status" -msgstr "现状" - -#: ../../view/theme/diabook/theme.php:471 ../../include/diaspora.php:1919 -#: ../../include/conversation.php:126 ../../include/conversation.php:254 -#: ../../include/text.php:1966 ../../mod/like.php:149 -#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 -msgid "photo" -msgstr "照片" - -#: ../../view/theme/diabook/theme.php:480 ../../include/diaspora.php:1935 -#: ../../include/conversation.php:137 ../../mod/like.php:166 +#: ../../mod/contacts.php:108 #, php-format -msgid "%1$s likes %2$s's %3$s" -msgstr "%1$s喜欢%2$s的%3$s" +msgid "%d contact edited." +msgid_plural "%d contacts edited" +msgstr[0] "%d熟人编辑了" -#: ../../view/theme/diabook/theme.php:499 ../../mod/photos.php:60 -#: ../../mod/photos.php:155 ../../mod/photos.php:1064 -#: ../../mod/photos.php:1189 ../../mod/photos.php:1212 -#: ../../mod/photos.php:1758 ../../mod/photos.php:1770 -msgid "Contact Photos" -msgstr "熟人照片" +#: ../../mod/contacts.php:139 ../../mod/contacts.php:272 +msgid "Could not access contact record." +msgstr "用不了熟人记录。" -#: ../../view/theme/diabook/theme.php:500 ../../include/user.php:335 -#: ../../include/user.php:342 ../../include/user.php:349 -#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1189 -#: ../../mod/photos.php:1212 ../../mod/profile_photo.php:74 -#: ../../mod/profile_photo.php:81 ../../mod/profile_photo.php:88 -#: ../../mod/profile_photo.php:204 ../../mod/profile_photo.php:296 -#: ../../mod/profile_photo.php:305 -msgid "Profile Photos" -msgstr "简介照片" +#: ../../mod/contacts.php:153 +msgid "Could not locate selected profile." +msgstr "找不到选择的简介。" -#: ../../view/theme/diabook/theme.php:524 -msgid "Local Directory" -msgstr "当地目录" +#: ../../mod/contacts.php:186 +msgid "Contact updated." +msgstr "熟人更新了。" -#: ../../view/theme/diabook/theme.php:525 ../../mod/directory.php:51 -msgid "Global Directory" -msgstr "综合目录" +#: ../../mod/contacts.php:188 ../../mod/dfrn_request.php:576 +msgid "Failed to update contact record." +msgstr "更新熟人记录失败了。" -#: ../../view/theme/diabook/theme.php:526 ../../include/contact_widgets.php:36 -msgid "Similar Interests" -msgstr "相似兴趣" - -#: ../../view/theme/diabook/theme.php:527 ../../include/contact_widgets.php:35 -#: ../../mod/suggest.php:66 -msgid "Friend Suggestions" -msgstr "友谊建议" - -#: ../../view/theme/diabook/theme.php:528 ../../include/contact_widgets.php:38 -msgid "Invite Friends" -msgstr "邀请朋友们" - -#: ../../view/theme/diabook/theme.php:544 -#: ../../view/theme/diabook/theme.php:648 ../../include/nav.php:170 -#: ../../mod/settings.php:85 ../../mod/admin.php:1065 ../../mod/admin.php:1286 -#: ../../mod/newmember.php:22 -msgid "Settings" -msgstr "配置" - -#: ../../view/theme/diabook/theme.php:584 -msgid "Set zoomfactor for Earth Layers" -msgstr "选择拉近镜头级在地球层" - -#: ../../view/theme/diabook/theme.php:622 -msgid "Show/hide boxes at right-hand column:" -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:69 -msgid "Posts font size" -msgstr "文章" - -#: ../../view/theme/quattro/config.php:70 -msgid "Textareas font size" -msgstr "文本区字体大小" - -#: ../../view/theme/dispy/config.php:75 -msgid "Set colour scheme" -msgstr "选择色彩设计" - -#: ../../index.php:203 ../../mod/apps.php:7 -msgid "You must be logged in to use addons. " -msgstr "您用插件前要登录" - -#: ../../index.php:247 ../../mod/help.php:90 -msgid "Not Found" -msgstr "未发现" - -#: ../../index.php:250 ../../mod/help.php:93 -msgid "Page not found." -msgstr "页发现。" - -#: ../../index.php:359 ../../mod/group.php:72 ../../mod/profperm.php:19 -msgid "Permission denied" -msgstr "权限不够" - -#: ../../index.php:360 ../../include/items.php:4550 ../../mod/attach.php:33 +#: ../../mod/contacts.php:254 ../../mod/manage.php:96 +#: ../../mod/display.php:499 ../../mod/profile_photo.php:19 +#: ../../mod/profile_photo.php:169 ../../mod/profile_photo.php:180 +#: ../../mod/profile_photo.php:193 ../../mod/follow.php:9 +#: ../../mod/item.php:168 ../../mod/item.php:184 ../../mod/group.php:19 +#: ../../mod/dfrn_confirm.php:55 ../../mod/fsuggest.php:78 +#: ../../mod/wall_upload.php:66 ../../mod/viewcontacts.php:24 +#: ../../mod/notifications.php:66 ../../mod/message.php:38 +#: ../../mod/message.php:174 ../../mod/crepair.php:119 +#: ../../mod/nogroup.php:25 ../../mod/network.php:4 ../../mod/allfriends.php:9 +#: ../../mod/events.php:140 ../../mod/install.php:151 #: ../../mod/wallmessage.php:9 ../../mod/wallmessage.php:33 #: ../../mod/wallmessage.php:79 ../../mod/wallmessage.php:103 -#: ../../mod/group.php:19 ../../mod/delegate.php:6 -#: ../../mod/notifications.php:66 ../../mod/settings.php:102 -#: ../../mod/settings.php:593 ../../mod/settings.php:598 -#: ../../mod/contacts.php:249 ../../mod/wall_attach.php:55 -#: ../../mod/register.php:42 ../../mod/manage.php:96 ../../mod/editpost.php:10 -#: ../../mod/regmod.php:109 ../../mod/api.php:26 ../../mod/api.php:31 -#: ../../mod/suggest.php:56 ../../mod/nogroup.php:25 ../../mod/fsuggest.php:78 -#: ../../mod/viewcontacts.php:22 ../../mod/wall_upload.php:66 -#: ../../mod/notes.php:20 ../../mod/network.php:4 ../../mod/photos.php:134 -#: ../../mod/photos.php:1050 ../../mod/follow.php:9 ../../mod/uimport.php:23 -#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/events.php:140 -#: ../../mod/mood.php:114 ../../mod/message.php:38 ../../mod/message.php:174 -#: ../../mod/profiles.php:148 ../../mod/profiles.php:577 -#: ../../mod/install.php:151 ../../mod/crepair.php:117 ../../mod/poke.php:135 -#: ../../mod/display.php:455 ../../mod/dfrn_confirm.php:55 -#: ../../mod/item.php:148 ../../mod/item.php:164 -#: ../../mod/profile_photo.php:19 ../../mod/profile_photo.php:169 -#: ../../mod/profile_photo.php:180 ../../mod/profile_photo.php:193 -#: ../../mod/allfriends.php:9 +#: ../../mod/wall_attach.php:55 ../../mod/settings.php:102 +#: ../../mod/settings.php:596 ../../mod/settings.php:601 +#: ../../mod/register.php:42 ../../mod/delegate.php:12 ../../mod/mood.php:114 +#: ../../mod/suggest.php:58 ../../mod/profiles.php:165 +#: ../../mod/profiles.php:618 ../../mod/editpost.php:10 ../../mod/api.php:26 +#: ../../mod/api.php:31 ../../mod/notes.php:20 ../../mod/poke.php:135 +#: ../../mod/invite.php:15 ../../mod/invite.php:101 ../../mod/photos.php:134 +#: ../../mod/photos.php:1050 ../../mod/regmod.php:110 ../../mod/uimport.php:23 +#: ../../mod/attach.php:33 ../../include/items.php:4712 ../../index.php:369 msgid "Permission denied." msgstr "权限不够。" -#: ../../index.php:419 -msgid "toggle mobile" -msgstr "交替手机" - -#: ../../boot.php:719 -msgid "Delete this item?" -msgstr "删除这个项目?" - -#: ../../boot.php:720 ../../object/Item.php:361 ../../object/Item.php:677 -#: ../../mod/photos.php:1562 ../../mod/photos.php:1606 -#: ../../mod/photos.php:1694 ../../mod/content.php:709 -msgid "Comment" -msgstr "评论" - -#: ../../boot.php:721 ../../include/contact_widgets.php:205 -#: ../../object/Item.php:390 ../../mod/content.php:606 -msgid "show more" -msgstr "看多" - -#: ../../boot.php:722 -msgid "show fewer" -msgstr "显示更小" - -#: ../../boot.php:1042 ../../boot.php:1073 -#, php-format -msgid "Update %s failed. See error logs." -msgstr "更新%s美通过。看错误记录。" - -#: ../../boot.php:1194 -msgid "Create a New Account" -msgstr "创造新的账户" - -#: ../../boot.php:1195 ../../include/nav.php:109 ../../mod/register.php:266 -msgid "Register" -msgstr "注册" - -#: ../../boot.php:1219 ../../include/nav.php:73 -msgid "Logout" -msgstr "注销" - -#: ../../boot.php:1220 ../../include/nav.php:92 -msgid "Login" -msgstr "登录" - -#: ../../boot.php:1222 -msgid "Nickname or Email address: " -msgstr "绰号或电子邮件地址: " - -#: ../../boot.php:1223 -msgid "Password: " -msgstr "密码: " - -#: ../../boot.php:1224 -msgid "Remember me" -msgstr "记住我" - -#: ../../boot.php:1227 -msgid "Or login using OpenID: " -msgstr "或者用OpenID登记:" - -#: ../../boot.php:1233 -msgid "Forgot your password?" -msgstr "忘记你的密码吗?" - -#: ../../boot.php:1234 ../../mod/lostpass.php:109 -msgid "Password Reset" -msgstr "复位密码" - -#: ../../boot.php:1236 -msgid "Website Terms of Service" -msgstr "网站的各项规定" - -#: ../../boot.php:1237 -msgid "terms of service" -msgstr "各项规定" - -#: ../../boot.php:1239 -msgid "Website Privacy Policy" -msgstr "网站隐私政策" - -#: ../../boot.php:1240 -msgid "privacy policy" -msgstr "隐私政策" - -#: ../../boot.php:1373 -msgid "Requested account is not available." -msgstr "要求的账户不可用。" - -#: ../../boot.php:1412 ../../mod/profile.php:21 -msgid "Requested profile is not available." -msgstr "要求的简介联系不上的。" - -#: ../../boot.php:1455 ../../boot.php:1589 -#: ../../include/profile_advanced.php:84 -msgid "Edit profile" -msgstr "修改简介" - -#: ../../boot.php:1522 ../../include/contact_widgets.php:10 -#: ../../mod/suggest.php:88 ../../mod/match.php:58 -msgid "Connect" -msgstr "连接" - -#: ../../boot.php:1554 -msgid "Message" -msgstr "通知" - -#: ../../boot.php:1560 ../../include/nav.php:173 -msgid "Profiles" -msgstr "简介" - -#: ../../boot.php:1560 -msgid "Manage/edit profiles" -msgstr "管理/修改简介" - -#: ../../boot.php:1565 ../../boot.php:1591 ../../mod/profiles.php:763 -msgid "Change profile photo" -msgstr "换简介照片" - -#: ../../boot.php:1566 ../../mod/profiles.php:764 -msgid "Create New Profile" -msgstr "创造新的简介" - -#: ../../boot.php:1576 ../../mod/profiles.php:775 -msgid "Profile Image" -msgstr "简介图像" - -#: ../../boot.php:1579 ../../mod/profiles.php:777 -msgid "visible to everybody" -msgstr "给打假可见的" - -#: ../../boot.php:1580 ../../mod/profiles.php:778 -msgid "Edit visibility" -msgstr "修改能见度" - -#: ../../boot.php:1602 ../../include/event.php:40 -#: ../../include/bb2diaspora.php:156 ../../mod/events.php:471 -#: ../../mod/directory.php:136 -msgid "Location:" -msgstr "位置:" - -#: ../../boot.php:1604 ../../include/profile_advanced.php:17 -#: ../../mod/directory.php:138 -msgid "Gender:" -msgstr "性别:" - -#: ../../boot.php:1607 ../../include/profile_advanced.php:37 -#: ../../mod/directory.php:140 -msgid "Status:" -msgstr "现状:" - -#: ../../boot.php:1609 ../../include/profile_advanced.php:48 -#: ../../mod/directory.php:142 -msgid "Homepage:" -msgstr "主页:" - -#: ../../boot.php:1657 -msgid "Network:" -msgstr "" - -#: ../../boot.php:1687 ../../boot.php:1773 -msgid "g A l F d" -msgstr "g A l d F" - -#: ../../boot.php:1688 ../../boot.php:1774 -msgid "F d" -msgstr "F d" - -#: ../../boot.php:1733 ../../boot.php:1814 -msgid "[today]" -msgstr "[今天]" - -#: ../../boot.php:1745 -msgid "Birthday Reminders" -msgstr "提醒生日" - -#: ../../boot.php:1746 -msgid "Birthdays this week:" -msgstr "这周的生日:" - -#: ../../boot.php:1807 -msgid "[No description]" -msgstr "[无描述]" - -#: ../../boot.php:1825 -msgid "Event Reminders" -msgstr "事件提醒" - -#: ../../boot.php:1826 -msgid "Events this week:" -msgstr "这周的事件:" - -#: ../../boot.php:2063 ../../include/nav.php:76 -msgid "Status" -msgstr "现状" - -#: ../../boot.php:2066 -msgid "Status Messages and Posts" -msgstr "现状通知和文章" - -#: ../../boot.php:2073 -msgid "Profile Details" -msgstr "简介内容" - -#: ../../boot.php:2080 ../../mod/photos.php:52 -msgid "Photo Albums" -msgstr "相册" - -#: ../../boot.php:2084 ../../boot.php:2087 ../../include/nav.php:79 -msgid "Videos" -msgstr "视频" - -#: ../../boot.php:2097 -msgid "Events and Calendar" -msgstr "项目和日历" - -#: ../../boot.php:2101 ../../mod/notes.php:44 -msgid "Personal Notes" -msgstr "私人便条" - -#: ../../boot.php:2104 -msgid "Only You Can See This" -msgstr "只您许看这个" - -#: ../../include/features.php:23 -msgid "General Features" -msgstr "总的特点" - -#: ../../include/features.php:25 -msgid "Multiple Profiles" -msgstr "多简介" - -#: ../../include/features.php:25 -msgid "Ability to create multiple profiles" -msgstr "能穿凿多简介" - -#: ../../include/features.php:30 -msgid "Post Composition Features" -msgstr "写文章特点" - -#: ../../include/features.php:31 -msgid "Richtext Editor" -msgstr "富文本格式编辑" - -#: ../../include/features.php:31 -msgid "Enable richtext editor" -msgstr "使富文本格式编辑可用" - -#: ../../include/features.php:32 -msgid "Post Preview" -msgstr "文章预演" - -#: ../../include/features.php:32 -msgid "Allow previewing posts and comments before publishing them" -msgstr "允许文章和评论出版前预演" - -#: ../../include/features.php:33 -msgid "Auto-mention Forums" -msgstr "自动提示论坛" - -#: ../../include/features.php:33 -msgid "" -"Add/remove mention when a fourm page is selected/deselected in ACL window." -msgstr "添加/删除提示论坛页选择/淘汰在ACL窗户的时候。" - -#: ../../include/features.php:38 -msgid "Network Sidebar Widgets" -msgstr "网络工具栏小窗口" - -#: ../../include/features.php:39 -msgid "Search by Date" -msgstr "按日期搜索" - -#: ../../include/features.php:39 -msgid "Ability to select posts by date ranges" -msgstr "能按时期范围选择文章" - -#: ../../include/features.php:40 -msgid "Group Filter" -msgstr "组滤器" - -#: ../../include/features.php:40 -msgid "Enable widget to display Network posts only from selected group" -msgstr "使光表示网络文章从选择的组小窗口" - -#: ../../include/features.php:41 -msgid "Network Filter" -msgstr "网络滤器" - -#: ../../include/features.php:41 -msgid "Enable widget to display Network posts only from selected network" -msgstr "使光表示网络文章从选择的网络小窗口" - -#: ../../include/features.php:42 ../../mod/network.php:188 -#: ../../mod/search.php:30 -msgid "Saved Searches" -msgstr "保存的搜索" - -#: ../../include/features.php:42 -msgid "Save search terms for re-use" -msgstr "保存搜索关键为再用" - -#: ../../include/features.php:47 -msgid "Network Tabs" -msgstr "网络分页" - -#: ../../include/features.php:48 -msgid "Network Personal Tab" -msgstr "网络私人分页" - -#: ../../include/features.php:48 -msgid "Enable tab to display only Network posts that you've interacted on" -msgstr "使表示光网络文章您参加了分页可用" - -#: ../../include/features.php:49 -msgid "Network New Tab" -msgstr "网络新分页" - -#: ../../include/features.php:49 -msgid "Enable tab to display only new Network posts (from the last 12 hours)" -msgstr "使表示光网络文章在12小时内分页可用" - -#: ../../include/features.php:50 -msgid "Network Shared Links Tab" -msgstr "网络分享链接分页" - -#: ../../include/features.php:50 -msgid "Enable tab to display only Network posts with links in them" -msgstr "使表示光网络文章包括链接分页可用" - -#: ../../include/features.php:55 -msgid "Post/Comment Tools" -msgstr "文章/评论工具" - -#: ../../include/features.php:56 -msgid "Multiple Deletion" -msgstr "多删除" - -#: ../../include/features.php:56 -msgid "Select and delete multiple posts/comments at once" -msgstr "选择和删除多文章/评论一次" - -#: ../../include/features.php:57 -msgid "Edit Sent Posts" -msgstr "编辑发送的文章" - -#: ../../include/features.php:57 -msgid "Edit and correct posts and comments after sending" -msgstr "编辑或修改文章和评论发送后" - -#: ../../include/features.php:58 -msgid "Tagging" -msgstr "标签" - -#: ../../include/features.php:58 -msgid "Ability to tag existing posts" -msgstr "能把目前的文章标签" - -#: ../../include/features.php:59 -msgid "Post Categories" -msgstr "文章种类" - -#: ../../include/features.php:59 -msgid "Add categories to your posts" -msgstr "加入种类给您的文章" - -#: ../../include/features.php:60 ../../include/contact_widgets.php:104 -msgid "Saved Folders" -msgstr "保存的文件夹" - -#: ../../include/features.php:60 -msgid "Ability to file posts under folders" -msgstr "能把文章归档在文件夹 " - -#: ../../include/features.php:61 -msgid "Dislike Posts" -msgstr "不喜欢文章" - -#: ../../include/features.php:61 -msgid "Ability to dislike posts/comments" -msgstr "能不喜欢文章/评论" - -#: ../../include/features.php:62 -msgid "Star Posts" -msgstr "文章星" - -#: ../../include/features.php:62 -msgid "Ability to mark special posts with a star indicator" -msgstr "能把优秀文章跟星标注" - -#: ../../include/features.php:63 -msgid "Mute Post Notifications" -msgstr "" - -#: ../../include/features.php:63 -msgid "Ability to mute notifications for a thread" -msgstr "" - -#: ../../include/items.php:2090 ../../include/datetime.php:472 -#, php-format -msgid "%s's birthday" -msgstr "%s的生日" - -#: ../../include/items.php:2091 ../../include/datetime.php:473 -#, php-format -msgid "Happy Birthday %s" -msgstr "生日快乐%s" - -#: ../../include/items.php:3856 ../../mod/dfrn_request.php:721 -#: ../../mod/dfrn_confirm.php:752 -msgid "[Name Withheld]" -msgstr "[名字拒给]" - -#: ../../include/items.php:4354 ../../mod/admin.php:166 -#: ../../mod/admin.php:1013 ../../mod/admin.php:1226 ../../mod/viewsrc.php:15 -#: ../../mod/notice.php:15 ../../mod/display.php:70 ../../mod/display.php:240 -#: ../../mod/display.php:459 -msgid "Item not found." -msgstr "项目找不到。" - -#: ../../include/items.php:4393 -msgid "Do you really want to delete this item?" -msgstr "您真的想删除这个项目吗?" - -#: ../../include/items.php:4395 ../../mod/settings.php:1007 -#: ../../mod/settings.php:1013 ../../mod/settings.php:1021 -#: ../../mod/settings.php:1025 ../../mod/settings.php:1030 -#: ../../mod/settings.php:1036 ../../mod/settings.php:1042 -#: ../../mod/settings.php:1048 ../../mod/settings.php:1078 -#: ../../mod/settings.php:1079 ../../mod/settings.php:1080 +#: ../../mod/contacts.php:287 +msgid "Contact has been blocked" +msgstr "熟人拦了" + +#: ../../mod/contacts.php:287 +msgid "Contact has been unblocked" +msgstr "熟人否拦了" + +#: ../../mod/contacts.php:298 +msgid "Contact has been ignored" +msgstr "熟人不理了" + +#: ../../mod/contacts.php:298 +msgid "Contact has been unignored" +msgstr "熟人否不理了" + +#: ../../mod/contacts.php:310 +msgid "Contact has been archived" +msgstr "把联系存档了" + +#: ../../mod/contacts.php:310 +msgid "Contact has been unarchived" +msgstr "把联系从存档拿来了" + +#: ../../mod/contacts.php:335 ../../mod/contacts.php:711 +msgid "Do you really want to delete this contact?" +msgstr "您真的想删除这个熟人吗?" + +#: ../../mod/contacts.php:337 ../../mod/message.php:209 +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 #: ../../mod/settings.php:1081 ../../mod/settings.php:1082 -#: ../../mod/contacts.php:332 ../../mod/register.php:230 -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:105 -#: ../../mod/suggest.php:29 ../../mod/message.php:209 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:623 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:233 ../../mod/suggest.php:29 +#: ../../mod/profiles.php:661 ../../mod/profiles.php:664 ../../mod/api.php:105 +#: ../../include/items.php:4557 msgid "Yes" msgstr "是" -#: ../../include/items.php:4398 ../../include/conversation.php:1129 -#: ../../mod/settings.php:612 ../../mod/settings.php:638 -#: ../../mod/contacts.php:335 ../../mod/editpost.php:148 -#: ../../mod/dfrn_request.php:848 ../../mod/fbrowser.php:81 -#: ../../mod/fbrowser.php:116 ../../mod/suggest.php:32 -#: ../../mod/photos.php:203 ../../mod/photos.php:292 ../../mod/tagrm.php:11 -#: ../../mod/tagrm.php:94 ../../mod/message.php:212 +#: ../../mod/contacts.php:340 ../../mod/tagrm.php:11 ../../mod/tagrm.php:94 +#: ../../mod/message.php:212 ../../mod/fbrowser.php:81 +#: ../../mod/fbrowser.php:116 ../../mod/settings.php:615 +#: ../../mod/settings.php:641 ../../mod/dfrn_request.php:844 +#: ../../mod/suggest.php:32 ../../mod/editpost.php:148 +#: ../../mod/photos.php:203 ../../mod/photos.php:292 +#: ../../include/conversation.php:1129 ../../include/items.php:4560 msgid "Cancel" msgstr "退消" -#: ../../include/items.php:4616 -msgid "Archives" -msgstr "档案" +#: ../../mod/contacts.php:352 +msgid "Contact has been removed." +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:207 -msgid "Default privacy group for new contacts" -msgstr "默认隐私组为新熟人" - -#: ../../include/group.php:226 -msgid "Everybody" -msgstr "每人" - -#: ../../include/group.php:249 -msgid "edit" -msgstr "编辑" - -#: ../../include/group.php:270 ../../mod/newmember.php:66 -msgid "Groups" -msgstr "组" - -#: ../../include/group.php:271 -msgid "Edit group" -msgstr "编辑组" - -#: ../../include/group.php:272 -msgid "Create a new group" -msgstr "创造新组" - -#: ../../include/group.php:273 -msgid "Contacts not in any group" -msgstr "熟人没有组" - -#: ../../include/group.php:275 ../../mod/network.php:189 -msgid "add" -msgstr "添加" - -#: ../../include/Photo_old.php:911 ../../include/Photo_old.php:926 -#: ../../include/Photo_old.php:933 ../../include/Photo_old.php:955 -#: ../../include/Photo.php:911 ../../include/Photo.php:926 -#: ../../include/Photo.php:933 ../../include/Photo.php:955 -#: ../../include/message.php:144 ../../mod/wall_upload.php:169 -#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 -#: ../../mod/item.php:463 -msgid "Wall Photos" -msgstr "墙照片" - -#: ../../include/dba.php:51 ../../include/dba_pdo.php:72 +#: ../../mod/contacts.php:390 #, php-format -msgid "Cannot locate DNS info for database server '%s'" -msgstr "找不到DNS信息为数据库服务器「%s」" +msgid "You are mutual friends with %s" +msgstr "您和%s是共同朋友们" -#: ../../include/contact_widgets.php:6 -msgid "Add New Contact" -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 "比如:li@example.com, http://example.com/li" - -#: ../../include/contact_widgets.php:24 +#: ../../mod/contacts.php:394 #, php-format -msgid "%d invitation available" -msgid_plural "%d invitations available" -msgstr[0] "%d邀请可用的" +msgid "You are sharing with %s" +msgstr "您分享给%s" -#: ../../include/contact_widgets.php:30 -msgid "Find People" -msgstr "找人物" +#: ../../mod/contacts.php:399 +#, php-format +msgid "%s is sharing with you" +msgstr "%s给您分享" -#: ../../include/contact_widgets.php:31 -msgid "Enter name or interest" -msgstr "输入名字或兴趣" +#: ../../mod/contacts.php:416 +msgid "Private communications are not available for this contact." +msgstr "没有私人的沟通跟这个熟人" -#: ../../include/contact_widgets.php:32 -msgid "Connect/Follow" -msgstr "连接/关注" +#: ../../mod/contacts.php:419 ../../mod/admin.php:569 +msgid "Never" +msgstr "从未" -#: ../../include/contact_widgets.php:33 -msgid "Examples: Robert Morgenstein, Fishing" -msgstr "比如:李某,打鱼" +#: ../../mod/contacts.php:423 +msgid "(Update was successful)" +msgstr "(更新成功)" -#: ../../include/contact_widgets.php:34 ../../mod/contacts.php:700 -#: ../../mod/directory.php:63 -msgid "Find" -msgstr "搜索" +#: ../../mod/contacts.php:423 +msgid "(Update was not successful)" +msgstr "(更新不成功)" -#: ../../include/contact_widgets.php:37 -msgid "Random Profile" -msgstr "随机简介" +#: ../../mod/contacts.php:425 +msgid "Suggest friends" +msgstr "建议朋友们" -#: ../../include/contact_widgets.php:71 -msgid "Networks" -msgstr "网络" +#: ../../mod/contacts.php:429 +#, php-format +msgid "Network type: %s" +msgstr "网络种类: %s" -#: ../../include/contact_widgets.php:74 -msgid "All Networks" -msgstr "所有网络" - -#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 -msgid "Everything" -msgstr "一切" - -#: ../../include/contact_widgets.php:136 -msgid "Categories" -msgstr "种类" - -#: ../../include/contact_widgets.php:200 ../../mod/contacts.php:427 +#: ../../mod/contacts.php:432 ../../include/contact_widgets.php:200 #, php-format msgid "%d contact in common" msgid_plural "%d contacts in common" msgstr[0] "%d共同熟人" -#: ../../include/enotify.php:18 -msgid "Friendica Notification" -msgstr "Friendica 通知" +#: ../../mod/contacts.php:437 +msgid "View all contacts" +msgstr "看所有的熟人" -#: ../../include/enotify.php:21 -msgid "Thank You," -msgstr "谢谢," +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1009 +msgid "Unblock" +msgstr "不拦" -#: ../../include/enotify.php:23 -#, php-format -msgid "%s Administrator" -msgstr "%s管理员" +#: ../../mod/contacts.php:442 ../../mod/contacts.php:501 +#: ../../mod/contacts.php:714 ../../mod/admin.php:1008 +msgid "Block" +msgstr "拦" -#: ../../include/enotify.php:30 ../../include/delivery.php:467 -#: ../../include/notifier.php:784 -msgid "noreply" -msgstr "noreply" +#: ../../mod/contacts.php:445 +msgid "Toggle Blocked status" +msgstr "交替拦配置" -#: ../../include/enotify.php:55 -#, php-format -msgid "%s " -msgstr "%s " +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 +msgid "Unignore" +msgstr "停不理" -#: ../../include/enotify.php:59 -#, php-format -msgid "[Friendica:Notify] New mail received at %s" -msgstr "[Friendica:Notify]收到新邮件在%s" +#: ../../mod/contacts.php:448 ../../mod/contacts.php:502 +#: ../../mod/contacts.php:715 ../../mod/notifications.php:51 +#: ../../mod/notifications.php:164 ../../mod/notifications.php:210 +msgid "Ignore" +msgstr "忽视" -#: ../../include/enotify.php:61 -#, php-format -msgid "%1$s sent you a new private message at %2$s." -msgstr "%1$s发给您新私人通知在%2$s." +#: ../../mod/contacts.php:451 +msgid "Toggle Ignored status" +msgstr "交替忽视现状" -#: ../../include/enotify.php:62 -#, php-format -msgid "%1$s sent you %2$s." -msgstr "%1$s发给您%2$s." +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Unarchive" +msgstr "从存档拿来" -#: ../../include/enotify.php:62 -msgid "a private message" -msgstr "一条私人的消息" +#: ../../mod/contacts.php:455 ../../mod/contacts.php:716 +msgid "Archive" +msgstr "存档" -#: ../../include/enotify.php:63 -#, php-format -msgid "Please visit %s to view and/or reply to your private messages." -msgstr "清去%s为了看或回答你私人的消息" +#: ../../mod/contacts.php:458 +msgid "Toggle Archive status" +msgstr "交替档案现状" -#: ../../include/enotify.php:115 -#, php-format -msgid "%1$s commented on [url=%2$s]a %3$s[/url]" -msgstr "%1$s于[url=%2$s]a %3$s[/url]评论了" +#: ../../mod/contacts.php:461 +msgid "Repair" +msgstr "维修" -#: ../../include/enotify.php:122 -#, php-format -msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" -msgstr "%1$s于[url=%2$s]%3$s的%4$s[/url]评论了" +#: ../../mod/contacts.php:464 +msgid "Advanced Contact Settings" +msgstr "专家熟人设置" -#: ../../include/enotify.php:130 -#, php-format -msgid "%1$s commented on [url=%2$s]your %3$s[/url]" -msgstr "%1$s于[url=%2$s]您的%3$s[/url]评论了" +#: ../../mod/contacts.php:470 +msgid "Communications lost with this contact!" +msgstr "联系跟这个熟人断开了!" -#: ../../include/enotify.php:140 -#, php-format -msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" -msgstr "[Friendica:Notify]于交流#%1$d由%2$s评论" +#: ../../mod/contacts.php:473 +msgid "Contact Editor" +msgstr "熟人编器" -#: ../../include/enotify.php:141 -#, php-format -msgid "%s commented on an item/conversation you have been following." -msgstr "%s对你有兴趣的项目/ 交谈发表意见" +#: ../../mod/contacts.php:475 ../../mod/manage.php:110 +#: ../../mod/fsuggest.php:107 ../../mod/message.php:335 +#: ../../mod/message.php:564 ../../mod/crepair.php:186 +#: ../../mod/events.php:478 ../../mod/content.php:710 +#: ../../mod/install.php:248 ../../mod/install.php:286 ../../mod/mood.php:137 +#: ../../mod/profiles.php:686 ../../mod/localtime.php:45 +#: ../../mod/poke.php:199 ../../mod/invite.php:140 ../../mod/photos.php:1084 +#: ../../mod/photos.php:1203 ../../mod/photos.php:1514 +#: ../../mod/photos.php:1565 ../../mod/photos.php:1609 +#: ../../mod/photos.php:1697 ../../object/Item.php:678 +#: ../../view/theme/cleanzero/config.php:80 +#: ../../view/theme/dispy/config.php:70 ../../view/theme/quattro/config.php:64 +#: ../../view/theme/diabook/config.php:148 +#: ../../view/theme/diabook/theme.php:633 ../../view/theme/vier/config.php:53 +#: ../../view/theme/duepuntozero/config.php:59 +msgid "Submit" +msgstr "提交" -#: ../../include/enotify.php:144 ../../include/enotify.php:159 -#: ../../include/enotify.php:172 ../../include/enotify.php:185 -#: ../../include/enotify.php:203 ../../include/enotify.php:216 -#, php-format -msgid "Please visit %s to view and/or reply to the conversation." -msgstr "清去%s为了看或回答交谈" +#: ../../mod/contacts.php:476 +msgid "Profile Visibility" +msgstr "简历可见量" -#: ../../include/enotify.php:151 -#, php-format -msgid "[Friendica:Notify] %s posted to your profile wall" -msgstr "[Friendica:Notify] %s贴在您的简介墙" - -#: ../../include/enotify.php:153 -#, php-format -msgid "%1$s posted to your profile wall at %2$s" -msgstr "%1$s放在您的简介墙在%2$s" - -#: ../../include/enotify.php:155 -#, php-format -msgid "%1$s posted to [url=%2$s]your wall[/url]" -msgstr "%1$s放在[url=%2$s]您的墙[/url]" - -#: ../../include/enotify.php:166 -#, php-format -msgid "[Friendica:Notify] %s tagged you" -msgstr "[Friendica:Notify] %s标签您" - -#: ../../include/enotify.php:167 -#, php-format -msgid "%1$s tagged you at %2$s" -msgstr "%1$s把您在%2$s标签" - -#: ../../include/enotify.php:168 -#, php-format -msgid "%1$s [url=%2$s]tagged you[/url]." -msgstr "%1$s[url=%2$s]把您标签[/url]." - -#: ../../include/enotify.php:179 -#, php-format -msgid "[Friendica:Notify] %s shared a new post" -msgstr "[Friendica:Notify] %s分享新的消息" - -#: ../../include/enotify.php:180 -#, php-format -msgid "%1$s shared a new post at %2$s" -msgstr "%1$s分享新的消息在%2$s" - -#: ../../include/enotify.php:181 -#, php-format -msgid "%1$s [url=%2$s]shared a post[/url]." -msgstr "%1$s [url=%2$s]分享一个消息[/url]." - -#: ../../include/enotify.php:193 -#, php-format -msgid "[Friendica:Notify] %1$s poked you" -msgstr "[Friendica:Notify]您被%1$s戳" - -#: ../../include/enotify.php:194 -#, php-format -msgid "%1$s poked you at %2$s" -msgstr "您被%1$s戳在%2$s" - -#: ../../include/enotify.php:195 -#, php-format -msgid "%1$s [url=%2$s]poked you[/url]." -msgstr "%1$s[url=%2$s]把您戳[/url]。" - -#: ../../include/enotify.php:210 -#, php-format -msgid "[Friendica:Notify] %s tagged your post" -msgstr "[Friendica:Notify] %s标前您的文章" - -#: ../../include/enotify.php:211 -#, php-format -msgid "%1$s tagged your post at %2$s" -msgstr "%1$s把您的文章在%2$s标签" - -#: ../../include/enotify.php:212 -#, php-format -msgid "%1$s tagged [url=%2$s]your post[/url]" -msgstr "%1$s把[url=%2$s]您的文章[/url]标签" - -#: ../../include/enotify.php:223 -msgid "[Friendica:Notify] Introduction received" -msgstr "[Friendica:Notify] 收到介绍" - -#: ../../include/enotify.php:224 -#, php-format -msgid "You've received an introduction from '%1$s' at %2$s" -msgstr "您从「%1$s」受到一个介绍在%2$s" - -#: ../../include/enotify.php:225 -#, php-format -msgid "You've received [url=%1$s]an introduction[/url] from %2$s." -msgstr "您从%2$s收到[url=%1$s]一个介绍[/url]。" - -#: ../../include/enotify.php:228 ../../include/enotify.php:270 -#, php-format -msgid "You may visit their profile at %s" -msgstr "你能看他的简介在%s" - -#: ../../include/enotify.php:230 -#, php-format -msgid "Please visit %s to approve or reject the introduction." -msgstr "请批准或拒绝介绍在%s" - -#: ../../include/enotify.php:238 -msgid "[Friendica:Notify] A new person is sharing with you" -msgstr "" - -#: ../../include/enotify.php:239 ../../include/enotify.php:240 -#, php-format -msgid "%1$s is sharing with you at %2$s" -msgstr "" - -#: ../../include/enotify.php:246 -msgid "[Friendica:Notify] You have a new follower" -msgstr "" - -#: ../../include/enotify.php:247 ../../include/enotify.php:248 -#, php-format -msgid "You have a new follower at %2$s : %1$s" -msgstr "" - -#: ../../include/enotify.php:261 -msgid "[Friendica:Notify] Friend suggestion received" -msgstr "[Friendica:Notify] 收到朋友建议" - -#: ../../include/enotify.php:262 -#, php-format -msgid "You've received a friend suggestion from '%1$s' at %2$s" -msgstr "您从「%2$s」收到[url=%1$s]一个朋友建议[/url]。" - -#: ../../include/enotify.php:263 +#: ../../mod/contacts.php:477 #, php-format msgid "" -"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." -msgstr "您从%3$s收到[url=%1$s]一个朋友建议[/url]为%2$s。" +"Please choose the profile you would like to display to %s when viewing your " +"profile securely." +msgstr "请选择简介您想给%s显示他安全地看您的简介的时候。" -#: ../../include/enotify.php:268 -msgid "Name:" -msgstr "名字:" +#: ../../mod/contacts.php:478 +msgid "Contact Information / Notes" +msgstr "熟人信息/便条" -#: ../../include/enotify.php:269 -msgid "Photo:" -msgstr "照片:" +#: ../../mod/contacts.php:479 +msgid "Edit contact notes" +msgstr "编辑熟人便条" -#: ../../include/enotify.php:272 +#: ../../mod/contacts.php:484 ../../mod/contacts.php:679 +#: ../../mod/viewcontacts.php:64 ../../mod/nogroup.php:40 #, php-format -msgid "Please visit %s to approve or reject the suggestion." -msgstr "请批准或拒绝建议在%s" +msgid "Visit %s's profile [%s]" +msgstr "看%s的简介[%s]" -#: ../../include/enotify.php:280 ../../include/enotify.php:293 -msgid "[Friendica:Notify] Connection accepted" -msgstr "" +#: ../../mod/contacts.php:485 +msgid "Block/Unblock contact" +msgstr "拦/否拦熟人" -#: ../../include/enotify.php:281 ../../include/enotify.php:294 -#, php-format -msgid "'%1$s' has acepted your connection request at %2$s" -msgstr "" +#: ../../mod/contacts.php:486 +msgid "Ignore contact" +msgstr "忽视熟人" -#: ../../include/enotify.php:282 ../../include/enotify.php:295 -#, php-format -msgid "%2$s has accepted your [url=%1$s]connection request[/url]." -msgstr "" +#: ../../mod/contacts.php:487 +msgid "Repair URL settings" +msgstr "维修URL设置" -#: ../../include/enotify.php:285 -msgid "" -"You are now mutual friends and may exchange status updates, photos, and email\n" -"\twithout restriction." -msgstr "" +#: ../../mod/contacts.php:488 +msgid "View conversations" +msgstr "看交流" -#: ../../include/enotify.php:288 ../../include/enotify.php:302 -#, php-format -msgid "Please visit %s if you wish to make any changes to this relationship." -msgstr "" - -#: ../../include/enotify.php:298 -#, 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:300 -#, 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:313 -msgid "[Friendica System:Notify] registration request" -msgstr "" - -#: ../../include/enotify.php:314 -#, php-format -msgid "You've received a registration request from '%1$s' at %2$s" -msgstr "" - -#: ../../include/enotify.php:315 -#, php-format -msgid "You've received a [url=%1$s]registration request[/url] from %2$s." -msgstr "" - -#: ../../include/enotify.php:318 -#, php-format -msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" -msgstr "" - -#: ../../include/enotify.php:321 -#, php-format -msgid "Please visit %s to approve or reject the request." -msgstr "" - -#: ../../include/api.php:262 ../../include/api.php:273 -#: ../../include/api.php:374 ../../include/api.php:958 -#: ../../include/api.php:960 -msgid "User not found." -msgstr "找不到用户" - -#: ../../include/api.php:1167 -msgid "There is no status with this id." -msgstr "没有什么状态跟这个ID" - -#: ../../include/api.php:1237 -msgid "There is no conversation with this id." -msgstr "没有这个ID的对话" - -#: ../../include/network.php:892 -msgid "view full size" -msgstr "看全尺寸" - -#: ../../include/Scrape.php:584 -msgid " on Last.fm" -msgstr "在Last.fm" - -#: ../../include/profile_advanced.php:15 ../../mod/settings.php:1125 -msgid "Full Name:" -msgstr "全名:" - -#: ../../include/profile_advanced.php:22 -msgid "j F, Y" -msgstr "j F, Y" - -#: ../../include/profile_advanced.php:23 -msgid "j F" -msgstr "j F" - -#: ../../include/profile_advanced.php:30 -msgid "Birthday:" -msgstr "生日:" - -#: ../../include/profile_advanced.php:34 -msgid "Age:" -msgstr "年纪:" - -#: ../../include/profile_advanced.php:43 -#, php-format -msgid "for %1$d %2$s" -msgstr "为%1$d %2$s" - -#: ../../include/profile_advanced.php:46 ../../mod/profiles.php:673 -msgid "Sexual Preference:" -msgstr "性取向" - -#: ../../include/profile_advanced.php:50 ../../mod/profiles.php:675 -msgid "Hometown:" -msgstr "故乡:" - -#: ../../include/profile_advanced.php:52 -msgid "Tags:" -msgstr "标签:" - -#: ../../include/profile_advanced.php:54 ../../mod/profiles.php:676 -msgid "Political Views:" -msgstr "政治观念:" - -#: ../../include/profile_advanced.php:56 -msgid "Religion:" -msgstr "宗教:" - -#: ../../include/profile_advanced.php:58 ../../mod/directory.php:144 -msgid "About:" -msgstr "关于:" - -#: ../../include/profile_advanced.php:60 -msgid "Hobbies/Interests:" -msgstr "爱好/兴趣" - -#: ../../include/profile_advanced.php:62 ../../mod/profiles.php:680 -msgid "Likes:" -msgstr "喜欢:" - -#: ../../include/profile_advanced.php:64 ../../mod/profiles.php:681 -msgid "Dislikes:" -msgstr "不喜欢:" - -#: ../../include/profile_advanced.php:67 -msgid "Contact information and Social Networks:" -msgstr "熟人消息和社会化网络" - -#: ../../include/profile_advanced.php:69 -msgid "Musical interests:" -msgstr "音乐兴趣:" - -#: ../../include/profile_advanced.php:71 -msgid "Books, literature:" -msgstr "书,文学" - -#: ../../include/profile_advanced.php:73 -msgid "Television:" -msgstr "电视:" - -#: ../../include/profile_advanced.php:75 -msgid "Film/dance/culture/entertainment:" -msgstr "电影/跳舞/文化/娱乐:" - -#: ../../include/profile_advanced.php:77 -msgid "Love/Romance:" -msgstr "爱情/浪漫" - -#: ../../include/profile_advanced.php:79 -msgid "Work/employment:" -msgstr "工作" - -#: ../../include/profile_advanced.php:81 -msgid "School/education:" -msgstr "学院/教育" - -#: ../../include/nav.php:34 ../../mod/navigation.php:20 -msgid "Nothing new here" -msgstr "这里没有什么新的" - -#: ../../include/nav.php:38 ../../mod/navigation.php:24 -msgid "Clear notifications" -msgstr "清理出通知" - -#: ../../include/nav.php:73 -msgid "End this session" -msgstr "结束这段时间" - -#: ../../include/nav.php:79 -msgid "Your videos" -msgstr "" - -#: ../../include/nav.php:81 -msgid "Your personal notes" -msgstr "" - -#: ../../include/nav.php:92 -msgid "Sign in" -msgstr "登记" - -#: ../../include/nav.php:105 -msgid "Home Page" -msgstr "主页" - -#: ../../include/nav.php:109 -msgid "Create an account" -msgstr "注册" - -#: ../../include/nav.php:114 ../../mod/help.php:84 -msgid "Help" -msgstr "帮助" - -#: ../../include/nav.php:114 -msgid "Help and documentation" -msgstr "帮助证件" - -#: ../../include/nav.php:117 -msgid "Apps" -msgstr "应用程序" - -#: ../../include/nav.php:117 -msgid "Addon applications, utilities, games" -msgstr "可加的应用,设施,游戏" - -#: ../../include/nav.php:119 ../../include/text.php:952 -#: ../../include/text.php:953 ../../mod/search.php:99 -msgid "Search" -msgstr "搜索" - -#: ../../include/nav.php:119 -msgid "Search site content" -msgstr "搜索网站内容" - -#: ../../include/nav.php:129 -msgid "Conversations on this site" -msgstr "这个网站的交谈" - -#: ../../include/nav.php:131 -msgid "Directory" -msgstr "名录" - -#: ../../include/nav.php:131 -msgid "People directory" -msgstr "人物名录" - -#: ../../include/nav.php:133 -msgid "Information" -msgstr "资料" - -#: ../../include/nav.php:133 -msgid "Information about this friendica instance" -msgstr "资料关于这个Friendica服务器" - -#: ../../include/nav.php:143 ../../mod/notifications.php:83 -msgid "Network" -msgstr "网络" - -#: ../../include/nav.php:143 -msgid "Conversations from your friends" -msgstr "从你朋友们的交谈" - -#: ../../include/nav.php:144 -msgid "Network Reset" -msgstr "网络重设" - -#: ../../include/nav.php:144 -msgid "Load Network page with no filters" -msgstr "表示网络页无滤器" - -#: ../../include/nav.php:152 ../../mod/notifications.php:98 -msgid "Introductions" -msgstr "介绍" - -#: ../../include/nav.php:152 -msgid "Friend Requests" -msgstr "友谊邀请" - -#: ../../include/nav.php:153 ../../mod/notifications.php:220 -msgid "Notifications" -msgstr "通知" - -#: ../../include/nav.php:154 -msgid "See all notifications" -msgstr "看所有的通知" - -#: ../../include/nav.php:155 -msgid "Mark all system notifications seen" -msgstr "记号各系统通知看过的" - -#: ../../include/nav.php:159 ../../mod/notifications.php:103 -#: ../../mod/message.php:182 -msgid "Messages" -msgstr "消息" - -#: ../../include/nav.php:159 -msgid "Private mail" -msgstr "私人的邮件" - -#: ../../include/nav.php:160 -msgid "Inbox" -msgstr "收件箱" - -#: ../../include/nav.php:161 -msgid "Outbox" -msgstr "发件箱" - -#: ../../include/nav.php:162 ../../mod/message.php:9 -msgid "New Message" -msgstr "新的消息" - -#: ../../include/nav.php:165 -msgid "Manage" -msgstr "代用户" - -#: ../../include/nav.php:165 -msgid "Manage other pages" -msgstr "管理别的页" - -#: ../../include/nav.php:168 ../../mod/settings.php:62 -msgid "Delegations" -msgstr "代表" - -#: ../../include/nav.php:168 ../../mod/delegate.php:124 -msgid "Delegate Page Management" -msgstr "页代表管理" - -#: ../../include/nav.php:170 -msgid "Account settings" -msgstr "帐户配置" - -#: ../../include/nav.php:173 -msgid "Manage/Edit Profiles" -msgstr "管理/编辑简介" - -#: ../../include/nav.php:175 -msgid "Manage/edit friends and contacts" -msgstr "管理/编朋友们和熟人们" - -#: ../../include/nav.php:182 ../../mod/admin.php:128 -msgid "Admin" -msgstr "管理" - -#: ../../include/nav.php:182 -msgid "Site setup and configuration" -msgstr "网站开办和配置" - -#: ../../include/nav.php:186 -msgid "Navigation" -msgstr "航行" - -#: ../../include/nav.php:186 -msgid "Site map" -msgstr "网站地图" - -#: ../../include/plugin.php:455 ../../include/plugin.php:457 -msgid "Click here to upgrade." -msgstr "这里点击为更新。" - -#: ../../include/plugin.php:463 -msgid "This action exceeds the limits set by your subscription plan." -msgstr "这个行动超过您订阅的限制。" - -#: ../../include/plugin.php:468 -msgid "This action is not available under your subscription plan." -msgstr "这个行动在您的订阅不可用的。" - -#: ../../include/follow.php:27 ../../mod/dfrn_request.php:507 -msgid "Disallowed profile URL." -msgstr "不允许的简介地址." - -#: ../../include/follow.php:32 -msgid "Connect URL missing." -msgstr "连接URL失踪的。" - -#: ../../include/follow.php:59 -msgid "" -"This site is not configured to allow communications with other networks." -msgstr "这网站没配置允许跟别的网络交流." - -#: ../../include/follow.php:60 ../../include/follow.php:80 -msgid "No compatible communication protocols or feeds were discovered." -msgstr "没有兼容协议或者摘要找到了." - -#: ../../include/follow.php:78 -msgid "The profile address specified does not provide adequate information." -msgstr "输入的简介地址没有够消息。" - -#: ../../include/follow.php:82 -msgid "An author or name was not found." -msgstr "找不到作者或名。" - -#: ../../include/follow.php:84 -msgid "No browser URL could be matched to this address." -msgstr "这个地址没有符合什么游览器URL。" - -#: ../../include/follow.php:86 -msgid "" -"Unable to match @-style Identity Address with a known protocol or email " -"contact." -msgstr "使不了知道的相配或邮件熟人相配 " - -#: ../../include/follow.php:87 -msgid "Use mailto: in front of address to force email check." -msgstr "输入mailto:地址前为要求电子邮件检查。" - -#: ../../include/follow.php:93 -msgid "" -"The profile address specified belongs to a network which has been disabled " -"on this site." -msgstr "输入的简介地址属在这个网站使不可用的网络。" - -#: ../../include/follow.php:103 -msgid "" -"Limited profile. This person will be unable to receive direct/personal " -"notifications from you." -msgstr "有限的简介。这人不会接受直达/私人通信从您。" - -#: ../../include/follow.php:205 -msgid "Unable to retrieve contact information." -msgstr "不能取回熟人消息。" - -#: ../../include/follow.php:259 -msgid "following" -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 "错误!文件没有版本数!这不是Friendica账户文件吗?" - -#: ../../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 "用户「%s」已经存在这个服务器!" - -#: ../../include/uimport.php:153 -msgid "User creation error" -msgstr "用户创造错误" - -#: ../../include/uimport.php:171 -msgid "User profile creation error" -msgstr "用户简介创造错误" - -#: ../../include/uimport.php:220 -#, php-format -msgid "%d contact not imported" -msgid_plural "%d contacts not imported" -msgstr[0] "%d熟人没进口了" - -#: ../../include/uimport.php:290 -msgid "Done. You can now login with your username and password" -msgstr "完了。您现在会用您用户名和密码登录" - -#: ../../include/event.php:11 ../../include/bb2diaspora.php:134 -#: ../../mod/localtime.php:12 -msgid "l F d, Y \\@ g:i A" -msgstr "l F d, Y \\@ g:i A" - -#: ../../include/event.php:20 ../../include/bb2diaspora.php:140 -msgid "Starts:" -msgstr "开始:" - -#: ../../include/event.php:30 ../../include/bb2diaspora.php:148 -msgid "Finishes:" -msgstr "结束:" - -#: ../../include/Contact.php:115 -msgid "stopped following" -msgstr "结束关注了" - -#: ../../include/Contact.php:228 ../../include/conversation.php:882 -msgid "Poke" -msgstr "戳" - -#: ../../include/Contact.php:229 ../../include/conversation.php:876 -msgid "View Status" -msgstr "看现状" - -#: ../../include/Contact.php:230 ../../include/conversation.php:877 -msgid "View Profile" -msgstr "看简介" - -#: ../../include/Contact.php:231 ../../include/conversation.php:878 -msgid "View Photos" -msgstr "看照片" - -#: ../../include/Contact.php:232 ../../include/Contact.php:255 -#: ../../include/conversation.php:879 -msgid "Network Posts" -msgstr "网络文章" - -#: ../../include/Contact.php:233 ../../include/Contact.php:255 -#: ../../include/conversation.php:880 -msgid "Edit Contact" -msgstr "编辑熟人" - -#: ../../include/Contact.php:234 -msgid "Drop Contact" +#: ../../mod/contacts.php:490 +msgid "Delete contact" msgstr "删除熟人" -#: ../../include/Contact.php:235 ../../include/Contact.php:255 -#: ../../include/conversation.php:881 -msgid "Send PM" -msgstr "法私人的新闻" +#: ../../mod/contacts.php:494 +msgid "Last update:" +msgstr "上个更新:" -#: ../../include/dbstructure.php:23 -#, php-format +#: ../../mod/contacts.php:496 +msgid "Update public posts" +msgstr "更新公开文章" + +#: ../../mod/contacts.php:498 ../../mod/admin.php:1503 +msgid "Update now" +msgstr "现在更新" + +#: ../../mod/contacts.php:505 +msgid "Currently blocked" +msgstr "现在拦的" + +#: ../../mod/contacts.php:506 +msgid "Currently ignored" +msgstr "现在不理的" + +#: ../../mod/contacts.php:507 +msgid "Currently archived" +msgstr "现在存档着" + +#: ../../mod/contacts.php:508 ../../mod/notifications.php:157 +#: ../../mod/notifications.php:204 +msgid "Hide this contact from others" +msgstr "隐藏这个熟人给别人" + +#: ../../mod/contacts.php:508 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 "" +"Replies/likes to your public posts may still be visible" +msgstr "回答/喜欢关您公开文章还可见的" -#: ../../include/dbstructure.php:28 -#, php-format +#: ../../mod/contacts.php:509 +msgid "Notification for new posts" +msgstr "新消息提示" + +#: ../../mod/contacts.php:509 +msgid "Send a notification of every new post of this contact" +msgstr "发提示在所有这个联络的新消息" + +#: ../../mod/contacts.php:510 +msgid "Fetch further information for feeds" +msgstr "拿文源别的消息" + +#: ../../mod/contacts.php:511 +msgid "Disabled" +msgstr "已停用" + +#: ../../mod/contacts.php:511 +msgid "Fetch information" +msgstr "取消息" + +#: ../../mod/contacts.php:511 +msgid "Fetch information and keywords" +msgstr "取消息和关键词" + +#: ../../mod/contacts.php:513 +msgid "Blacklisted keywords" +msgstr "黑名单关键词" + +#: ../../mod/contacts.php:513 msgid "" -"The error message is\n" -"[pre]%s[/pre]" -msgstr "" +"Comma separated list of keywords that should not be converted to hashtags, " +"when \"Fetch information and keywords\" is selected" +msgstr "逗号分的关键词不应该翻译成主题标签,如果“取消息和关键词”选择的。" -#: ../../include/dbstructure.php:181 -msgid "Errors encountered creating database tables." -msgstr "造成数据库列表相遇错误。" +#: ../../mod/contacts.php:564 +msgid "Suggestions" +msgstr "建议" -#: ../../include/dbstructure.php:239 -msgid "Errors encountered performing database changes." -msgstr "" +#: ../../mod/contacts.php:567 +msgid "Suggest potential friends" +msgstr "建议潜在朋友们" -#: ../../include/datetime.php:43 ../../include/datetime.php:45 -msgid "Miscellaneous" -msgstr "形形色色" +#: ../../mod/contacts.php:570 ../../mod/group.php:194 +msgid "All Contacts" +msgstr "所有的熟人" -#: ../../include/datetime.php:153 ../../include/datetime.php:285 -msgid "year" -msgstr "年" +#: ../../mod/contacts.php:573 +msgid "Show all contacts" +msgstr "表示所有的熟人" -#: ../../include/datetime.php:158 ../../include/datetime.php:286 -msgid "month" -msgstr "月" +#: ../../mod/contacts.php:576 +msgid "Unblocked" +msgstr "不拦了" -#: ../../include/datetime.php:163 ../../include/datetime.php:288 -msgid "day" -msgstr "日" +#: ../../mod/contacts.php:579 +msgid "Only show unblocked contacts" +msgstr "只表示不拦的熟人" -#: ../../include/datetime.php:276 -msgid "never" -msgstr "从未" +#: ../../mod/contacts.php:583 +msgid "Blocked" +msgstr "拦了" -#: ../../include/datetime.php:282 -msgid "less than a second ago" -msgstr "一秒以内" +#: ../../mod/contacts.php:586 +msgid "Only show blocked contacts" +msgstr "只表示拦的熟人" -#: ../../include/datetime.php:285 -msgid "years" -msgstr "年" +#: ../../mod/contacts.php:590 +msgid "Ignored" +msgstr "忽视的" -#: ../../include/datetime.php:286 -msgid "months" -msgstr "月" +#: ../../mod/contacts.php:593 +msgid "Only show ignored contacts" +msgstr "只表示忽视的熟人" -#: ../../include/datetime.php:287 -msgid "week" -msgstr "星期" +#: ../../mod/contacts.php:597 +msgid "Archived" +msgstr "在存档" -#: ../../include/datetime.php:287 -msgid "weeks" -msgstr "星期" +#: ../../mod/contacts.php:600 +msgid "Only show archived contacts" +msgstr "只表示档案熟人" -#: ../../include/datetime.php:288 -msgid "days" -msgstr "天" +#: ../../mod/contacts.php:604 +msgid "Hidden" +msgstr "隐藏的" -#: ../../include/datetime.php:289 -msgid "hour" -msgstr "小时" +#: ../../mod/contacts.php:607 +msgid "Only show hidden contacts" +msgstr "只表示隐藏的熟人" -#: ../../include/datetime.php:289 -msgid "hours" -msgstr "小时" +#: ../../mod/contacts.php:655 +msgid "Mutual Friendship" +msgstr "共同友谊" -#: ../../include/datetime.php:290 -msgid "minute" -msgstr "分钟" +#: ../../mod/contacts.php:659 +msgid "is a fan of yours" +msgstr "是您迷" -#: ../../include/datetime.php:290 -msgid "minutes" -msgstr "分钟" +#: ../../mod/contacts.php:663 +msgid "you are a fan of" +msgstr "你喜欢" -#: ../../include/datetime.php:291 -msgid "second" -msgstr "秒" +#: ../../mod/contacts.php:680 ../../mod/nogroup.php:41 +msgid "Edit contact" +msgstr "编熟人" -#: ../../include/datetime.php:291 -msgid "seconds" -msgstr "秒" +#: ../../mod/contacts.php:702 ../../include/nav.php:177 +#: ../../view/theme/diabook/theme.php:125 +msgid "Contacts" +msgstr "熟人" -#: ../../include/datetime.php:300 -#, php-format -msgid "%1$d %2$s ago" -msgstr "%1$d %2$s以前" +#: ../../mod/contacts.php:706 +msgid "Search your contacts" +msgstr "搜索您的熟人" -#: ../../include/message.php:15 ../../include/message.php:172 -msgid "[no subject]" -msgstr "[无题目]" +#: ../../mod/contacts.php:707 ../../mod/directory.php:61 +msgid "Finding: " +msgstr "找着:" -#: ../../include/delivery.php:456 ../../include/notifier.php:774 -msgid "(no subject)" -msgstr "沒有题目" +#: ../../mod/contacts.php:708 ../../mod/directory.php:63 +#: ../../include/contact_widgets.php:34 +msgid "Find" +msgstr "搜索" -#: ../../include/contact_selectors.php:32 -msgid "Unknown | Not categorised" -msgstr "未知的 |无分类" +#: ../../mod/contacts.php:713 ../../mod/settings.php:132 +#: ../../mod/settings.php:640 +msgid "Update" +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:542 -msgid "Frequently" -msgstr "时常" - -#: ../../include/contact_selectors.php:57 ../../mod/admin.php:543 -msgid "Hourly" -msgstr "每小时" - -#: ../../include/contact_selectors.php:58 ../../mod/admin.php:544 -msgid "Twice daily" -msgstr "每日两次" - -#: ../../include/contact_selectors.php:59 ../../mod/admin.php:545 -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:840 -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:964 -#: ../../mod/admin.php:976 ../../mod/admin.php:977 ../../mod/admin.php:992 -msgid "Email" -msgstr "电子邮件" - -#: ../../include/contact_selectors.php:80 ../../mod/settings.php:733 -#: ../../mod/dfrn_request.php:842 -msgid "Diaspora" -msgstr "Diaspora" - -#: ../../include/contact_selectors.php:81 ../../mod/newmember.php:49 -#: ../../mod/newmember.php:51 -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 "Statusnet" -msgstr "Statusnet" - -#: ../../include/contact_selectors.php:92 -msgid "App.net" -msgstr "" - -#: ../../include/diaspora.php:620 ../../include/conversation.php:172 -#: ../../mod/dfrn_confirm.php:486 -#, php-format -msgid "%1$s is now friends with %2$s" -msgstr "%1$s是成为%2$s的朋友" - -#: ../../include/diaspora.php:703 -msgid "Sharing notification from Diaspora network" -msgstr "分享通知从Diaspora网络" - -#: ../../include/diaspora.php:2312 -msgid "Attachments:" -msgstr "附件:" - -#: ../../include/conversation.php:140 ../../mod/like.php:168 -#, php-format -msgid "%1$s doesn't like %2$s's %3$s" -msgstr "%1$s不喜欢%2$s的%3$s" - -#: ../../include/conversation.php:207 -#, php-format -msgid "%1$s poked %2$s" -msgstr "%1$s把%2$s戳" - -#: ../../include/conversation.php:211 ../../include/text.php:1004 -msgid "poked" -msgstr "戳了" - -#: ../../include/conversation.php:227 ../../mod/mood.php:62 -#, php-format -msgid "%1$s is currently %2$s" -msgstr "%1$s现在是%2$s" - -#: ../../include/conversation.php:266 ../../mod/tagger.php:95 -#, php-format -msgid "%1$s tagged %2$s's %3$s with %4$s" -msgstr "%1$s把%4$s标签%2$s的%3$s" - -#: ../../include/conversation.php:291 -msgid "post/item" -msgstr "文章/项目" - -#: ../../include/conversation.php:292 -#, php-format -msgid "%1$s marked %2$s's %3$s as favorite" -msgstr "%1$s标注%2$s的%3$s为偏爱" - -#: ../../include/conversation.php:613 ../../object/Item.php:129 -#: ../../mod/photos.php:1651 ../../mod/content.php:437 -#: ../../mod/content.php:740 -msgid "Select" -msgstr "选择" - -#: ../../include/conversation.php:614 ../../object/Item.php:130 -#: ../../mod/group.php:171 ../../mod/settings.php:674 -#: ../../mod/contacts.php:709 ../../mod/admin.php:968 -#: ../../mod/photos.php:1652 ../../mod/content.php:438 -#: ../../mod/content.php:741 +#: ../../mod/contacts.php:717 ../../mod/group.php:171 ../../mod/admin.php:1007 +#: ../../mod/content.php:438 ../../mod/content.php:741 +#: ../../mod/settings.php:677 ../../mod/photos.php:1654 +#: ../../object/Item.php:130 ../../include/conversation.php:614 msgid "Delete" msgstr "删除" -#: ../../include/conversation.php:654 ../../object/Item.php:326 -#: ../../object/Item.php:327 ../../mod/content.php:471 -#: ../../mod/content.php:852 ../../mod/content.php:853 -#, php-format -msgid "View %s's profile @ %s" -msgstr "看%s的简介@ %s" - -#: ../../include/conversation.php:666 ../../object/Item.php:316 -msgid "Categories:" -msgstr "种类:" - -#: ../../include/conversation.php:667 ../../object/Item.php:317 -msgid "Filed under:" -msgstr "归档在:" - -#: ../../include/conversation.php:674 ../../object/Item.php:340 -#: ../../mod/content.php:481 ../../mod/content.php:864 -#, php-format -msgid "%s from %s" -msgstr "%s从%s" - -#: ../../include/conversation.php:690 ../../mod/content.php:497 -msgid "View in context" -msgstr "看在上下文" - -#: ../../include/conversation.php:692 ../../include/conversation.php:1109 -#: ../../object/Item.php:364 ../../mod/wallmessage.php:156 -#: ../../mod/editpost.php:124 ../../mod/photos.php:1543 -#: ../../mod/message.php:334 ../../mod/message.php:565 -#: ../../mod/content.php:499 ../../mod/content.php:883 -msgid "Please wait" -msgstr "请等一下" - -#: ../../include/conversation.php:772 -msgid "remove" -msgstr "删除" - -#: ../../include/conversation.php:776 -msgid "Delete Selected Items" -msgstr "删除选的项目" - -#: ../../include/conversation.php:875 -msgid "Follow Thread" -msgstr "关注线绳" - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s likes this." -msgstr "%s喜欢这个." - -#: ../../include/conversation.php:944 -#, php-format -msgid "%s doesn't like this." -msgstr "%s没有喜欢这个." - -#: ../../include/conversation.php:949 -#, php-format -msgid "%2$d people like this" -msgstr "%2$d人们喜欢这个" - -#: ../../include/conversation.php:952 -#, php-format -msgid "%2$d people don't like this" -msgstr "%2$d人们不喜欢这个" - -#: ../../include/conversation.php:966 -msgid "and" -msgstr "和" - -#: ../../include/conversation.php:972 -#, php-format -msgid ", and %d other people" -msgstr ",和%d别人" - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s like this." -msgstr "%s喜欢这个" - -#: ../../include/conversation.php:974 -#, php-format -msgid "%s don't like this." -msgstr "%s不喜欢这个" - -#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 -msgid "Visible to everybody" -msgstr "大家可见的" - -#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 -#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 -#: ../../mod/message.php:283 ../../mod/message.php:291 -#: ../../mod/message.php:466 ../../mod/message.php:474 -msgid "Please enter a link URL:" -msgstr "请输入环节URL:" - -#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 -msgid "Please enter a video link/URL:" -msgstr "请输入视频连接/URL:" - -#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 -msgid "Please enter an audio link/URL:" -msgstr "请输入音响连接/URL:" - -#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 -msgid "Tag term:" -msgstr "标签:" - -#: ../../include/conversation.php:1006 ../../include/conversation.php:1024 -#: ../../mod/filer.php:30 -msgid "Save to Folder:" -msgstr "保存再文件夹:" - -#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 -msgid "Where are you right now?" -msgstr "你在哪里?" - -#: ../../include/conversation.php:1008 -msgid "Delete item(s)?" -msgstr "把项目删除吗?" - -#: ../../include/conversation.php:1051 -msgid "Post to Email" -msgstr "电邮发布" - -#: ../../include/conversation.php:1056 -#, php-format -msgid "Connectors disabled, since \"%s\" is enabled." -msgstr "" - -#: ../../include/conversation.php:1057 ../../mod/settings.php:1025 -msgid "Hide your profile details from unknown viewers?" -msgstr "使简介信息给陌生的看着看不了?" - -#: ../../include/conversation.php:1090 ../../mod/photos.php:1542 -msgid "Share" -msgstr "分享" - -#: ../../include/conversation.php:1091 ../../mod/wallmessage.php:154 -#: ../../mod/editpost.php:110 ../../mod/message.php:332 -#: ../../mod/message.php:562 -msgid "Upload photo" -msgstr "上传照片" - -#: ../../include/conversation.php:1092 ../../mod/editpost.php:111 -msgid "upload photo" -msgstr "上传照片" - -#: ../../include/conversation.php:1093 ../../mod/editpost.php:112 -msgid "Attach file" -msgstr "附上文件" - -#: ../../include/conversation.php:1094 ../../mod/editpost.php:113 -msgid "attach file" -msgstr "附上文件" - -#: ../../include/conversation.php:1095 ../../mod/wallmessage.php:155 -#: ../../mod/editpost.php:114 ../../mod/message.php:333 -#: ../../mod/message.php:563 -msgid "Insert web link" -msgstr "插入网页环节" - -#: ../../include/conversation.php:1096 ../../mod/editpost.php:115 -msgid "web link" -msgstr "网页环节" - -#: ../../include/conversation.php:1097 ../../mod/editpost.php:116 -msgid "Insert video link" -msgstr "插入视频环节" - -#: ../../include/conversation.php:1098 ../../mod/editpost.php:117 -msgid "video link" -msgstr "视频环节" - -#: ../../include/conversation.php:1099 ../../mod/editpost.php:118 -msgid "Insert audio link" -msgstr "插入录音环节" - -#: ../../include/conversation.php:1100 ../../mod/editpost.php:119 -msgid "audio link" -msgstr "录音环节" - -#: ../../include/conversation.php:1101 ../../mod/editpost.php:120 -msgid "Set your location" -msgstr "设定您的位置" - -#: ../../include/conversation.php:1102 ../../mod/editpost.php:121 -msgid "set location" -msgstr "指定位置" - -#: ../../include/conversation.php:1103 ../../mod/editpost.php:122 -msgid "Clear browser location" -msgstr "清空浏览器位置" - -#: ../../include/conversation.php:1104 ../../mod/editpost.php:123 -msgid "clear location" -msgstr "清理出位置" - -#: ../../include/conversation.php:1106 ../../mod/editpost.php:137 -msgid "Set title" -msgstr "指定标题" - -#: ../../include/conversation.php:1108 ../../mod/editpost.php:139 -msgid "Categories (comma-separated list)" -msgstr "种类(逗号分隔单)" - -#: ../../include/conversation.php:1110 ../../mod/editpost.php:125 -msgid "Permission settings" -msgstr "权设置" - -#: ../../include/conversation.php:1111 -msgid "permissions" -msgstr "权利" - -#: ../../include/conversation.php:1119 ../../mod/editpost.php:133 -msgid "CC: email addresses" -msgstr "抄送: 电子邮件地址" - -#: ../../include/conversation.php:1120 ../../mod/editpost.php:134 -msgid "Public post" -msgstr "公开的消息" - -#: ../../include/conversation.php:1122 ../../mod/editpost.php:140 -msgid "Example: bob@example.com, mary@example.com" -msgstr "比如: li@example.com, wang@example.com" - -#: ../../include/conversation.php:1126 ../../object/Item.php:687 -#: ../../mod/editpost.php:145 ../../mod/photos.php:1564 -#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 -#: ../../mod/content.php:719 -msgid "Preview" -msgstr "预演" - -#: ../../include/conversation.php:1135 -msgid "Post to Groups" -msgstr "发到组" - -#: ../../include/conversation.php:1136 -msgid "Post to Contacts" -msgstr "发到熟人" - -#: ../../include/conversation.php:1137 -msgid "Private post" -msgstr "私人文章" - -#: ../../include/text.php:296 -msgid "newer" -msgstr "更新" - -#: ../../include/text.php:298 -msgid "older" -msgstr "更旧" - -#: ../../include/text.php:303 -msgid "prev" -msgstr "上个" - -#: ../../include/text.php:305 -msgid "first" -msgstr "首先" - -#: ../../include/text.php:337 -msgid "last" -msgstr "最后" - -#: ../../include/text.php:340 -msgid "next" -msgstr "下个" - -#: ../../include/text.php:854 -msgid "No contacts" -msgstr "没有熟人" - -#: ../../include/text.php:863 -#, php-format -msgid "%d Contact" -msgid_plural "%d Contacts" -msgstr[0] "%d熟人" - -#: ../../include/text.php:875 ../../mod/viewcontacts.php:76 -msgid "View Contacts" -msgstr "看熟人" - -#: ../../include/text.php:955 ../../mod/editpost.php:109 -#: ../../mod/notes.php:63 ../../mod/filer.php:31 -msgid "Save" -msgstr "保存" - -#: ../../include/text.php:1004 -msgid "poke" -msgstr "戳" - -#: ../../include/text.php:1005 -msgid "ping" -msgstr "砰" - -#: ../../include/text.php:1005 -msgid "pinged" -msgstr "砰了" - -#: ../../include/text.php:1006 -msgid "prod" -msgstr "柔戳" - -#: ../../include/text.php:1006 -msgid "prodded" -msgstr "柔戳了" - -#: ../../include/text.php:1007 -msgid "slap" -msgstr "掌击" - -#: ../../include/text.php:1007 -msgid "slapped" -msgstr "掌击了" - -#: ../../include/text.php:1008 -msgid "finger" -msgstr "指" - -#: ../../include/text.php:1008 -msgid "fingered" -msgstr "指了" - -#: ../../include/text.php:1009 -msgid "rebuff" -msgstr "窝脖儿" - -#: ../../include/text.php:1009 -msgid "rebuffed" -msgstr "窝脖儿了" - -#: ../../include/text.php:1023 -msgid "happy" -msgstr "开心" - -#: ../../include/text.php:1024 -msgid "sad" -msgstr "伤心" - -#: ../../include/text.php:1025 -msgid "mellow" -msgstr "轻松" - -#: ../../include/text.php:1026 -msgid "tired" -msgstr "累" - -#: ../../include/text.php:1027 -msgid "perky" -msgstr "机敏" - -#: ../../include/text.php:1028 -msgid "angry" -msgstr "生气" - -#: ../../include/text.php:1029 -msgid "stupified" -msgstr "麻醉" - -#: ../../include/text.php:1030 -msgid "puzzled" -msgstr "纳闷" - -#: ../../include/text.php:1031 -msgid "interested" -msgstr "有兴趣" - -#: ../../include/text.php:1032 -msgid "bitter" -msgstr "苦" - -#: ../../include/text.php:1033 -msgid "cheerful" -msgstr "快乐" - -#: ../../include/text.php:1034 -msgid "alive" -msgstr "活着" - -#: ../../include/text.php:1035 -msgid "annoyed" -msgstr "被烦恼" - -#: ../../include/text.php:1036 -msgid "anxious" -msgstr "心焦" - -#: ../../include/text.php:1037 -msgid "cranky" -msgstr "不稳" - -#: ../../include/text.php:1038 -msgid "disturbed" -msgstr "不安" - -#: ../../include/text.php:1039 -msgid "frustrated" -msgstr "被作梗" - -#: ../../include/text.php:1040 -msgid "motivated" -msgstr "士气高涨" - -#: ../../include/text.php:1041 -msgid "relaxed" -msgstr "轻松" - -#: ../../include/text.php:1042 -msgid "surprised" -msgstr "诧异" - -#: ../../include/text.php:1210 -msgid "Monday" -msgstr "星期一" - -#: ../../include/text.php:1210 -msgid "Tuesday" -msgstr "星期二" - -#: ../../include/text.php:1210 -msgid "Wednesday" -msgstr "星期三" - -#: ../../include/text.php:1210 -msgid "Thursday" -msgstr "星期四" - -#: ../../include/text.php:1210 -msgid "Friday" -msgstr "星期五" - -#: ../../include/text.php:1210 -msgid "Saturday" -msgstr "星期六" - -#: ../../include/text.php:1210 -msgid "Sunday" -msgstr "星期天" - -#: ../../include/text.php:1214 -msgid "January" -msgstr "一月" - -#: ../../include/text.php:1214 -msgid "February" -msgstr "二月" - -#: ../../include/text.php:1214 -msgid "March" -msgstr "三月" - -#: ../../include/text.php:1214 -msgid "April" -msgstr "四月" - -#: ../../include/text.php:1214 -msgid "May" -msgstr "五月" - -#: ../../include/text.php:1214 -msgid "June" -msgstr "六月" - -#: ../../include/text.php:1214 -msgid "July" -msgstr "七月" - -#: ../../include/text.php:1214 -msgid "August" -msgstr "八月" - -#: ../../include/text.php:1214 -msgid "September" -msgstr "九月" - -#: ../../include/text.php:1214 -msgid "October" -msgstr "十月" - -#: ../../include/text.php:1214 -msgid "November" -msgstr "十一月" - -#: ../../include/text.php:1214 -msgid "December" -msgstr "十二月" - -#: ../../include/text.php:1403 ../../mod/videos.php:301 -msgid "View Video" -msgstr "看视频" - -#: ../../include/text.php:1435 -msgid "bytes" -msgstr "字节" - -#: ../../include/text.php:1459 ../../include/text.php:1471 -msgid "Click to open/close" -msgstr "点击为开关" - -#: ../../include/text.php:1645 ../../include/text.php:1655 -#: ../../mod/events.php:335 -msgid "link to source" -msgstr "链接到来源" - -#: ../../include/text.php:1700 ../../include/user.php:247 -msgid "default" -msgstr "默认" - -#: ../../include/text.php:1712 -msgid "Select an alternate language" -msgstr "选择别的语言" - -#: ../../include/text.php:1968 -msgid "activity" -msgstr "活动" - -#: ../../include/text.php:1970 ../../object/Item.php:389 -#: ../../object/Item.php:402 ../../mod/content.php:605 -msgid "comment" -msgid_plural "comments" -msgstr[0] "评论" - -#: ../../include/text.php:1971 -msgid "post" -msgstr "文章" - -#: ../../include/text.php:2139 -msgid "Item filed" -msgstr "把项目归档了" - -#: ../../include/auth.php:38 -msgid "Logged out." -msgstr "注销了" - -#: ../../include/auth.php:112 ../../include/auth.php:175 -#: ../../mod/openid.php:93 +#: ../../mod/hcard.php:10 +msgid "No profile" +msgstr "无简介" + +#: ../../mod/manage.php:106 +msgid "Manage Identities and/or Pages" +msgstr "管理身份或页" + +#: ../../mod/manage.php:107 +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:108 +msgid "Select an identity to manage: " +msgstr "选择同一个人管理:" + +#: ../../mod/oexchange.php:25 +msgid "Post successful." +msgstr "评论发表了。" + +#: ../../mod/profperm.php:19 ../../mod/group.php:72 ../../index.php:368 +msgid "Permission denied" +msgstr "权限不够" + +#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 +msgid "Invalid profile identifier." +msgstr "无限的简介标识符。" + +#: ../../mod/profperm.php:101 +msgid "Profile Visibility Editor" +msgstr "简介能见度编辑器。" + +#: ../../mod/profperm.php:103 ../../mod/newmember.php:32 ../../boot.php:2119 +#: ../../include/profile_advanced.php:7 ../../include/profile_advanced.php:87 +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Profile" +msgstr "简介" + +#: ../../mod/profperm.php:105 ../../mod/group.php:224 +msgid "Click on a contact to add or remove." +msgstr "点击熟人为添加或删除。" + +#: ../../mod/profperm.php:114 +msgid "Visible To" +msgstr "能见被" + +#: ../../mod/profperm.php:130 +msgid "All Contacts (with secure profile access)" +msgstr "所有熟人(跟安全地简介使用权)" + +#: ../../mod/display.php:82 ../../mod/display.php:284 +#: ../../mod/display.php:503 ../../mod/viewsrc.php:15 ../../mod/admin.php:169 +#: ../../mod/admin.php:1052 ../../mod/admin.php:1265 ../../mod/notice.php:15 +#: ../../include/items.php:4516 +msgid "Item not found." +msgstr "项目找不到。" + +#: ../../mod/display.php:212 ../../mod/videos.php:115 +#: ../../mod/viewcontacts.php:19 ../../mod/community.php:18 +#: ../../mod/dfrn_request.php:762 ../../mod/search.php:89 +#: ../../mod/directory.php:33 ../../mod/photos.php:920 +msgid "Public access denied." +msgstr "公众看拒绝" + +#: ../../mod/display.php:332 ../../mod/profile.php:155 +msgid "Access to this profile has been restricted." +msgstr "使用权这个简介被限制了." + +#: ../../mod/display.php:496 +msgid "Item has been removed." +msgstr "项目被删除了。" + +#: ../../mod/newmember.php:6 +msgid "Welcome to Friendica" +msgstr "Friendica欢迎你" + +#: ../../mod/newmember.php:8 +msgid "New Member Checklist" +msgstr "新的成员一览表" + +#: ../../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 "Friendica游览" + +#: ../../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:22 ../../mod/admin.php:1104 +#: ../../mod/admin.php:1325 ../../mod/settings.php:85 +#: ../../include/nav.php:172 ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:648 +msgid "Settings" +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 "校对别的设置,特别隐私设置。一个未出版的目录项目是跟未出版的电话号码一样。平时,你可能应该出版你的目录项目-除非都你的朋友们和可交的朋友们已经知道确切地怎么找你。" + +#: ../../mod/newmember.php:36 ../../mod/profile_photo.php:244 +#: ../../mod/profiles.php:699 +msgid "Upload Profile Photo" +msgstr "上传简历照片" + +#: ../../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 "上传一张简历照片除非你已经做过。研究表明有真正自己的照片的人比没有的交朋友们可能多十倍。" + +#: ../../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 "随意编你的公开的简历。评论设置为藏起来你的朋友表和简历过陌生来客。" + +#: ../../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 "指定一些公开关键字在您的默认简介描述您兴趣。我们可能找得了别人有相似兴趣和建议友谊。" + +#: ../../mod/newmember.php:44 +msgid "Connecting" +msgstr "连接着" + +#: ../../mod/newmember.php:49 ../../mod/newmember.php:51 +#: ../../include/contact_selectors.php:81 +msgid "Facebook" +msgstr "Facebook" + +#: ../../mod/newmember.php:49 +msgid "" +"Authorise the Facebook Connector if you currently have a Facebook account " +"and we will (optionally) import all your Facebook friends and conversations." +msgstr "要是你有一个Facebook账户,批准Facebook插销。我们来(可选的)进口都你Facebook朋友们和交谈。" + +#: ../../mod/newmember.php:51 +msgid "" +"If this is your own personal server, installing the Facebook addon " +"may ease your transition to the free social web." +msgstr "要是这是你的私利服务器,安装Facebook插件会把你的过渡到自由社会化网络自在一点。" + +#: ../../mod/newmember.php:56 +msgid "Importing Emails" +msgstr "进口着邮件" + +#: ../../mod/newmember.php:56 +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 "输入你电子邮件使用信息在插销设置页,要是你想用你的电子邮件进口和互动朋友们或邮件表。" + +#: ../../mod/newmember.php:58 +msgid "Go to Your Contacts Page" +msgstr "您的熟人页" + +#: ../../mod/newmember.php:58 +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 "您熟人页是您门口为管理熟人和连接朋友们在别的网络。典型您输入他的地址或者网站URL在添加新熟人对话框。" + +#: ../../mod/newmember.php:60 +msgid "Go to Your Site's Directory" +msgstr "您网站的目录" + +#: ../../mod/newmember.php:60 +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:62 +msgid "Finding New People" +msgstr "找新人" + +#: ../../mod/newmember.php:62 +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 "在熟人页的工具栏有一些工具为找新朋友们。我们会使人们相配按名或兴趣,和以网络关系作为提醒建议的根据。在新网站,朋友建议平常开始24小时后。" + +#: ../../mod/newmember.php:66 ../../include/group.php:270 +msgid "Groups" +msgstr "组" + +#: ../../mod/newmember.php:70 +msgid "Group Your Contacts" +msgstr "把熟人组起来" + +#: ../../mod/newmember.php:70 +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:73 +msgid "Why Aren't My Posts Public?" +msgstr "我文章怎么没公开的?" + +#: ../../mod/newmember.php:73 +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:78 +msgid "Getting Help" +msgstr "怎么获得帮助" + +#: ../../mod/newmember.php:82 +msgid "Go to the Help Section" +msgstr "看帮助部分" + +#: ../../mod/newmember.php:82 +msgid "" +"Our help pages may be consulted for detail on other program" +" features and resources." +msgstr "我们帮助页可查阅到详情关于别的编程特点和资源。" + +#: ../../mod/openid.php:24 +msgid "OpenID protocol error. No ID returned." +msgstr "OpenID协议错误。没ID还。 " + +#: ../../mod/openid.php:53 +msgid "" +"Account not found and OpenID registration is not permitted on this site." +msgstr "找不到账户和OpenID注册不允许。" + +#: ../../mod/openid.php:93 ../../include/auth.php:112 +#: ../../include/auth.php:175 msgid "Login failed." msgstr "登记失败了。" -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "" -"We encountered a problem while logging in with the OpenID you provided. " -"Please check the correct spelling of the ID." -msgstr "我们用您输入的OpenID登录的时候碰到问题。请核实拼法是对的。" +#: ../../mod/profile_photo.php:44 +msgid "Image uploaded but image cropping failed." +msgstr "照片上传去了,但修剪失灵。" -#: ../../include/auth.php:128 ../../include/user.php:67 -msgid "The error message was:" -msgstr "错误通知是:" +#: ../../mod/profile_photo.php:74 ../../mod/profile_photo.php:81 +#: ../../mod/profile_photo.php:88 ../../mod/profile_photo.php:204 +#: ../../mod/profile_photo.php:296 ../../mod/profile_photo.php:305 +#: ../../mod/photos.php:155 ../../mod/photos.php:731 ../../mod/photos.php:1187 +#: ../../mod/photos.php:1210 ../../include/user.php:335 +#: ../../include/user.php:342 ../../include/user.php:349 +#: ../../view/theme/diabook/theme.php:500 +msgid "Profile Photos" +msgstr "简介照片" -#: ../../include/bbcode.php:449 ../../include/bbcode.php:1050 -#: ../../include/bbcode.php:1051 -msgid "Image/photo" -msgstr "图像/照片" - -#: ../../include/bbcode.php:545 +#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 +#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 #, php-format -msgid "%2$s %3$s" -msgstr "" +msgid "Image size reduction [%s] failed." +msgstr "照片减少[%s]失灵。" -#: ../../include/bbcode.php:579 +#: ../../mod/profile_photo.php:118 +msgid "" +"Shift-reload the page or clear browser cache if the new photo does not " +"display immediately." +msgstr "万一新照片一会出现,换档重新加载或者成为空浏览器高速缓存。" + +#: ../../mod/profile_photo.php:128 +msgid "Unable to process image" +msgstr "不能处理照片" + +#: ../../mod/profile_photo.php:144 ../../mod/wall_upload.php:122 +#, php-format +msgid "Image exceeds size limit of %d" +msgstr "图像超标最大极限尺寸 %d" + +#: ../../mod/profile_photo.php:153 ../../mod/wall_upload.php:144 +#: ../../mod/photos.php:807 +msgid "Unable to process image." +msgstr "处理不了图像." + +#: ../../mod/profile_photo.php:242 +msgid "Upload File:" +msgstr "上传文件:" + +#: ../../mod/profile_photo.php:243 +msgid "Select a profile:" +msgstr "选择一个简介" + +#: ../../mod/profile_photo.php:245 +msgid "Upload" +msgstr "上传" + +#: ../../mod/profile_photo.php:248 ../../mod/settings.php:1062 +msgid "or" +msgstr "或者" + +#: ../../mod/profile_photo.php:248 +msgid "skip this step" +msgstr "略过这步" + +#: ../../mod/profile_photo.php:248 +msgid "select a photo from your photo albums" +msgstr "从您的照片册选择一片。" + +#: ../../mod/profile_photo.php:262 +msgid "Crop Image" +msgstr "修剪照片" + +#: ../../mod/profile_photo.php:263 +msgid "Please adjust the image cropping for optimum viewing." +msgstr "请调图片剪裁为最好看。" + +#: ../../mod/profile_photo.php:265 +msgid "Done Editing" +msgstr "编完了" + +#: ../../mod/profile_photo.php:299 +msgid "Image uploaded successfully." +msgstr "照片成功地上传了" + +#: ../../mod/profile_photo.php:301 ../../mod/wall_upload.php:172 +#: ../../mod/photos.php:834 +msgid "Image upload failed." +msgstr "图像上载失败了." + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../include/conversation.php:126 ../../include/conversation.php:254 +#: ../../include/text.php:1968 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:471 +msgid "photo" +msgstr "照片" + +#: ../../mod/subthread.php:87 ../../mod/tagger.php:62 ../../mod/like.php:149 +#: ../../mod/like.php:319 ../../include/conversation.php:121 +#: ../../include/conversation.php:130 ../../include/conversation.php:249 +#: ../../include/conversation.php:258 ../../include/diaspora.php:2087 +#: ../../view/theme/diabook/theme.php:466 +#: ../../view/theme/diabook/theme.php:475 +msgid "status" +msgstr "现状" + +#: ../../mod/subthread.php:103 +#, php-format +msgid "%1$s is following %2$s's %3$s" +msgstr "%1$s关注着%2$s的%3$s" + +#: ../../mod/tagrm.php:41 +msgid "Tag removed" +msgstr "标签去除了" + +#: ../../mod/tagrm.php:79 +msgid "Remove Item Tag" +msgstr "去除项目标签" + +#: ../../mod/tagrm.php:81 +msgid "Select a tag to remove: " +msgstr "选择标签去除" + +#: ../../mod/tagrm.php:93 ../../mod/delegate.php:139 +msgid "Remove" +msgstr "移走" + +#: ../../mod/filer.php:30 ../../include/conversation.php:1006 +#: ../../include/conversation.php:1024 +msgid "Save to Folder:" +msgstr "保存再文件夹:" + +#: ../../mod/filer.php:30 +msgid "- select -" +msgstr "-选择-" + +#: ../../mod/filer.php:31 ../../mod/editpost.php:109 ../../mod/notes.php:63 +#: ../../include/text.php:956 +msgid "Save" +msgstr "保存" + +#: ../../mod/follow.php:27 +msgid "Contact added" +msgstr "熟人添了" + +#: ../../mod/item.php:113 +msgid "Unable to locate original post." +msgstr "找不到当初的新闻" + +#: ../../mod/item.php:345 +msgid "Empty post discarded." +msgstr "空心的新闻丢弃了" + +#: ../../mod/item.php:484 ../../mod/wall_upload.php:169 +#: ../../mod/wall_upload.php:178 ../../mod/wall_upload.php:185 +#: ../../include/Photo.php:916 ../../include/Photo.php:931 +#: ../../include/Photo.php:938 ../../include/Photo.php:960 +#: ../../include/message.php:144 +msgid "Wall Photos" +msgstr "墙照片" + +#: ../../mod/item.php:938 +msgid "System error. Post not saved." +msgstr "系统错误。x" + +#: ../../mod/item.php:964 #, php-format msgid "" -"%s wrote the following post" -msgstr "%s写了下面的消息" +"This message was sent to you by %s, a member of the Friendica social " +"network." +msgstr "这个新闻是由%s,Friendica社会化网络成员之一,发给你。" -#: ../../include/bbcode.php:1014 ../../include/bbcode.php:1034 -msgid "$1 wrote:" -msgstr "$1写:" - -#: ../../include/bbcode.php:1059 ../../include/bbcode.php:1060 -msgid "Encrypted content" -msgstr "加密的内容" - -#: ../../include/security.php:22 -msgid "Welcome " -msgstr "欢迎" - -#: ../../include/security.php:23 -msgid "Please upload a profile photo." -msgstr "请上传一张简介照片" - -#: ../../include/security.php:26 -msgid "Welcome back " -msgstr "欢迎归来" - -#: ../../include/security.php:366 -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/oembed.php:205 -msgid "Embedded content" -msgstr "嵌入内容" - -#: ../../include/oembed.php:214 -msgid "Embedding disabled" -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 -msgid "Undecided" -msgstr "未决" - -#: ../../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 "变态" - -#: ../../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:289 -#: ../../include/user.php:293 -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/user.php:40 -msgid "An invitation is required." -msgstr "邀请必要的。" - -#: ../../include/user.php:45 -msgid "Invitation could not be verified." -msgstr "不能证实邀请。" - -#: ../../include/user.php:53 -msgid "Invalid OpenID url" -msgstr "无效的OpenID url" - -#: ../../include/user.php:74 -msgid "Please enter the required information." -msgstr "请输入必要的信息。" - -#: ../../include/user.php:88 -msgid "Please use a shorter name." -msgstr "请用短一点名。" - -#: ../../include/user.php:90 -msgid "Name too short." -msgstr "名字太短。" - -#: ../../include/user.php:105 -msgid "That doesn't appear to be your full (First Last) name." -msgstr "这看上去不是您的全姓名。" - -#: ../../include/user.php:110 -msgid "Your email domain is not among those allowed on this site." -msgstr "这网站允许的域名中没有您的" - -#: ../../include/user.php:113 -msgid "Not a valid email address." -msgstr "无效的邮件地址。" - -#: ../../include/user.php:126 -msgid "Cannot use that email." -msgstr "不能用这个邮件地址。" - -#: ../../include/user.php:132 -msgid "" -"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " -"must also begin with a letter." -msgstr "您的昵称只能包含\"a-z\",\"0-9\",\"-\"和\"_\",还有头一字必须是拉丁字。" - -#: ../../include/user.php:138 ../../include/user.php:236 -msgid "Nickname is already registered. Please choose another." -msgstr "昵称已经报到。请选择新的。" - -#: ../../include/user.php:148 -msgid "" -"Nickname was once registered here and may not be re-used. Please choose " -"another." -msgstr "昵称曾经这里注册于是不能再用。请选择别的。" - -#: ../../include/user.php:164 -msgid "SERIOUS ERROR: Generation of security keys failed." -msgstr "要紧错误:产生安全钥匙失败了。" - -#: ../../include/user.php:222 -msgid "An error occurred during registration. Please try again." -msgstr "报到出了问题。请再试。" - -#: ../../include/user.php:257 -msgid "An error occurred creating your default profile. Please try again." -msgstr "造成默认简介出了问题。请再试。" - -#: ../../include/user.php:377 +#: ../../mod/item.php:966 #, php-format +msgid "You may visit them online at %s" +msgstr "你可以网上拜访他在%s" + +#: ../../mod/item.php:967 msgid "" -"\n" -"\t\tDear %1$s,\n" -"\t\t\tThank you for registering at %2$s. Your account has been created.\n" -"\t" -msgstr "" +"Please contact the sender by replying to this post if you do not wish to " +"receive these messages." +msgstr "你不想受到这些新闻的话,请回答这个新闻给发者联系。" -#: ../../include/user.php:381 -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$\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:413 ../../mod/admin.php:799 +#: ../../mod/item.php:971 #, php-format -msgid "Registration details for %s" -msgstr "注册信息为%s" - -#: ../../include/acl_selectors.php:326 -msgid "Visible to everybody" -msgstr "任何人可见的" - -#: ../../object/Item.php:94 -msgid "This entry was edited" -msgstr "这个文章被编辑了" - -#: ../../object/Item.php:116 ../../mod/photos.php:1357 -#: ../../mod/content.php:620 -msgid "Private Message" -msgstr "私人的新闻" - -#: ../../object/Item.php:120 ../../mod/settings.php:673 -#: ../../mod/content.php:728 -msgid "Edit" -msgstr "编辑" - -#: ../../object/Item.php:133 ../../mod/content.php:763 -msgid "save to folder" -msgstr "保存在文件夹" - -#: ../../object/Item.php:195 ../../mod/content.php:753 -msgid "add star" -msgstr "加星" - -#: ../../object/Item.php:196 ../../mod/content.php:754 -msgid "remove star" -msgstr "消星" - -#: ../../object/Item.php:197 ../../mod/content.php:755 -msgid "toggle star status" -msgstr "转变星现状" - -#: ../../object/Item.php:200 ../../mod/content.php:758 -msgid "starred" -msgstr "被贴星" - -#: ../../object/Item.php:208 -msgid "ignore thread" -msgstr "" - -#: ../../object/Item.php:209 -msgid "unignore thread" -msgstr "" - -#: ../../object/Item.php:210 -msgid "toggle ignore status" -msgstr "" - -#: ../../object/Item.php:213 -msgid "ignored" -msgstr "" - -#: ../../object/Item.php:220 ../../mod/content.php:759 -msgid "add tag" -msgstr "加标签" - -#: ../../object/Item.php:231 ../../mod/photos.php:1540 -#: ../../mod/content.php:684 -msgid "I like this (toggle)" -msgstr "我喜欢这(交替)" - -#: ../../object/Item.php:231 ../../mod/content.php:684 -msgid "like" -msgstr "喜欢" - -#: ../../object/Item.php:232 ../../mod/photos.php:1541 -#: ../../mod/content.php:685 -msgid "I don't like this (toggle)" -msgstr "我不喜欢这(交替)" - -#: ../../object/Item.php:232 ../../mod/content.php:685 -msgid "dislike" -msgstr "讨厌" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "Share this" -msgstr "分享这个" - -#: ../../object/Item.php:234 ../../mod/content.php:687 -msgid "share" -msgstr "分享" - -#: ../../object/Item.php:328 ../../mod/content.php:854 -msgid "to" -msgstr "至" - -#: ../../object/Item.php:329 -msgid "via" -msgstr "经过" - -#: ../../object/Item.php:330 ../../mod/content.php:855 -msgid "Wall-to-Wall" -msgstr "从墙到墙" - -#: ../../object/Item.php:331 ../../mod/content.php:856 -msgid "via Wall-To-Wall:" -msgstr "通过从墙到墙" - -#: ../../object/Item.php:387 ../../mod/content.php:603 -#, php-format -msgid "%d comment" -msgid_plural "%d comments" -msgstr[0] "%d评论" - -#: ../../object/Item.php:675 ../../mod/photos.php:1560 -#: ../../mod/photos.php:1604 ../../mod/photos.php:1692 -#: ../../mod/content.php:707 -msgid "This is you" -msgstr "这是你" - -#: ../../object/Item.php:679 ../../mod/content.php:711 -msgid "Bold" -msgstr "粗体字 " - -#: ../../object/Item.php:680 ../../mod/content.php:712 -msgid "Italic" -msgstr "斜体 " - -#: ../../object/Item.php:681 ../../mod/content.php:713 -msgid "Underline" -msgstr "下划线" - -#: ../../object/Item.php:682 ../../mod/content.php:714 -msgid "Quote" -msgstr "引语" - -#: ../../object/Item.php:683 ../../mod/content.php:715 -msgid "Code" -msgstr "源代码" - -#: ../../object/Item.php:684 ../../mod/content.php:716 -msgid "Image" -msgstr "图片" - -#: ../../object/Item.php:685 ../../mod/content.php:717 -msgid "Link" -msgstr "环节" - -#: ../../object/Item.php:686 ../../mod/content.php:718 -msgid "Video" -msgstr "录像" - -#: ../../mod/attach.php:8 -msgid "Item not available." -msgstr "项目不可用的" - -#: ../../mod/attach.php:20 -msgid "Item was not found." -msgstr "找不到项目。" - -#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 -#, php-format -msgid "Number of daily wall messages for %s exceeded. Message failed." -msgstr "一天最多墙通知给%s超过了。通知没有通过 。" - -#: ../../mod/wallmessage.php:56 ../../mod/message.php:63 -msgid "No recipient selected." -msgstr "没有选择的接受者。" - -#: ../../mod/wallmessage.php:59 -msgid "Unable to check your home location." -msgstr "核对不了您的主页。" - -#: ../../mod/wallmessage.php:62 ../../mod/message.php:70 -msgid "Message could not be sent." -msgstr "消息发不了。" - -#: ../../mod/wallmessage.php:65 ../../mod/message.php:73 -msgid "Message collection failure." -msgstr "通信受到错误。" - -#: ../../mod/wallmessage.php:68 ../../mod/message.php:76 -msgid "Message sent." -msgstr "消息发了" - -#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 -msgid "No recipient." -msgstr "没有接受者。" - -#: ../../mod/wallmessage.php:142 ../../mod/message.php:319 -msgid "Send Private Message" -msgstr "发私人的通信" - -#: ../../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 "如果您想%s回答,请核对您网站的隐私设置允许生发送人的私人邮件。" - -#: ../../mod/wallmessage.php:144 ../../mod/message.php:320 -#: ../../mod/message.php:553 -msgid "To:" -msgstr "到:" - -#: ../../mod/wallmessage.php:145 ../../mod/message.php:325 -#: ../../mod/message.php:555 -msgid "Subject:" -msgstr "题目:" - -#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 -#: ../../mod/message.php:329 ../../mod/message.php:558 -msgid "Your message:" -msgstr "你的消息:" +msgid "%s posted an update." +msgstr "%s贴上一个新闻。" #: ../../mod/group.php:29 msgid "Group created." @@ -3152,48 +976,355 @@ msgstr "组编辑器" msgid "Members" msgstr "成员" -#: ../../mod/group.php:194 ../../mod/contacts.php:562 -msgid "All Contacts" -msgstr "所有的熟人" +#: ../../mod/apps.php:7 ../../index.php:212 +msgid "You must be logged in to use addons. " +msgstr "您用插件前要登录" -#: ../../mod/group.php:224 ../../mod/profperm.php:105 -msgid "Click on a contact to add or remove." -msgstr "点击熟人为添加或删除。" +#: ../../mod/apps.php:11 +msgid "Applications" +msgstr "应用" -#: ../../mod/delegate.php:95 -msgid "No potential page delegates located." -msgstr "找不到可能代表页人。" +#: ../../mod/apps.php:14 +msgid "No installed applications." +msgstr "没有安装的应用" -#: ../../mod/delegate.php:126 +#: ../../mod/dfrn_confirm.php:64 ../../mod/profiles.php:18 +#: ../../mod/profiles.php:133 ../../mod/profiles.php:179 +#: ../../mod/profiles.php:630 +msgid "Profile not found." +msgstr "找不到简介。" + +#: ../../mod/dfrn_confirm.php:120 ../../mod/fsuggest.php:20 +#: ../../mod/fsuggest.php:92 ../../mod/crepair.php:133 +msgid "Contact not found." +msgstr "没找到熟人。" + +#: ../../mod/dfrn_confirm.php:121 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 "代表会管理所有的方面这个账户/页除了基础账户配置以外。请别代表您私人账户给您没完全信的人。" +"This may occasionally happen if contact was requested by both persons and it" +" has already been approved." +msgstr "这会偶尔地发生熟人双方都要求和已经批准的时候。" -#: ../../mod/delegate.php:127 -msgid "Existing Page Managers" -msgstr "目前页管理员" +#: ../../mod/dfrn_confirm.php:240 +msgid "Response from remote site was not understood." +msgstr "遥网站的回答明白不了。" -#: ../../mod/delegate.php:129 -msgid "Existing Page Delegates" -msgstr "目前页代表" +#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 +msgid "Unexpected response from remote site: " +msgstr "居然回答从遥网站:" -#: ../../mod/delegate.php:131 -msgid "Potential Delegates" -msgstr "潜力的代表" +#: ../../mod/dfrn_confirm.php:263 +msgid "Confirmation completed successfully." +msgstr "确认成功完成。" -#: ../../mod/delegate.php:133 ../../mod/tagrm.php:93 -msgid "Remove" -msgstr "移走" +#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 +#: ../../mod/dfrn_confirm.php:286 +msgid "Remote site reported: " +msgstr "遥网站报案:" -#: ../../mod/delegate.php:134 -msgid "Add" -msgstr "加" +#: ../../mod/dfrn_confirm.php:277 +msgid "Temporary failure. Please wait and try again." +msgstr "临时失败。请等一会,再试。" -#: ../../mod/delegate.php:135 -msgid "No entries." -msgstr "没有项目。" +#: ../../mod/dfrn_confirm.php:284 +msgid "Introduction failed or was revoked." +msgstr "介绍失败或被吊销。" + +#: ../../mod/dfrn_confirm.php:429 +msgid "Unable to set contact photo." +msgstr "不会指定熟人照片。" + +#: ../../mod/dfrn_confirm.php:486 ../../include/conversation.php:172 +#: ../../include/diaspora.php:620 +#, php-format +msgid "%1$s is now friends with %2$s" +msgstr "%1$s是成为%2$s的朋友" + +#: ../../mod/dfrn_confirm.php:571 +#, php-format +msgid "No user record found for '%s' " +msgstr "找不到「%s」的用户记录" + +#: ../../mod/dfrn_confirm.php:581 +msgid "Our site encryption key is apparently messed up." +msgstr "看起来我们的加密钥匙失灵了。" + +#: ../../mod/dfrn_confirm.php:592 +msgid "Empty site URL was provided or URL could not be decrypted by us." +msgstr "空的URL供应,或URL解不了码。" + +#: ../../mod/dfrn_confirm.php:613 +msgid "Contact record was not found for you on our site." +msgstr "熟人记录在我们的网站找不了。" + +#: ../../mod/dfrn_confirm.php:627 +#, php-format +msgid "Site public key not available in contact record for URL %s." +msgstr "没有网站公开钥匙在熟人记录在URL%s。" + +#: ../../mod/dfrn_confirm.php:647 +msgid "" +"The ID provided by your system is a duplicate on our system. It should work " +"if you try again." +msgstr "身份证明由您的系统是在我们的重做。你再试应该运行。" + +#: ../../mod/dfrn_confirm.php:658 +msgid "Unable to set your contact credentials on our system." +msgstr "不能创作您的熟人证件在我们的系统。" + +#: ../../mod/dfrn_confirm.php:725 +msgid "Unable to update your contact profile details on our system" +msgstr "不能更新您的熟人简介消息在我们的系统" + +#: ../../mod/dfrn_confirm.php:752 ../../mod/dfrn_request.php:717 +#: ../../include/items.php:4008 +msgid "[Name Withheld]" +msgstr "[名字拒给]" + +#: ../../mod/dfrn_confirm.php:797 +#, php-format +msgid "%1$s has joined %2$s" +msgstr "%1$s加入%2$s了" + +#: ../../mod/profile.php:21 ../../boot.php:1458 +msgid "Requested profile is not available." +msgstr "要求的简介联系不上的。" + +#: ../../mod/profile.php:180 +msgid "Tips for New Members" +msgstr "提示对新成员" + +#: ../../mod/videos.php:125 +msgid "No videos selected" +msgstr "没选择的视频" + +#: ../../mod/videos.php:226 ../../mod/photos.php:1031 +msgid "Access to this item is restricted." +msgstr "这个项目使用权限的。" + +#: ../../mod/videos.php:301 ../../include/text.php:1405 +msgid "View Video" +msgstr "看视频" + +#: ../../mod/videos.php:308 ../../mod/photos.php:1808 +msgid "View Album" +msgstr "看照片册" + +#: ../../mod/videos.php:317 +msgid "Recent Videos" +msgstr "最近视频" + +#: ../../mod/videos.php:319 +msgid "Upload New Videos" +msgstr "上传新视频" + +#: ../../mod/tagger.php:95 ../../include/conversation.php:266 +#, php-format +msgid "%1$s tagged %2$s's %3$s with %4$s" +msgstr "%1$s把%4$s标签%2$s的%3$s" + +#: ../../mod/fsuggest.php:63 +msgid "Friend suggestion sent." +msgstr "朋友建议发送了。" + +#: ../../mod/fsuggest.php:97 +msgid "Suggest Friends" +msgstr "建议朋友们" + +#: ../../mod/fsuggest.php:99 +#, php-format +msgid "Suggest a friend for %s" +msgstr "建议朋友给%s" + +#: ../../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:42 +#, 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 "\n\t\t亲爱的%1$s,\n\t\t\t最近\"%2$s\"收到重设你账号密码要求。为了验证此要求,请点击\n\t\t下面的链接或者粘贴在浏览器。\n\n\t\t如果你没请求这个变化,请别点击并忽视或删除这个邮件。\n\n\t\t你的密码将不改变除非我们验证这个请求是由你发地。" + +#: ../../mod/lostpass.php:53 +#, 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 "\n\t\t点击西面的链接为验证你的身份:\n\n\t\t%1$s\n\n\t\t你将收一个邮件包括新的密码。登录之后你能改密码在设置页面。\n\n\t\t登录消息是:\n\n\t\t网站地址:\t%2$s\n\t\t用户名:\t%3$s" + +#: ../../mod/lostpass.php:72 +#, php-format +msgid "Password reset requested at %s" +msgstr "重设密码要求被发布%s" + +#: ../../mod/lostpass.php:92 +msgid "" +"Request could not be verified. (You may have previously submitted it.) " +"Password reset failed." +msgstr "要求确认不了。(您可能已经提交它。)重设密码失败了。" + +#: ../../mod/lostpass.php:109 ../../boot.php:1280 +msgid "Password Reset" +msgstr "复位密码" + +#: ../../mod/lostpass.php:110 +msgid "Your password has been reset as requested." +msgstr "您的密码被重设如要求的。" + +#: ../../mod/lostpass.php:111 +msgid "Your new password is" +msgstr "你的新的密码是" + +#: ../../mod/lostpass.php:112 +msgid "Save or copy your new password - and then" +msgstr "保存或复制新密码-之后" + +#: ../../mod/lostpass.php:113 +msgid "click here to login" +msgstr "在这儿点击" + +#: ../../mod/lostpass.php:114 +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 "\n\t\t\t\t亲戚的%1$s,\n\t\t\t\t\t你的密码于你的要求被改了。请保存这个消息或者\n\t\t\t\t立刻改密码成什么容易回忆的。\n\t\t\t" + +#: ../../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 "\n\t\t\t\t你的登录消息是:\n\n\t\t\t\t网站地址:%1$s\n\t\t\t\t用户名:%2$s\n\t\t\t\t密码:%3$s\n\n\t\t\t\t登录后你能改密码在设置页面。\n\t\t\t" + +#: ../../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 +msgid "Nickname or Email: " +msgstr "昵称或邮件地址:" + +#: ../../mod/lostpass.php:162 +msgid "Reset" +msgstr "复位" + +#: ../../mod/like.php:166 ../../include/conversation.php:137 +#: ../../include/diaspora.php:2103 ../../view/theme/diabook/theme.php:480 +#, php-format +msgid "%1$s likes %2$s's %3$s" +msgstr "%1$s喜欢%2$s的%3$s" + +#: ../../mod/like.php:168 ../../include/conversation.php:140 +#, php-format +msgid "%1$s doesn't like %2$s's %3$s" +msgstr "%1$s不喜欢%2$s的%3$s" + +#: ../../mod/ping.php:240 +msgid "{0} wants to be your friend" +msgstr "{0}想成为您的朋友" + +#: ../../mod/ping.php:245 +msgid "{0} sent you a message" +msgstr "{0}发给您一个通信" + +#: ../../mod/ping.php:250 +msgid "{0} requested registration" +msgstr "{0}要求注册" + +#: ../../mod/ping.php:256 +#, php-format +msgid "{0} commented %s's post" +msgstr "{0}对%s的文章发表意见" + +#: ../../mod/ping.php:261 +#, php-format +msgid "{0} liked %s's post" +msgstr "{0}喜欢%s的文章" + +#: ../../mod/ping.php:266 +#, php-format +msgid "{0} disliked %s's post" +msgstr "{0}不喜欢%s的文章" + +#: ../../mod/ping.php:271 +#, php-format +msgid "{0} is now friends with %s" +msgstr "{0}成为%s的朋友" + +#: ../../mod/ping.php:276 +msgid "{0} posted" +msgstr "{0}陈列" + +#: ../../mod/ping.php:281 +#, php-format +msgid "{0} tagged %s's post with #%s" +msgstr "{0}用#%s标签%s的文章" + +#: ../../mod/ping.php:287 +msgid "{0} mentioned you in a post" +msgstr "{0}提到您在文章" + +#: ../../mod/viewcontacts.php:41 +msgid "No contacts." +msgstr "没有熟人。" + +#: ../../mod/viewcontacts.php:78 ../../include/text.php:876 +msgid "View Contacts" +msgstr "看熟人" #: ../../mod/notifications.php:26 msgid "Invalid request identifier." @@ -3204,20 +1335,27 @@ msgstr "无效要求身份号。" msgid "Discard" msgstr "丢弃" -#: ../../mod/notifications.php:51 ../../mod/notifications.php:164 -#: ../../mod/notifications.php:210 ../../mod/contacts.php:443 -#: ../../mod/contacts.php:497 ../../mod/contacts.php:707 -msgid "Ignore" -msgstr "忽视" - #: ../../mod/notifications.php:78 msgid "System" msgstr "系统" -#: ../../mod/notifications.php:88 ../../mod/network.php:365 +#: ../../mod/notifications.php:83 ../../include/nav.php:145 +msgid "Network" +msgstr "网络" + +#: ../../mod/notifications.php:88 ../../mod/network.php:371 msgid "Personal" msgstr "私人" +#: ../../mod/notifications.php:93 ../../include/nav.php:105 +#: ../../include/nav.php:148 ../../view/theme/diabook/theme.php:123 +msgid "Home" +msgstr "主页" + +#: ../../mod/notifications.php:98 ../../include/nav.php:154 +msgid "Introductions" +msgstr "介绍" + #: ../../mod/notifications.php:122 msgid "Show Ignored Requests" msgstr "显示不理的要求" @@ -3239,11 +1377,6 @@ msgstr "朋友建议" msgid "suggested by %s" msgstr "由%s建议的" -#: ../../mod/notifications.php:157 ../../mod/notifications.php:204 -#: ../../mod/contacts.php:503 -msgid "Hide this contact from others" -msgstr "隐藏这个熟人给别人" - #: ../../mod/notifications.php:158 ../../mod/notifications.php:205 msgid "Post a new friend activity" msgstr "表新朋友活动" @@ -3253,7 +1386,7 @@ msgid "if applicable" msgstr "或适用" #: ../../mod/notifications.php:161 ../../mod/notifications.php:208 -#: ../../mod/admin.php:966 +#: ../../mod/admin.php:1005 msgid "Approve" msgstr "批准" @@ -3297,6 +1430,10 @@ msgstr "新关注者:" msgid "No introductions." msgstr "没有介绍。" +#: ../../mod/notifications.php:220 ../../include/nav.php:155 +msgid "Notifications" +msgstr "通知" + #: ../../mod/notifications.php:258 ../../mod/notifications.php:387 #: ../../mod/notifications.php:478 #, php-format @@ -3358,2911 +1495,6 @@ msgstr "没有别的家通信。" msgid "Home Notifications" msgstr "主页通知" -#: ../../mod/hcard.php:10 -msgid "No profile" -msgstr "无简介" - -#: ../../mod/settings.php:29 ../../mod/photos.php:80 -msgid "everybody" -msgstr "每人" - -#: ../../mod/settings.php:36 ../../mod/admin.php:977 -msgid "Account" -msgstr "帐户" - -#: ../../mod/settings.php:41 -msgid "Additional features" -msgstr "附加的特点" - -#: ../../mod/settings.php:46 -msgid "Display" -msgstr "显示" - -#: ../../mod/settings.php:52 ../../mod/settings.php:777 -msgid "Social Networks" -msgstr "社会化网络" - -#: ../../mod/settings.php:57 ../../mod/admin.php:106 ../../mod/admin.php:1063 -#: ../../mod/admin.php:1116 -msgid "Plugins" -msgstr "插件" - -#: ../../mod/settings.php:67 -msgid "Connected apps" -msgstr "连接着应用" - -#: ../../mod/settings.php:72 ../../mod/uexport.php:85 -msgid "Export personal data" -msgstr "出口私人信息" - -#: ../../mod/settings.php:77 -msgid "Remove account" -msgstr "删除账户" - -#: ../../mod/settings.php:129 -msgid "Missing some important data!" -msgstr "有的重要信息失踪的!" - -#: ../../mod/settings.php:132 ../../mod/settings.php:637 -#: ../../mod/contacts.php:705 -msgid "Update" -msgstr "更新" - -#: ../../mod/settings.php:238 -msgid "Failed to connect with email account using the settings provided." -msgstr "不能连接电子邮件账户用输入的设置。" - -#: ../../mod/settings.php:243 -msgid "Email settings updated." -msgstr "电子邮件设置更新了" - -#: ../../mod/settings.php:258 -msgid "Features updated" -msgstr "特点更新了" - -#: ../../mod/settings.php:321 -msgid "Relocate message has been send to your contacts" -msgstr "调动信息寄给您的熟人" - -#: ../../mod/settings.php:335 -msgid "Passwords do not match. Password unchanged." -msgstr "密码们不相配。密码没未改变的。" - -#: ../../mod/settings.php:340 -msgid "Empty passwords are not allowed. Password unchanged." -msgstr "空的密码禁止。密码没未改变的。" - -#: ../../mod/settings.php:348 -msgid "Wrong password." -msgstr "密码不正确。" - -#: ../../mod/settings.php:359 -msgid "Password changed." -msgstr "密码变化了。" - -#: ../../mod/settings.php:361 -msgid "Password update failed. Please try again." -msgstr "密码更新失败了。请再试。" - -#: ../../mod/settings.php:426 -msgid " Please use a shorter name." -msgstr "请用短一点个名。" - -#: ../../mod/settings.php:428 -msgid " Name too short." -msgstr "名字太短。" - -#: ../../mod/settings.php:437 -msgid "Wrong Password" -msgstr "密码不正确" - -#: ../../mod/settings.php:442 -msgid " Not valid email." -msgstr " 电子邮件地址无效." - -#: ../../mod/settings.php:448 -msgid " Cannot change to that email." -msgstr "不能变化到这个邮件地址。" - -#: ../../mod/settings.php:503 -msgid "Private forum has no privacy permissions. Using default privacy group." -msgstr "私人评坛没有隐私批准。默认隐私组用者。" - -#: ../../mod/settings.php:507 -msgid "Private forum has no privacy permissions and no default privacy group." -msgstr "私人评坛没有隐私批准或默认隐私组。" - -#: ../../mod/settings.php:537 -msgid "Settings updated." -msgstr "设置跟新了" - -#: ../../mod/settings.php:610 ../../mod/settings.php:636 -#: ../../mod/settings.php:672 -msgid "Add application" -msgstr "加入应用" - -#: ../../mod/settings.php:611 ../../mod/settings.php:721 -#: ../../mod/settings.php:795 ../../mod/settings.php:877 -#: ../../mod/settings.php:1110 ../../mod/admin.php:588 -#: ../../mod/admin.php:1117 ../../mod/admin.php:1319 ../../mod/admin.php:1406 -msgid "Save Settings" -msgstr "保存设置" - -#: ../../mod/settings.php:613 ../../mod/settings.php:639 -#: ../../mod/admin.php:964 ../../mod/admin.php:976 ../../mod/admin.php:977 -#: ../../mod/admin.php:990 ../../mod/crepair.php:158 -msgid "Name" -msgstr "名字" - -#: ../../mod/settings.php:614 ../../mod/settings.php:640 -msgid "Consumer Key" -msgstr "钥匙(Consumer Key)" - -#: ../../mod/settings.php:615 ../../mod/settings.php:641 -msgid "Consumer Secret" -msgstr "密码(Consumer Secret)" - -#: ../../mod/settings.php:616 ../../mod/settings.php:642 -msgid "Redirect" -msgstr "重定向" - -#: ../../mod/settings.php:617 ../../mod/settings.php:643 -msgid "Icon url" -msgstr "图符URL" - -#: ../../mod/settings.php:628 -msgid "You can't edit this application." -msgstr "您不能编辑这个应用。" - -#: ../../mod/settings.php:671 -msgid "Connected Apps" -msgstr "连接着应用" - -#: ../../mod/settings.php:675 -msgid "Client key starts with" -msgstr "客户钥匙头字是" - -#: ../../mod/settings.php:676 -msgid "No name" -msgstr "无名" - -#: ../../mod/settings.php:677 -msgid "Remove authorization" -msgstr "撤消权能" - -#: ../../mod/settings.php:689 -msgid "No Plugin settings configured" -msgstr "没插件设置配置了" - -#: ../../mod/settings.php:697 -msgid "Plugin Settings" -msgstr "插件设置" - -#: ../../mod/settings.php:711 -msgid "Off" -msgstr "关" - -#: ../../mod/settings.php:711 -msgid "On" -msgstr "开" - -#: ../../mod/settings.php:719 -msgid "Additional Features" -msgstr "附加的特点" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -#, php-format -msgid "Built-in support for %s connectivity is %s" -msgstr "包括的支持为%s连通性是%s" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "enabled" -msgstr "能够做的" - -#: ../../mod/settings.php:733 ../../mod/settings.php:734 -msgid "disabled" -msgstr "使不能用" - -#: ../../mod/settings.php:734 -msgid "StatusNet" -msgstr "StatusNet" - -#: ../../mod/settings.php:770 -msgid "Email access is disabled on this site." -msgstr "这个网站没有邮件使用权" - -#: ../../mod/settings.php:782 -msgid "Email/Mailbox Setup" -msgstr "邮件收件箱设置" - -#: ../../mod/settings.php:783 -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:784 -msgid "Last successful email check:" -msgstr "上个成功收件箱检查:" - -#: ../../mod/settings.php:786 -msgid "IMAP server name:" -msgstr "IMAP服务器名字:" - -#: ../../mod/settings.php:787 -msgid "IMAP port:" -msgstr "IMAP服务器端口:" - -#: ../../mod/settings.php:788 -msgid "Security:" -msgstr "安全:" - -#: ../../mod/settings.php:788 ../../mod/settings.php:793 -msgid "None" -msgstr "没有" - -#: ../../mod/settings.php:789 -msgid "Email login name:" -msgstr "邮件登记名:" - -#: ../../mod/settings.php:790 -msgid "Email password:" -msgstr "邮件密码:" - -#: ../../mod/settings.php:791 -msgid "Reply-to address:" -msgstr "回答地址:" - -#: ../../mod/settings.php:792 -msgid "Send public posts to all email contacts:" -msgstr "发公开的文章给所有的邮件熟人:" - -#: ../../mod/settings.php:793 -msgid "Action after import:" -msgstr "进口后行动:" - -#: ../../mod/settings.php:793 -msgid "Mark as seen" -msgstr "标注看过" - -#: ../../mod/settings.php:793 -msgid "Move to folder" -msgstr "搬到文件夹" - -#: ../../mod/settings.php:794 -msgid "Move to folder:" -msgstr "搬到文件夹:" - -#: ../../mod/settings.php:825 ../../mod/admin.php:523 -msgid "No special theme for mobile devices" -msgstr "没专门适合手机的主题" - -#: ../../mod/settings.php:875 -msgid "Display Settings" -msgstr "表示设置" - -#: ../../mod/settings.php:881 ../../mod/settings.php:896 -msgid "Display Theme:" -msgstr "显示主题:" - -#: ../../mod/settings.php:882 -msgid "Mobile Theme:" -msgstr "手机主题:" - -#: ../../mod/settings.php:883 -msgid "Update browser every xx seconds" -msgstr "更新游览器每XX秒" - -#: ../../mod/settings.php:883 -msgid "Minimum of 10 seconds, no maximum" -msgstr "最小10秒,没有上限" - -#: ../../mod/settings.php:884 -msgid "Number of items to display per page:" -msgstr "每页表示多少项目:" - -#: ../../mod/settings.php:884 ../../mod/settings.php:885 -msgid "Maximum of 100 items" -msgstr "最多100项目" - -#: ../../mod/settings.php:885 -msgid "Number of items to display per page when viewed from mobile device:" -msgstr "用手机看一页展示多少项目:" - -#: ../../mod/settings.php:886 -msgid "Don't show emoticons" -msgstr "别表示请表符号" - -#: ../../mod/settings.php:887 -msgid "Don't show notices" -msgstr "别表提示" - -#: ../../mod/settings.php:888 -msgid "Infinite scroll" -msgstr "无限的滚动" - -#: ../../mod/settings.php:889 -msgid "Automatic updates only at the top of the network page" -msgstr "" - -#: ../../mod/settings.php:966 -msgid "User Types" -msgstr "" - -#: ../../mod/settings.php:967 -msgid "Community Types" -msgstr "" - -#: ../../mod/settings.php:968 -msgid "Normal Account Page" -msgstr "平常账户页" - -#: ../../mod/settings.php:969 -msgid "This account is a normal personal profile" -msgstr "这个帐户是正常私人简介" - -#: ../../mod/settings.php:972 -msgid "Soapbox Page" -msgstr "演讲台页" - -#: ../../mod/settings.php:973 -msgid "Automatically approve all connection/friend requests as read-only fans" -msgstr "自动批准所有联络/友谊要求当只看的迷" - -#: ../../mod/settings.php:976 -msgid "Community Forum/Celebrity Account" -msgstr "社会评坛/名人账户" - -#: ../../mod/settings.php:977 -msgid "" -"Automatically approve all connection/friend requests as read-write fans" -msgstr "自动批准所有联络/友谊要求当看写的迷" - -#: ../../mod/settings.php:980 -msgid "Automatic Friend Page" -msgstr "自动朋友页" - -#: ../../mod/settings.php:981 -msgid "Automatically approve all connection/friend requests as friends" -msgstr "自动批准所有联络/友谊要求当朋友" - -#: ../../mod/settings.php:984 -msgid "Private Forum [Experimental]" -msgstr "隐私评坛[实验性的 ]" - -#: ../../mod/settings.php:985 -msgid "Private forum - approved members only" -msgstr "隐私评坛-只批准的成员" - -#: ../../mod/settings.php:997 -msgid "OpenID:" -msgstr "OpenID:" - -#: ../../mod/settings.php:997 -msgid "(Optional) Allow this OpenID to login to this account." -msgstr "(可选的)许这个OpenID这个账户登记。" - -#: ../../mod/settings.php:1007 -msgid "Publish your default profile in your local site directory?" -msgstr "出版您默认简介在您当地的网站目录?" - -#: ../../mod/settings.php:1007 ../../mod/settings.php:1013 -#: ../../mod/settings.php:1021 ../../mod/settings.php:1025 -#: ../../mod/settings.php:1030 ../../mod/settings.php:1036 -#: ../../mod/settings.php:1042 ../../mod/settings.php:1048 -#: ../../mod/settings.php:1078 ../../mod/settings.php:1079 -#: ../../mod/settings.php:1080 ../../mod/settings.php:1081 -#: ../../mod/settings.php:1082 ../../mod/register.php:231 -#: ../../mod/dfrn_request.php:834 ../../mod/api.php:106 -#: ../../mod/profiles.php:620 ../../mod/profiles.php:624 -msgid "No" -msgstr "否" - -#: ../../mod/settings.php:1013 -msgid "Publish your default profile in the global social directory?" -msgstr "出版您默认简介在综合社会目录?" - -#: ../../mod/settings.php:1021 -msgid "Hide your contact/friend list from viewers of your default profile?" -msgstr "藏起来 发现您的熟人/朋友单不让这个简介看着看?\n " - -#: ../../mod/settings.php:1030 -msgid "Allow friends to post to your profile page?" -msgstr "允许朋友们贴文章在您的简介页?" - -#: ../../mod/settings.php:1036 -msgid "Allow friends to tag your posts?" -msgstr "允许朋友们标签您的文章?" - -#: ../../mod/settings.php:1042 -msgid "Allow us to suggest you as a potential friend to new members?" -msgstr "允许我们建议您潜力朋友给新成员?" - -#: ../../mod/settings.php:1048 -msgid "Permit unknown people to send you private mail?" -msgstr "允许生人寄给您私人邮件?" - -#: ../../mod/settings.php:1056 -msgid "Profile is not published." -msgstr "简介是没出版" - -#: ../../mod/settings.php:1059 ../../mod/profile_photo.php:248 -msgid "or" -msgstr "或者" - -#: ../../mod/settings.php:1064 -msgid "Your Identity Address is" -msgstr "您的同一个人地址是" - -#: ../../mod/settings.php:1075 -msgid "Automatically expire posts after this many days:" -msgstr "自动地过期文章这数天:" - -#: ../../mod/settings.php:1075 -msgid "If empty, posts will not expire. Expired posts will be deleted" -msgstr "如果空的,文章不会过期。过期的文章被删除" - -#: ../../mod/settings.php:1076 -msgid "Advanced expiration settings" -msgstr "先进的过期设置" - -#: ../../mod/settings.php:1077 -msgid "Advanced Expiration" -msgstr "先进的过期" - -#: ../../mod/settings.php:1078 -msgid "Expire posts:" -msgstr "把文章过期:" - -#: ../../mod/settings.php:1079 -msgid "Expire personal notes:" -msgstr "把私人便条过期:" - -#: ../../mod/settings.php:1080 -msgid "Expire starred posts:" -msgstr "把星的文章过期:" - -#: ../../mod/settings.php:1081 -msgid "Expire photos:" -msgstr "把照片过期:" - -#: ../../mod/settings.php:1082 -msgid "Only expire posts by others:" -msgstr "只别人的文章过期:" - -#: ../../mod/settings.php:1108 -msgid "Account Settings" -msgstr "帐户设置" - -#: ../../mod/settings.php:1116 -msgid "Password Settings" -msgstr "密码设置" - -#: ../../mod/settings.php:1117 -msgid "New Password:" -msgstr "新密码:" - -#: ../../mod/settings.php:1118 -msgid "Confirm:" -msgstr "确认:" - -#: ../../mod/settings.php:1118 -msgid "Leave password fields blank unless changing" -msgstr "非变化留空密码栏" - -#: ../../mod/settings.php:1119 -msgid "Current Password:" -msgstr "目前密码:" - -#: ../../mod/settings.php:1119 ../../mod/settings.php:1120 -msgid "Your current password to confirm the changes" -msgstr "您目前密码为确认变化" - -#: ../../mod/settings.php:1120 -msgid "Password:" -msgstr "密码:" - -#: ../../mod/settings.php:1124 -msgid "Basic Settings" -msgstr "基础设置" - -#: ../../mod/settings.php:1126 -msgid "Email Address:" -msgstr "电子邮件地址:" - -#: ../../mod/settings.php:1127 -msgid "Your Timezone:" -msgstr "您的时区:" - -#: ../../mod/settings.php:1128 -msgid "Default Post Location:" -msgstr "默认文章位置:" - -#: ../../mod/settings.php:1129 -msgid "Use Browser Location:" -msgstr "用游览器位置:" - -#: ../../mod/settings.php:1132 -msgid "Security and Privacy Settings" -msgstr "安全和隐私设置" - -#: ../../mod/settings.php:1134 -msgid "Maximum Friend Requests/Day:" -msgstr "最多友谊要求个天:" - -#: ../../mod/settings.php:1134 ../../mod/settings.php:1164 -msgid "(to prevent spam abuse)" -msgstr "(为防止垃圾邮件滥用)" - -#: ../../mod/settings.php:1135 -msgid "Default Post Permissions" -msgstr "默认文章准许" - -#: ../../mod/settings.php:1136 -msgid "(click to open/close)" -msgstr "(点击为打开/关闭)" - -#: ../../mod/settings.php:1145 ../../mod/photos.php:1146 -#: ../../mod/photos.php:1517 -msgid "Show to Groups" -msgstr "给组表示" - -#: ../../mod/settings.php:1146 ../../mod/photos.php:1147 -#: ../../mod/photos.php:1518 -msgid "Show to Contacts" -msgstr "给熟人表示" - -#: ../../mod/settings.php:1147 -msgid "Default Private Post" -msgstr "默认私人文章" - -#: ../../mod/settings.php:1148 -msgid "Default Public Post" -msgstr "默认公开文章" - -#: ../../mod/settings.php:1152 -msgid "Default Permissions for New Posts" -msgstr "默认权利为新文章" - -#: ../../mod/settings.php:1164 -msgid "Maximum private messages per day from unknown people:" -msgstr "一天最多从生人私人邮件:" - -#: ../../mod/settings.php:1167 -msgid "Notification Settings" -msgstr "消息设置" - -#: ../../mod/settings.php:1168 -msgid "By default post a status message when:" -msgstr "默认地发现状通知如果:" - -#: ../../mod/settings.php:1169 -msgid "accepting a friend request" -msgstr "接受朋友邀请" - -#: ../../mod/settings.php:1170 -msgid "joining a forum/community" -msgstr "加入评坛/社会" - -#: ../../mod/settings.php:1171 -msgid "making an interesting profile change" -msgstr "把简介有意思地变修改" - -#: ../../mod/settings.php:1172 -msgid "Send a notification email when:" -msgstr "发一个消息要是:" - -#: ../../mod/settings.php:1173 -msgid "You receive an introduction" -msgstr "你受到一个介绍" - -#: ../../mod/settings.php:1174 -msgid "Your introductions are confirmed" -msgstr "你的介绍确认了" - -#: ../../mod/settings.php:1175 -msgid "Someone writes on your profile wall" -msgstr "某人写在你的简历墙" - -#: ../../mod/settings.php:1176 -msgid "Someone writes a followup comment" -msgstr "某人写一个后续的评论" - -#: ../../mod/settings.php:1177 -msgid "You receive a private message" -msgstr "你受到一个私消息" - -#: ../../mod/settings.php:1178 -msgid "You receive a friend suggestion" -msgstr "你受到一个朋友建议" - -#: ../../mod/settings.php:1179 -msgid "You are tagged in a post" -msgstr "你被在新闻标签" - -#: ../../mod/settings.php:1180 -msgid "You are poked/prodded/etc. in a post" -msgstr "您在文章被戳" - -#: ../../mod/settings.php:1183 -msgid "Advanced Account/Page Type Settings" -msgstr "专家账户/页种设置" - -#: ../../mod/settings.php:1184 -msgid "Change the behaviour of this account for special situations" -msgstr "把这个账户特别情况的时候行动变化" - -#: ../../mod/settings.php:1187 -msgid "Relocate" -msgstr "调动" - -#: ../../mod/settings.php:1188 -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:1189 -msgid "Resend relocate message to contacts" -msgstr "把调动信息寄给熟人" - -#: ../../mod/common.php:42 -msgid "Common Friends" -msgstr "普通朋友们" - -#: ../../mod/common.php:78 -msgid "No contacts in common." -msgstr "没有共同熟人。" - -#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 -msgid "Remote privacy information not available." -msgstr "摇隐私信息无效" - -#: ../../mod/lockview.php:48 -msgid "Visible to:" -msgstr "可见给:" - -#: ../../mod/contacts.php:107 -#, php-format -msgid "%d contact edited." -msgid_plural "%d contacts edited" -msgstr[0] "%d熟人编辑了" - -#: ../../mod/contacts.php:138 ../../mod/contacts.php:267 -msgid "Could not access contact record." -msgstr "用不了熟人记录。" - -#: ../../mod/contacts.php:152 -msgid "Could not locate selected profile." -msgstr "找不到选择的简介。" - -#: ../../mod/contacts.php:181 -msgid "Contact updated." -msgstr "熟人更新了。" - -#: ../../mod/contacts.php:183 ../../mod/dfrn_request.php:576 -msgid "Failed to update contact record." -msgstr "更新熟人记录失败了。" - -#: ../../mod/contacts.php:282 -msgid "Contact has been blocked" -msgstr "熟人拦了" - -#: ../../mod/contacts.php:282 -msgid "Contact has been unblocked" -msgstr "熟人否拦了" - -#: ../../mod/contacts.php:293 -msgid "Contact has been ignored" -msgstr "熟人不理了" - -#: ../../mod/contacts.php:293 -msgid "Contact has been unignored" -msgstr "熟人否不理了" - -#: ../../mod/contacts.php:305 -msgid "Contact has been archived" -msgstr "把联系存档了" - -#: ../../mod/contacts.php:305 -msgid "Contact has been unarchived" -msgstr "把联系从存档拿来了" - -#: ../../mod/contacts.php:330 ../../mod/contacts.php:703 -msgid "Do you really want to delete this contact?" -msgstr "您真的想删除这个熟人吗?" - -#: ../../mod/contacts.php:347 -msgid "Contact has been removed." -msgstr "熟人删除了。" - -#: ../../mod/contacts.php:385 -#, php-format -msgid "You are mutual friends with %s" -msgstr "您和%s是共同朋友们" - -#: ../../mod/contacts.php:389 -#, php-format -msgid "You are sharing with %s" -msgstr "您分享给%s" - -#: ../../mod/contacts.php:394 -#, php-format -msgid "%s is sharing with you" -msgstr "%s给您分享" - -#: ../../mod/contacts.php:411 -msgid "Private communications are not available for this contact." -msgstr "没有私人的沟通跟这个熟人" - -#: ../../mod/contacts.php:414 ../../mod/admin.php:540 -msgid "Never" -msgstr "从未" - -#: ../../mod/contacts.php:418 -msgid "(Update was successful)" -msgstr "(更新成功)" - -#: ../../mod/contacts.php:418 -msgid "(Update was not successful)" -msgstr "(更新不成功)" - -#: ../../mod/contacts.php:420 -msgid "Suggest friends" -msgstr "建议朋友们" - -#: ../../mod/contacts.php:424 -#, php-format -msgid "Network type: %s" -msgstr "网络种类: %s" - -#: ../../mod/contacts.php:432 -msgid "View all contacts" -msgstr "看所有的熟人" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 -#: ../../mod/contacts.php:706 ../../mod/admin.php:970 -msgid "Unblock" -msgstr "不拦" - -#: ../../mod/contacts.php:437 ../../mod/contacts.php:496 -#: ../../mod/contacts.php:706 ../../mod/admin.php:969 -msgid "Block" -msgstr "拦" - -#: ../../mod/contacts.php:440 -msgid "Toggle Blocked status" -msgstr "交替拦配置" - -#: ../../mod/contacts.php:443 ../../mod/contacts.php:497 -#: ../../mod/contacts.php:707 -msgid "Unignore" -msgstr "停不理" - -#: ../../mod/contacts.php:446 -msgid "Toggle Ignored status" -msgstr "交替忽视现状" - -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 -msgid "Unarchive" -msgstr "从存档拿来" - -#: ../../mod/contacts.php:450 ../../mod/contacts.php:708 -msgid "Archive" -msgstr "存档" - -#: ../../mod/contacts.php:453 -msgid "Toggle Archive status" -msgstr "交替档案现状" - -#: ../../mod/contacts.php:456 -msgid "Repair" -msgstr "维修" - -#: ../../mod/contacts.php:459 -msgid "Advanced Contact Settings" -msgstr "专家熟人设置" - -#: ../../mod/contacts.php:465 -msgid "Communications lost with this contact!" -msgstr "联系跟这个熟人断开了!" - -#: ../../mod/contacts.php:468 -msgid "Contact Editor" -msgstr "熟人编器" - -#: ../../mod/contacts.php:471 -msgid "Profile Visibility" -msgstr "简历可见量" - -#: ../../mod/contacts.php:472 -#, php-format -msgid "" -"Please choose the profile you would like to display to %s when viewing your " -"profile securely." -msgstr "请选择简介您想给%s显示他安全地看您的简介的时候。" - -#: ../../mod/contacts.php:473 -msgid "Contact Information / Notes" -msgstr "熟人信息/便条" - -#: ../../mod/contacts.php:474 -msgid "Edit contact notes" -msgstr "编辑熟人便条" - -#: ../../mod/contacts.php:479 ../../mod/contacts.php:671 -#: ../../mod/nogroup.php:40 ../../mod/viewcontacts.php:62 -#, php-format -msgid "Visit %s's profile [%s]" -msgstr "看%s的简介[%s]" - -#: ../../mod/contacts.php:480 -msgid "Block/Unblock contact" -msgstr "拦/否拦熟人" - -#: ../../mod/contacts.php:481 -msgid "Ignore contact" -msgstr "忽视熟人" - -#: ../../mod/contacts.php:482 -msgid "Repair URL settings" -msgstr "维修URL设置" - -#: ../../mod/contacts.php:483 -msgid "View conversations" -msgstr "看交流" - -#: ../../mod/contacts.php:485 -msgid "Delete contact" -msgstr "删除熟人" - -#: ../../mod/contacts.php:489 -msgid "Last update:" -msgstr "上个更新:" - -#: ../../mod/contacts.php:491 -msgid "Update public posts" -msgstr "更新公开文章" - -#: ../../mod/contacts.php:493 ../../mod/admin.php:1464 -msgid "Update now" -msgstr "现在更新" - -#: ../../mod/contacts.php:500 -msgid "Currently blocked" -msgstr "现在拦的" - -#: ../../mod/contacts.php:501 -msgid "Currently ignored" -msgstr "现在不理的" - -#: ../../mod/contacts.php:502 -msgid "Currently archived" -msgstr "现在存档着" - -#: ../../mod/contacts.php:503 -msgid "" -"Replies/likes to your public posts may still be visible" -msgstr "回答/喜欢关您公开文章还可见的" - -#: ../../mod/contacts.php:504 -msgid "Notification for new posts" -msgstr "新消息提示" - -#: ../../mod/contacts.php:504 -msgid "Send a notification of every new post of this contact" -msgstr "发提示在所有这个联络的新消息" - -#: ../../mod/contacts.php:505 -msgid "Fetch further information for feeds" -msgstr "拿文源别的消息" - -#: ../../mod/contacts.php:556 -msgid "Suggestions" -msgstr "建议" - -#: ../../mod/contacts.php:559 -msgid "Suggest potential friends" -msgstr "建议潜在朋友们" - -#: ../../mod/contacts.php:565 -msgid "Show all contacts" -msgstr "表示所有的熟人" - -#: ../../mod/contacts.php:568 -msgid "Unblocked" -msgstr "不拦了" - -#: ../../mod/contacts.php:571 -msgid "Only show unblocked contacts" -msgstr "只表示不拦的熟人" - -#: ../../mod/contacts.php:575 -msgid "Blocked" -msgstr "拦了" - -#: ../../mod/contacts.php:578 -msgid "Only show blocked contacts" -msgstr "只表示拦的熟人" - -#: ../../mod/contacts.php:582 -msgid "Ignored" -msgstr "忽视的" - -#: ../../mod/contacts.php:585 -msgid "Only show ignored contacts" -msgstr "只表示忽视的熟人" - -#: ../../mod/contacts.php:589 -msgid "Archived" -msgstr "在存档" - -#: ../../mod/contacts.php:592 -msgid "Only show archived contacts" -msgstr "只表示档案熟人" - -#: ../../mod/contacts.php:596 -msgid "Hidden" -msgstr "隐藏的" - -#: ../../mod/contacts.php:599 -msgid "Only show hidden contacts" -msgstr "只表示隐藏的熟人" - -#: ../../mod/contacts.php:647 -msgid "Mutual Friendship" -msgstr "共同友谊" - -#: ../../mod/contacts.php:651 -msgid "is a fan of yours" -msgstr "是您迷" - -#: ../../mod/contacts.php:655 -msgid "you are a fan of" -msgstr "你喜欢" - -#: ../../mod/contacts.php:672 ../../mod/nogroup.php:41 -msgid "Edit contact" -msgstr "编熟人" - -#: ../../mod/contacts.php:698 -msgid "Search your contacts" -msgstr "搜索您的熟人" - -#: ../../mod/contacts.php:699 ../../mod/directory.php:61 -msgid "Finding: " -msgstr "找着:" - -#: ../../mod/wall_attach.php:75 -msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" -msgstr "不好意思,可能你上传的是PHP设置允许的大" - -#: ../../mod/wall_attach.php:75 -msgid "Or - did you try to upload an empty file?" -msgstr "或者,你是不是上传空的文件?" - -#: ../../mod/wall_attach.php:81 -#, php-format -msgid "File exceeds size limit of %d" -msgstr "文件数目超过最多%d" - -#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 -msgid "File upload failed." -msgstr "文件上传失败。" - -#: ../../mod/update_community.php:18 ../../mod/update_network.php:25 -#: ../../mod/update_notes.php:37 ../../mod/update_display.php:22 -#: ../../mod/update_profile.php:41 -msgid "[Embedded content - reload page to view]" -msgstr "[嵌入内容-重新加载页为看]" - -#: ../../mod/uexport.php:77 -msgid "Export account" -msgstr "出口账户" - -#: ../../mod/uexport.php:77 -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:78 -msgid "Export all" -msgstr "出口一切" - -#: ../../mod/uexport.php:78 -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/register.php:93 -msgid "" -"Registration successful. Please check your email for further instructions." -msgstr "注册成功了。请咨询说明再您的收件箱。" - -#: ../../mod/register.php:97 -msgid "Failed to send email message. Here is the message that failed." -msgstr "发邮件失败了。这条试失败的消息。" - -#: ../../mod/register.php:102 -msgid "Your registration can not be processed." -msgstr "处理不了您的注册。" - -#: ../../mod/register.php:145 -msgid "Your registration is pending approval by the site owner." -msgstr "您的注册等网页主的批准。" - -#: ../../mod/register.php:183 ../../mod/uimport.php:50 -msgid "" -"This site has exceeded the number of allowed daily account registrations. " -"Please try again tomorrow." -msgstr "这个网站超过一天最多账户注册。请明天再试。" - -#: ../../mod/register.php:211 -msgid "" -"You may (optionally) fill in this form via OpenID by supplying your OpenID " -"and clicking 'Register'." -msgstr "您会(可选的)用OpenID填这个表格通过提供您的OpenID和点击「注册」。" - -#: ../../mod/register.php:212 -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:213 -msgid "Your OpenID (optional): " -msgstr "您的OpenID(可选的):" - -#: ../../mod/register.php:227 -msgid "Include your profile in member directory?" -msgstr "放您的简介再员目录?" - -#: ../../mod/register.php:248 -msgid "Membership on this site is by invitation only." -msgstr "会员身份在这个网站是光通过邀请。" - -#: ../../mod/register.php:249 -msgid "Your invitation ID: " -msgstr "您邀请ID:" - -#: ../../mod/register.php:252 ../../mod/admin.php:589 -msgid "Registration" -msgstr "注册" - -#: ../../mod/register.php:260 -msgid "Your Full Name (e.g. Joe Smith): " -msgstr "您姓名(例如「张三」):" - -#: ../../mod/register.php:261 -msgid "Your Email Address: " -msgstr "你的电子邮件地址:" - -#: ../../mod/register.php:262 -msgid "" -"Choose a profile nickname. This must begin with a text character. Your " -"profile address on this site will then be " -"'nickname@$sitename'." -msgstr "选择简介昵称。昵称头一字必须拉丁字。您再这个网站的简介地址将「example@$sitename」." - -#: ../../mod/register.php:263 -msgid "Choose a nickname: " -msgstr "选择昵称:" - -#: ../../mod/register.php:272 ../../mod/uimport.php:64 -msgid "Import" -msgstr "进口" - -#: ../../mod/register.php:273 -msgid "Import your profile to this friendica instance" -msgstr "进口您的简介到这个friendica服务器" - -#: ../../mod/oexchange.php:25 -msgid "Post successful." -msgstr "评论发表了。" - -#: ../../mod/maintenance.php:5 -msgid "System down for maintenance" -msgstr "系统关闭为了维持" - -#: ../../mod/profile.php:155 ../../mod/display.php:288 -msgid "Access to this profile has been restricted." -msgstr "使用权这个简介被限制了." - -#: ../../mod/profile.php:180 -msgid "Tips for New Members" -msgstr "提示对新成员" - -#: ../../mod/videos.php:115 ../../mod/dfrn_request.php:766 -#: ../../mod/viewcontacts.php:17 ../../mod/photos.php:920 -#: ../../mod/search.php:89 ../../mod/community.php:18 -#: ../../mod/display.php:180 ../../mod/directory.php:33 -msgid "Public access denied." -msgstr "公众看拒绝" - -#: ../../mod/videos.php:125 -msgid "No videos selected" -msgstr "没选择的视频" - -#: ../../mod/videos.php:226 ../../mod/photos.php:1031 -msgid "Access to this item is restricted." -msgstr "这个项目使用权限的。" - -#: ../../mod/videos.php:308 ../../mod/photos.php:1806 -msgid "View Album" -msgstr "看照片册" - -#: ../../mod/videos.php:317 -msgid "Recent Videos" -msgstr "最近视频" - -#: ../../mod/videos.php:319 -msgid "Upload New Videos" -msgstr "上传新视频" - -#: ../../mod/manage.php:106 -msgid "Manage Identities and/or Pages" -msgstr "管理身份或页" - -#: ../../mod/manage.php:107 -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:108 -msgid "Select an identity to manage: " -msgstr "选择同一个人管理:" - -#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 -msgid "Item not found" -msgstr "项目没找到" - -#: ../../mod/editpost.php:39 -msgid "Edit post" -msgstr "编辑文章" - -#: ../../mod/dirfind.php:26 -msgid "People Search" -msgstr "搜索人物" - -#: ../../mod/dirfind.php:60 ../../mod/match.php:65 -msgid "No matches" -msgstr "没有结果" - -#: ../../mod/regmod.php:54 -msgid "Account approved." -msgstr "账户批准了" - -#: ../../mod/regmod.php:91 -#, php-format -msgid "Registration revoked for %s" -msgstr "%s的登记撤销了" - -#: ../../mod/regmod.php:103 -msgid "Please login." -msgstr "清登录。" - -#: ../../mod/dfrn_request.php:95 -msgid "This introduction has already been accepted." -msgstr "这个介绍已经接受了。" - -#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 -msgid "Profile location is not valid or does not contain profile information." -msgstr "简介位置失效或不包含简介信息。" - -#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 -msgid "Warning: profile location has no identifiable owner name." -msgstr "警告:简介位置没有可设别的主名。" - -#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 -msgid "Warning: profile location has no profile photo." -msgstr "警告:简介位置没有简介图。" - -#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 -#, 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需要的参数没找到在输入的位置。" - -#: ../../mod/dfrn_request.php:172 -msgid "Introduction complete." -msgstr "介绍完成的。" - -#: ../../mod/dfrn_request.php:214 -msgid "Unrecoverable protocol error." -msgstr "不能恢复的协议错误" - -#: ../../mod/dfrn_request.php:242 -msgid "Profile unavailable." -msgstr "简介无效" - -#: ../../mod/dfrn_request.php:267 -#, php-format -msgid "%s has received too many connection requests today." -msgstr "%s今天已经受到了太多联络要求" - -#: ../../mod/dfrn_request.php:268 -msgid "Spam protection measures have been invoked." -msgstr "垃圾保护措施被用了。" - -#: ../../mod/dfrn_request.php:269 -msgid "Friends are advised to please try again in 24 hours." -msgstr "朋友们被建议请24小时后再试。" - -#: ../../mod/dfrn_request.php:331 -msgid "Invalid locator" -msgstr "无效找到物" - -#: ../../mod/dfrn_request.php:340 -msgid "Invalid email address." -msgstr "无效的邮件地址。" - -#: ../../mod/dfrn_request.php:367 -msgid "This account has not been configured for email. Request failed." -msgstr "这个账户没有设置用电子邮件。要求没通过。" - -#: ../../mod/dfrn_request.php:463 -msgid "Unable to resolve your name at the provided location." -msgstr "不可疏解您的名字再输入的位置。" - -#: ../../mod/dfrn_request.php:476 -msgid "You have already introduced yourself here." -msgstr "您已经自我介绍这儿。" - -#: ../../mod/dfrn_request.php:480 -#, php-format -msgid "Apparently you are already friends with %s." -msgstr "看上去您已经是%s的朋友。" - -#: ../../mod/dfrn_request.php:501 -msgid "Invalid profile URL." -msgstr "无效的简介URL。" - -#: ../../mod/dfrn_request.php:597 -msgid "Your introduction has been sent." -msgstr "您的介绍发布了。" - -#: ../../mod/dfrn_request.php:650 -msgid "Please login to confirm introduction." -msgstr "请登记为确认介绍。" - -#: ../../mod/dfrn_request.php:664 -msgid "" -"Incorrect identity currently logged in. Please login to " -"this profile." -msgstr "错误的用户登记者。请用这个用户。" - -#: ../../mod/dfrn_request.php:675 -msgid "Hide this contact" -msgstr "隐藏这个熟人" - -#: ../../mod/dfrn_request.php:678 -#, php-format -msgid "Welcome home %s." -msgstr "欢迎%s。" - -#: ../../mod/dfrn_request.php:679 -#, php-format -msgid "Please confirm your introduction/connection request to %s." -msgstr "请确认您的介绍/联络要求给%s。" - -#: ../../mod/dfrn_request.php:680 -msgid "Confirm" -msgstr "确认" - -#: ../../mod/dfrn_request.php:808 -msgid "" -"Please enter your 'Identity Address' from one of the following supported " -"communications networks:" -msgstr "请输入您的「同一人地址」这些支持的交通网络中:" - -#: ../../mod/dfrn_request.php:828 -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网站今天加入." - -#: ../../mod/dfrn_request.php:831 -msgid "Friend/Connection Request" -msgstr "朋友/联络要求。" - -#: ../../mod/dfrn_request.php:832 -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" - -#: ../../mod/dfrn_request.php:833 -msgid "Please answer the following:" -msgstr "请回答下述的:" - -#: ../../mod/dfrn_request.php:834 -#, php-format -msgid "Does %s know you?" -msgstr "%s是否认识你?" - -#: ../../mod/dfrn_request.php:838 -msgid "Add a personal note:" -msgstr "添加个人的便条" - -#: ../../mod/dfrn_request.php:841 -msgid "StatusNet/Federated Social Web" -msgstr "StatusNet/联合社会化网" - -#: ../../mod/dfrn_request.php:843 -#, php-format -msgid "" -" - please do not use this form. Instead, enter %s into your Diaspora search" -" bar." -msgstr " - 请别用这个表格。反而输入%s在您的Diaspora搜索功能。" - -#: ../../mod/dfrn_request.php:844 -msgid "Your Identity Address:" -msgstr "您的同一个人地址:" - -#: ../../mod/dfrn_request.php:847 -msgid "Submit Request" -msgstr "提交要求" - -#: ../../mod/fbrowser.php:113 -msgid "Files" -msgstr "文件" - -#: ../../mod/api.php:76 ../../mod/api.php:102 -msgid "Authorize application connection" -msgstr "授权应用连接" - -#: ../../mod/api.php:77 -msgid "Return to your app and insert this Securty Code:" -msgstr "回归您的应用和输入这个安全密码:" - -#: ../../mod/api.php:89 -msgid "Please login to continue." -msgstr "请登记为继续。" - -#: ../../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 "您想不想使这个应用用权您的文章和熟人,和/或代您造成新文章" - -#: ../../mod/suggest.php:27 -msgid "Do you really want to delete this suggestion?" -msgstr "您真的想删除这个建议吗?" - -#: ../../mod/suggest.php:72 -msgid "" -"No suggestions available. If this is a new site, please try again in 24 " -"hours." -msgstr "没有建议。如果这是新网站,请24小时后再试。" - -#: ../../mod/suggest.php:90 -msgid "Ignore/Hide" -msgstr "不理/隐藏" - -#: ../../mod/nogroup.php:59 -msgid "Contacts who are not members of a group" -msgstr "没当成员的熟人" - -#: ../../mod/fsuggest.php:20 ../../mod/fsuggest.php:92 -#: ../../mod/crepair.php:131 ../../mod/dfrn_confirm.php:120 -msgid "Contact not found." -msgstr "没找到熟人。" - -#: ../../mod/fsuggest.php:63 -msgid "Friend suggestion sent." -msgstr "朋友建议发送了。" - -#: ../../mod/fsuggest.php:97 -msgid "Suggest Friends" -msgstr "建议朋友们" - -#: ../../mod/fsuggest.php:99 -#, php-format -msgid "Suggest a friend for %s" -msgstr "建议朋友给%s" - -#: ../../mod/share.php:44 -msgid "link" -msgstr "链接" - -#: ../../mod/viewcontacts.php:39 -msgid "No contacts." -msgstr "没有熟人。" - -#: ../../mod/admin.php:57 -msgid "Theme settings updated." -msgstr "主题设置更新了。" - -#: ../../mod/admin.php:104 ../../mod/admin.php:587 -msgid "Site" -msgstr "网站" - -#: ../../mod/admin.php:105 ../../mod/admin.php:959 ../../mod/admin.php:974 -msgid "Users" -msgstr "用户" - -#: ../../mod/admin.php:107 ../../mod/admin.php:1284 ../../mod/admin.php:1318 -msgid "Themes" -msgstr "主题" - -#: ../../mod/admin.php:108 -msgid "DB updates" -msgstr "数据库更新" - -#: ../../mod/admin.php:123 ../../mod/admin.php:130 ../../mod/admin.php:1405 -msgid "Logs" -msgstr "记录" - -#: ../../mod/admin.php:129 -msgid "Plugin Features" -msgstr "插件特点" - -#: ../../mod/admin.php:131 -msgid "User registrations waiting for confirmation" -msgstr "用户注册等确认" - -#: ../../mod/admin.php:190 ../../mod/admin.php:913 -msgid "Normal Account" -msgstr "正常帐户" - -#: ../../mod/admin.php:191 ../../mod/admin.php:914 -msgid "Soapbox Account" -msgstr "演讲台帐户" - -#: ../../mod/admin.php:192 ../../mod/admin.php:915 -msgid "Community/Celebrity Account" -msgstr "社会/名人帐户" - -#: ../../mod/admin.php:193 ../../mod/admin.php:916 -msgid "Automatic Friend Account" -msgstr "自动朋友帐户" - -#: ../../mod/admin.php:194 -msgid "Blog Account" -msgstr "博客账户" - -#: ../../mod/admin.php:195 -msgid "Private Forum" -msgstr "私人评坛" - -#: ../../mod/admin.php:214 -msgid "Message queues" -msgstr "通知排队" - -#: ../../mod/admin.php:219 ../../mod/admin.php:586 ../../mod/admin.php:958 -#: ../../mod/admin.php:1062 ../../mod/admin.php:1115 ../../mod/admin.php:1283 -#: ../../mod/admin.php:1317 ../../mod/admin.php:1404 -msgid "Administration" -msgstr "管理" - -#: ../../mod/admin.php:220 -msgid "Summary" -msgstr "总算" - -#: ../../mod/admin.php:222 -msgid "Registered users" -msgstr "注册的用户" - -#: ../../mod/admin.php:224 -msgid "Pending registrations" -msgstr "未决的注册" - -#: ../../mod/admin.php:225 -msgid "Version" -msgstr "版本" - -#: ../../mod/admin.php:227 -msgid "Active plugins" -msgstr "活跃的插件" - -#: ../../mod/admin.php:250 -msgid "Can not parse base url. Must have at least ://" -msgstr "不能分析基础URL。至少要://" - -#: ../../mod/admin.php:494 -msgid "Site settings updated." -msgstr "网站设置更新了。" - -#: ../../mod/admin.php:541 -msgid "At post arrival" -msgstr "收件的时候" - -#: ../../mod/admin.php:550 -msgid "Multi user instance" -msgstr "多用户网站" - -#: ../../mod/admin.php:573 -msgid "Closed" -msgstr "关闭" - -#: ../../mod/admin.php:574 -msgid "Requires approval" -msgstr "要批准" - -#: ../../mod/admin.php:575 -msgid "Open" -msgstr "打开" - -#: ../../mod/admin.php:579 -msgid "No SSL policy, links will track page SSL state" -msgstr "没SSL方针,环节将追踪页SSL现状" - -#: ../../mod/admin.php:580 -msgid "Force all links to use SSL" -msgstr "让所有的环节用SSL" - -#: ../../mod/admin.php:581 -msgid "Self-signed certificate, use SSL for local links only (discouraged)" -msgstr "自签证书,用SSL再光本地环节(劝止的)" - -#: ../../mod/admin.php:590 -msgid "File upload" -msgstr "文件上传" - -#: ../../mod/admin.php:591 -msgid "Policies" -msgstr "政策" - -#: ../../mod/admin.php:592 -msgid "Advanced" -msgstr "高等" - -#: ../../mod/admin.php:593 -msgid "Performance" -msgstr "性能" - -#: ../../mod/admin.php:594 -msgid "" -"Relocate - WARNING: advanced function. Could make this server unreachable." -msgstr "调动:注意先进的功能。能吧服务器使不能联系。" - -#: ../../mod/admin.php:597 -msgid "Site name" -msgstr "网页名字" - -#: ../../mod/admin.php:598 -msgid "Banner/Logo" -msgstr "标题/标志" - -#: ../../mod/admin.php:599 -msgid "Additional Info" -msgstr "别的消息" - -#: ../../mod/admin.php:599 -msgid "" -"For public servers: you can add additional information here that will be " -"listed at dir.friendica.com/siteinfo." -msgstr "公共服务器:您会这里添加消息要列在dir.friendica.com/siteinfo。" - -#: ../../mod/admin.php:600 -msgid "System language" -msgstr "系统语言" - -#: ../../mod/admin.php:601 -msgid "System theme" -msgstr "系统主题" - -#: ../../mod/admin.php:601 -msgid "" -"Default system theme - may be over-ridden by user profiles - change theme settings" -msgstr "默认系统主题-会被用户简介超驰-把主题设置变化" - -#: ../../mod/admin.php:602 -msgid "Mobile system theme" -msgstr "手机系统主题" - -#: ../../mod/admin.php:602 -msgid "Theme for mobile devices" -msgstr "主题适合手机" - -#: ../../mod/admin.php:603 -msgid "SSL link policy" -msgstr "SSL环节方针" - -#: ../../mod/admin.php:603 -msgid "Determines whether generated links should be forced to use SSL" -msgstr "决定产生的环节否则被强迫用SSL" - -#: ../../mod/admin.php:604 -msgid "Old style 'Share'" -msgstr "老款式'分享'" - -#: ../../mod/admin.php:604 -msgid "Deactivates the bbcode element 'share' for repeating items." -msgstr "为重复的项目吧bbcode“share”代码使不活跃" - -#: ../../mod/admin.php:605 -msgid "Hide help entry from navigation menu" -msgstr "隐藏帮助在航行选单" - -#: ../../mod/admin.php:605 -msgid "" -"Hides the menu entry for the Help pages from the navigation menu. You can " -"still access it calling /help directly." -msgstr "隐藏帮助项目在航行选单。您还能用它经过手动的输入「/help」" - -#: ../../mod/admin.php:606 -msgid "Single user instance" -msgstr "单用户网站" - -#: ../../mod/admin.php:606 -msgid "Make this instance multi-user or single-user for the named user" -msgstr "弄这网站多用户或单用户为选择的用户" - -#: ../../mod/admin.php:607 -msgid "Maximum image size" -msgstr "图片最大尺寸" - -#: ../../mod/admin.php:607 -msgid "" -"Maximum size in bytes of uploaded images. Default is 0, which means no " -"limits." -msgstr "最多上传照相的字节。默认是零,意思是无限。" - -#: ../../mod/admin.php:608 -msgid "Maximum image length" -msgstr "最大图片大小" - -#: ../../mod/admin.php:608 -msgid "" -"Maximum length in pixels of the longest side of uploaded images. Default is " -"-1, which means no limits." -msgstr "最多像素在上传图片的长度。默认-1,意思是无限。" - -#: ../../mod/admin.php:609 -msgid "JPEG image quality" -msgstr "JPEG图片质量" - -#: ../../mod/admin.php:609 -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:611 -msgid "Register policy" -msgstr "注册政策" - -#: ../../mod/admin.php:612 -msgid "Maximum Daily Registrations" -msgstr "一天最多注册" - -#: ../../mod/admin.php:612 -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:613 -msgid "Register text" -msgstr "注册正文" - -#: ../../mod/admin.php:613 -msgid "Will be displayed prominently on the registration page." -msgstr "被显著的在注册页表示。" - -#: ../../mod/admin.php:614 -msgid "Accounts abandoned after x days" -msgstr "账户丢弃X天后" - -#: ../../mod/admin.php:614 -msgid "" -"Will not waste system resources polling external sites for abandonded " -"accounts. Enter 0 for no time limit." -msgstr "拒绝浪费系统资源看外网站找丢弃的账户。输入0为无时限。" - -#: ../../mod/admin.php:615 -msgid "Allowed friend domains" -msgstr "允许的朋友域" - -#: ../../mod/admin.php:615 -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:616 -msgid "Allowed email domains" -msgstr "允许的电子邮件域" - -#: ../../mod/admin.php:616 -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:617 -msgid "Block public" -msgstr "拦公开" - -#: ../../mod/admin.php:617 -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:618 -msgid "Force publish" -msgstr "需要出版" - -#: ../../mod/admin.php:618 -msgid "" -"Check to force all profiles on this site to be listed in the site directory." -msgstr "让所有这网站的的简介表明在网站目录。" - -#: ../../mod/admin.php:619 -msgid "Global directory update URL" -msgstr "综合目录更新URL" - -#: ../../mod/admin.php:619 -msgid "" -"URL to update the global directory. If this is not set, the global directory" -" is completely unavailable to the application." -msgstr "URL为更新综合目录。如果没有,这个应用用不了综合目录。" - -#: ../../mod/admin.php:620 -msgid "Allow threaded items" -msgstr "允许线绳项目" - -#: ../../mod/admin.php:620 -msgid "Allow infinite level threading for items on this site." -msgstr "允许无限水平线绳为这网站的项目。" - -#: ../../mod/admin.php:621 -msgid "Private posts by default for new users" -msgstr "新用户默认写私人文章" - -#: ../../mod/admin.php:621 -msgid "" -"Set default post permissions for all new members to the default privacy " -"group rather than public." -msgstr "默认新用户文章批准使默认隐私组,没有公开。" - -#: ../../mod/admin.php:622 -msgid "Don't include post content in email notifications" -msgstr "别包含文章内容在邮件消息" - -#: ../../mod/admin.php:622 -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:623 -msgid "Disallow public access to addons listed in the apps menu." -msgstr "不允许插件的公众使用权在应用选单。" - -#: ../../mod/admin.php:623 -msgid "" -"Checking this box will restrict addons listed in the apps menu to members " -"only." -msgstr "复选这个框为把应用选内插件限制仅成员" - -#: ../../mod/admin.php:624 -msgid "Don't embed private images in posts" -msgstr "别嵌入私人图案在文章里" - -#: ../../mod/admin.php:624 -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 " -"photos will have to authenticate and load each image, which may take a " -"while." -msgstr "别把复制嵌入的照相代替本网站的私人照相在文章里。结果是收包括私人照相的熟人要认证才卸载个张照片,会花许久。" - -#: ../../mod/admin.php:625 -msgid "Allow Users to set remote_self" -msgstr "允许用户用遥远的自身" - -#: ../../mod/admin.php:625 -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:626 -msgid "Block multiple registrations" -msgstr "拦一人多注册" - -#: ../../mod/admin.php:626 -msgid "Disallow users to register additional accounts for use as pages." -msgstr "不允许用户注册别的账户为当页。" - -#: ../../mod/admin.php:627 -msgid "OpenID support" -msgstr "OpenID支持" - -#: ../../mod/admin.php:627 -msgid "OpenID support for registration and logins." -msgstr "OpenID支持注册和登录。" - -#: ../../mod/admin.php:628 -msgid "Fullname check" -msgstr "全名核实" - -#: ../../mod/admin.php:628 -msgid "" -"Force users to register with a space between firstname and lastname in Full " -"name, as an antispam measure" -msgstr "让用户注册的时候放空格姓名中间,省得垃圾注册。" - -#: ../../mod/admin.php:629 -msgid "UTF-8 Regular expressions" -msgstr "UTF-8正则表达式" - -#: ../../mod/admin.php:629 -msgid "Use PHP UTF8 regular expressions" -msgstr "用PHP UTF8正则表达式" - -#: ../../mod/admin.php:630 -msgid "Show Community Page" -msgstr "表示社会页" - -#: ../../mod/admin.php:630 -msgid "" -"Display a Community page showing all recent public postings on this site." -msgstr "表示社会页表明这网站所有最近公开的文章" - -#: ../../mod/admin.php:631 -msgid "Enable OStatus support" -msgstr "使OStatus支持可用" - -#: ../../mod/admin.php:631 -msgid "" -"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " -"communications in OStatus are public, so privacy warnings will be " -"occasionally displayed." -msgstr "提供OStatus(StatusNet,GNU Social,等)兼容性。所有OStatus的交通是公开的,所以私事警告偶尔来表示。" - -#: ../../mod/admin.php:632 -msgid "OStatus conversation completion interval" -msgstr "OStatus对话完成间隔" - -#: ../../mod/admin.php:632 -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:633 -msgid "Enable Diaspora support" -msgstr "使Diaspora支持能够" - -#: ../../mod/admin.php:633 -msgid "Provide built-in Diaspora network compatibility." -msgstr "提供内装Diaspora网络兼容。" - -#: ../../mod/admin.php:634 -msgid "Only allow Friendica contacts" -msgstr "只许Friendica熟人" - -#: ../../mod/admin.php:634 -msgid "" -"All contacts must use Friendica protocols. All other built-in communication " -"protocols disabled." -msgstr "所有的熟人要用Friendica协议 。别的内装的沟通协议都不能用。" - -#: ../../mod/admin.php:635 -msgid "Verify SSL" -msgstr "证实" - -#: ../../mod/admin.php:635 -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:636 -msgid "Proxy user" -msgstr "代理用户" - -#: ../../mod/admin.php:637 -msgid "Proxy URL" -msgstr "代理URL" - -#: ../../mod/admin.php:638 -msgid "Network timeout" -msgstr "网络超时" - -#: ../../mod/admin.php:638 -msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." -msgstr "输入秒数。输入零为无限(不推荐的)。" - -#: ../../mod/admin.php:639 -msgid "Delivery interval" -msgstr "传送间隔" - -#: ../../mod/admin.php:639 -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 "把背景传送过程耽误这多秒为减少系统工作量。推荐:4-5在共用服务器,2-3在私人服务器。0-1在大专门服务器。" - -#: ../../mod/admin.php:640 -msgid "Poll interval" -msgstr "检查时间" - -#: ../../mod/admin.php:640 -msgid "" -"Delay background polling processes by this many seconds to reduce system " -"load. If 0, use delivery interval." -msgstr "把背景检查行程耽误这数秒为减少系统负荷。如果是0,用发布时间。" - -#: ../../mod/admin.php:641 -msgid "Maximum Load Average" -msgstr "最大负荷平均" - -#: ../../mod/admin.php:641 -msgid "" -"Maximum system load before delivery and poll processes are deferred - " -"default 50." -msgstr "系统负荷平均以上转播和检查行程会被耽误-默认50。" - -#: ../../mod/admin.php:643 -msgid "Use MySQL full text engine" -msgstr "用MySQL全正文机车" - -#: ../../mod/admin.php:643 -msgid "" -"Activates the full text engine. Speeds up search - but can only search for " -"four and more characters." -msgstr "使全正文机车可用。把搜索催-可是只能搜索4字以上" - -#: ../../mod/admin.php:644 -msgid "Suppress Language" -msgstr "封锁语言" - -#: ../../mod/admin.php:644 -msgid "Suppress language information in meta information about a posting." -msgstr "遗漏语言消息从文章的描述" - -#: ../../mod/admin.php:645 -msgid "Path to item cache" -msgstr "路线到项目缓存" - -#: ../../mod/admin.php:646 -msgid "Cache duration in seconds" -msgstr "缓存时间秒" - -#: ../../mod/admin.php:646 -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:647 -msgid "Maximum numbers of comments per post" -msgstr "" - -#: ../../mod/admin.php:647 -msgid "How much comments should be shown for each post? Default value is 100." -msgstr "" - -#: ../../mod/admin.php:648 -msgid "Path for lock file" -msgstr "路线到锁文件" - -#: ../../mod/admin.php:649 -msgid "Temp path" -msgstr "临时文件路线" - -#: ../../mod/admin.php:650 -msgid "Base path to installation" -msgstr "基础安装路线" - -#: ../../mod/admin.php:651 -msgid "Disable picture proxy" -msgstr "" - -#: ../../mod/admin.php:651 -msgid "" -"The picture proxy increases performance and privacy. It shouldn't be used on" -" systems with very low bandwith." -msgstr "" - -#: ../../mod/admin.php:653 -msgid "New base url" -msgstr "新基础URL" - -#: ../../mod/admin.php:655 -msgid "Enable noscrape" -msgstr "" - -#: ../../mod/admin.php:655 -msgid "" -"The noscrape feature speeds up directory submissions by using JSON data " -"instead of HTML scraping." -msgstr "" - -#: ../../mod/admin.php:672 -msgid "Update has been marked successful" -msgstr "更新当成功标签了" - -#: ../../mod/admin.php:680 -#, php-format -msgid "Database structure update %s was successfully applied." -msgstr "" - -#: ../../mod/admin.php:683 -#, php-format -msgid "Executing of database structure update %s failed with error: %s" -msgstr "" - -#: ../../mod/admin.php:695 -#, php-format -msgid "Executing %s failed with error: %s" -msgstr "" - -#: ../../mod/admin.php:698 -#, php-format -msgid "Update %s was successfully applied." -msgstr "把%s更新成功地实行。" - -#: ../../mod/admin.php:702 -#, php-format -msgid "Update %s did not return a status. Unknown if it succeeded." -msgstr "%s更新没回答现状。不知道是否成功。" - -#: ../../mod/admin.php:704 -#, php-format -msgid "There was no additional update function %s that needed to be called." -msgstr "" - -#: ../../mod/admin.php:723 -msgid "No failed updates." -msgstr "没有不通过地更新。" - -#: ../../mod/admin.php:724 -msgid "Check database structure" -msgstr "" - -#: ../../mod/admin.php:729 -msgid "Failed Updates" -msgstr "没通过的更新" - -#: ../../mod/admin.php:730 -msgid "" -"This does not include updates prior to 1139, which did not return a status." -msgstr "这个不包括1139号更新之前,它们没回答装线。" - -#: ../../mod/admin.php:731 -msgid "Mark success (if update was manually applied)" -msgstr "标注成功(如果手动地把更新实行了)" - -#: ../../mod/admin.php:732 -msgid "Attempt to execute this update step automatically" -msgstr "试图自动地把这步更新实行" - -#: ../../mod/admin.php:764 -#, php-format -msgid "" -"\n" -"\t\t\tDear %1$s,\n" -"\t\t\t\tthe administrator of %2$s has set up an account for you." -msgstr "" - -#: ../../mod/admin.php:767 -#, php-format -msgid "" -"\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." -msgstr "" - -#: ../../mod/admin.php:811 -#, php-format -msgid "%s user blocked/unblocked" -msgid_plural "%s users blocked/unblocked" -msgstr[0] "%s用户拦/不拦了" - -#: ../../mod/admin.php:818 -#, php-format -msgid "%s user deleted" -msgid_plural "%s users deleted" -msgstr[0] "%s用户删除了" - -#: ../../mod/admin.php:857 -#, php-format -msgid "User '%s' deleted" -msgstr "用户「%s」删除了" - -#: ../../mod/admin.php:865 -#, php-format -msgid "User '%s' unblocked" -msgstr "用户「%s」无拦了" - -#: ../../mod/admin.php:865 -#, php-format -msgid "User '%s' blocked" -msgstr "用户「%s」拦了" - -#: ../../mod/admin.php:960 -msgid "Add User" -msgstr "添加用户" - -#: ../../mod/admin.php:961 -msgid "select all" -msgstr "都选" - -#: ../../mod/admin.php:962 -msgid "User registrations waiting for confirm" -msgstr "用户注册等待确认" - -#: ../../mod/admin.php:963 -msgid "User waiting for permanent deletion" -msgstr "用户等待长久删除" - -#: ../../mod/admin.php:964 -msgid "Request date" -msgstr "要求日期" - -#: ../../mod/admin.php:965 -msgid "No registrations." -msgstr "没有注册。" - -#: ../../mod/admin.php:967 -msgid "Deny" -msgstr "否定" - -#: ../../mod/admin.php:971 -msgid "Site admin" -msgstr "网站管理员" - -#: ../../mod/admin.php:972 -msgid "Account expired" -msgstr "帐户过期了" - -#: ../../mod/admin.php:975 -msgid "New User" -msgstr "新用户" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Register date" -msgstr "注册日期" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Last login" -msgstr "上次登录" - -#: ../../mod/admin.php:976 ../../mod/admin.php:977 -msgid "Last item" -msgstr "上项目" - -#: ../../mod/admin.php:976 -msgid "Deleted since" -msgstr "删除从" - -#: ../../mod/admin.php:979 -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:980 -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:990 -msgid "Name of the new user." -msgstr "新用户的名" - -#: ../../mod/admin.php:991 -msgid "Nickname" -msgstr "昵称" - -#: ../../mod/admin.php:991 -msgid "Nickname of the new user." -msgstr "新用户的昵称" - -#: ../../mod/admin.php:992 -msgid "Email address of the new user." -msgstr "新用户的邮件地址" - -#: ../../mod/admin.php:1025 -#, php-format -msgid "Plugin %s disabled." -msgstr "使插件%s不能用。" - -#: ../../mod/admin.php:1029 -#, php-format -msgid "Plugin %s enabled." -msgstr "使插件%s能用。" - -#: ../../mod/admin.php:1039 ../../mod/admin.php:1255 -msgid "Disable" -msgstr "使不能用" - -#: ../../mod/admin.php:1041 ../../mod/admin.php:1257 -msgid "Enable" -msgstr "使能用" - -#: ../../mod/admin.php:1064 ../../mod/admin.php:1285 -msgid "Toggle" -msgstr "肘节" - -#: ../../mod/admin.php:1072 ../../mod/admin.php:1295 -msgid "Author: " -msgstr "作家:" - -#: ../../mod/admin.php:1073 ../../mod/admin.php:1296 -msgid "Maintainer: " -msgstr "保持员:" - -#: ../../mod/admin.php:1215 -msgid "No themes found." -msgstr "找不到主题。" - -#: ../../mod/admin.php:1277 -msgid "Screenshot" -msgstr "截图" - -#: ../../mod/admin.php:1323 -msgid "[Experimental]" -msgstr "[试验]" - -#: ../../mod/admin.php:1324 -msgid "[Unsupported]" -msgstr "[没支持]" - -#: ../../mod/admin.php:1351 -msgid "Log settings updated." -msgstr "日志设置更新了。" - -#: ../../mod/admin.php:1407 -msgid "Clear" -msgstr "清理出" - -#: ../../mod/admin.php:1413 -msgid "Enable Debugging" -msgstr "把调试使可用的" - -#: ../../mod/admin.php:1414 -msgid "Log file" -msgstr "记录文件" - -#: ../../mod/admin.php:1414 -msgid "" -"Must be writable by web server. Relative to your Friendica top-level " -"directory." -msgstr "必要被网页服务器可写的。相对Friendica主文件夹。" - -#: ../../mod/admin.php:1415 -msgid "Log level" -msgstr "记录水平" - -#: ../../mod/admin.php:1465 -msgid "Close" -msgstr "关闭" - -#: ../../mod/admin.php:1471 -msgid "FTP Host" -msgstr "FTP主机" - -#: ../../mod/admin.php:1472 -msgid "FTP Path" -msgstr "FTP目录" - -#: ../../mod/admin.php:1473 -msgid "FTP User" -msgstr "FTP用户" - -#: ../../mod/admin.php:1474 -msgid "FTP Password" -msgstr "FTP密码" - -#: ../../mod/wall_upload.php:122 ../../mod/profile_photo.php:144 -#, php-format -msgid "Image exceeds size limit of %d" -msgstr "图像超标最大极限尺寸 %d" - -#: ../../mod/wall_upload.php:144 ../../mod/photos.php:807 -#: ../../mod/profile_photo.php:153 -msgid "Unable to process image." -msgstr "处理不了图像." - -#: ../../mod/wall_upload.php:172 ../../mod/photos.php:834 -#: ../../mod/profile_photo.php:301 -msgid "Image upload failed." -msgstr "图像上载失败了." - -#: ../../mod/home.php:35 -#, php-format -msgid "Welcome to %s" -msgstr "%s欢迎你" - -#: ../../mod/openid.php:24 -msgid "OpenID protocol error. No ID returned." -msgstr "OpenID协议错误。没ID还。 " - -#: ../../mod/openid.php:53 -msgid "" -"Account not found and OpenID registration is not permitted on this site." -msgstr "找不到账户和OpenID注册不允许。" - -#: ../../mod/network.php:136 -msgid "Search Results For:" -msgstr "搜索结果为:" - -#: ../../mod/network.php:179 ../../mod/search.php:21 -msgid "Remove term" -msgstr "删除关键字" - -#: ../../mod/network.php:350 -msgid "Commented Order" -msgstr "评论时间顺序" - -#: ../../mod/network.php:353 -msgid "Sort by Comment Date" -msgstr "按评论日期顺序排列" - -#: ../../mod/network.php:356 -msgid "Posted Order" -msgstr "贴时间顺序" - -#: ../../mod/network.php:359 -msgid "Sort by Post Date" -msgstr "按发布日期顺序排列" - -#: ../../mod/network.php:368 -msgid "Posts that mention or involve you" -msgstr "提或关您的文章" - -#: ../../mod/network.php:374 -msgid "New" -msgstr "新" - -#: ../../mod/network.php:377 -msgid "Activity Stream - by date" -msgstr "活动河流-按日期" - -#: ../../mod/network.php:383 -msgid "Shared Links" -msgstr "共同环节" - -#: ../../mod/network.php:386 -msgid "Interesting Links" -msgstr "有意思的超链接" - -#: ../../mod/network.php:392 -msgid "Starred" -msgstr "被星" - -#: ../../mod/network.php:395 -msgid "Favourite Posts" -msgstr "最喜欢的文章" - -#: ../../mod/network.php:457 -#, php-format -msgid "Warning: This group contains %s member from an insecure network." -msgid_plural "" -"Warning: This group contains %s members from an insecure network." -msgstr[0] "警告:这个组bao han%s成员从不安全网络。" - -#: ../../mod/network.php:460 -msgid "Private messages to this group are at risk of public disclosure." -msgstr "私人通信给这组回被公开。" - -#: ../../mod/network.php:514 ../../mod/content.php:119 -msgid "No such group" -msgstr "没有这个组" - -#: ../../mod/network.php:531 ../../mod/content.php:130 -msgid "Group is empty" -msgstr "组没有成员" - -#: ../../mod/network.php:538 ../../mod/content.php:134 -msgid "Group: " -msgstr "组:" - -#: ../../mod/network.php:548 -msgid "Contact: " -msgstr "熟人:" - -#: ../../mod/network.php:550 -msgid "Private messages to this person are at risk of public disclosure." -msgstr "私人通信给这个人回被公开。" - -#: ../../mod/network.php:555 -msgid "Invalid contact." -msgstr "无效熟人。" - -#: ../../mod/filer.php:30 -msgid "- select -" -msgstr "-选择-" - -#: ../../mod/friendica.php:62 -msgid "This is Friendica, version" -msgstr "这是Friendica,版本" - -#: ../../mod/friendica.php:63 -msgid "running at web location" -msgstr "运作再网址" - -#: ../../mod/friendica.php:65 -msgid "" -"Please visit Friendica.com to learn " -"more about the Friendica project." -msgstr "请看Friendica.com发现多关于Friendica工程。" - -#: ../../mod/friendica.php:67 -msgid "Bug reports and issues: please visit" -msgstr "问题报案:请去" - -#: ../../mod/friendica.php:68 -msgid "" -"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " -"dot com" -msgstr "建议,夸奖,捐赠,等-请发邮件到「 Info」在Friendica点com" - -#: ../../mod/friendica.php:82 -msgid "Installed plugins/addons/apps:" -msgstr "安装的插件/加件/应用:" - -#: ../../mod/friendica.php:95 -msgid "No installed plugins/addons/apps" -msgstr "没有安装的插件/应用" - -#: ../../mod/apps.php:11 -msgid "Applications" -msgstr "应用" - -#: ../../mod/apps.php:14 -msgid "No installed applications." -msgstr "没有安装的应用" - -#: ../../mod/photos.php:67 ../../mod/photos.php:1228 ../../mod/photos.php:1817 -msgid "Upload New Photos" -msgstr "上传新照片" - -#: ../../mod/photos.php:144 -msgid "Contact information unavailable" -msgstr "熟人信息不可用" - -#: ../../mod/photos.php:165 -msgid "Album not found." -msgstr "取回不了相册." - -#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1206 -msgid "Delete Album" -msgstr "删除相册" - -#: ../../mod/photos.php:198 -msgid "Do you really want to delete this photo album and all its photos?" -msgstr "您真的想删除这个相册和所有里面的照相吗?" - -#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1513 -msgid "Delete Photo" -msgstr "删除照片" - -#: ../../mod/photos.php:287 -msgid "Do you really want to delete this photo?" -msgstr "您真的想删除这个照相吗?" - -#: ../../mod/photos.php:662 -#, php-format -msgid "%1$s was tagged in %2$s by %3$s" -msgstr "%1$s被%3$s标签在%2$s" - -#: ../../mod/photos.php:662 -msgid "a photo" -msgstr "一张照片" - -#: ../../mod/photos.php:767 -msgid "Image exceeds size limit of " -msgstr "图片超出最大尺寸" - -#: ../../mod/photos.php:775 -msgid "Image file is empty." -msgstr "图片文件空的。" - -#: ../../mod/photos.php:930 -msgid "No photos selected" -msgstr "没有照片挑选了" - -#: ../../mod/photos.php:1094 -#, php-format -msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." -msgstr "您用%2$.2f兆字节的%1$.2f兆字节照片存储。" - -#: ../../mod/photos.php:1129 -msgid "Upload Photos" -msgstr "上传照片" - -#: ../../mod/photos.php:1133 ../../mod/photos.php:1201 -msgid "New album name: " -msgstr "新册名:" - -#: ../../mod/photos.php:1134 -msgid "or existing album name: " -msgstr "或现有册名" - -#: ../../mod/photos.php:1135 -msgid "Do not show a status post for this upload" -msgstr "别显示现状报到关于这个上传" - -#: ../../mod/photos.php:1137 ../../mod/photos.php:1508 -msgid "Permissions" -msgstr "权利" - -#: ../../mod/photos.php:1148 -msgid "Private Photo" -msgstr "私人照相" - -#: ../../mod/photos.php:1149 -msgid "Public Photo" -msgstr "公开照相" - -#: ../../mod/photos.php:1216 -msgid "Edit Album" -msgstr "编照片册" - -#: ../../mod/photos.php:1222 -msgid "Show Newest First" -msgstr "先表示最新的" - -#: ../../mod/photos.php:1224 -msgid "Show Oldest First" -msgstr "先表示最老的" - -#: ../../mod/photos.php:1257 ../../mod/photos.php:1800 -msgid "View Photo" -msgstr "看照片" - -#: ../../mod/photos.php:1292 -msgid "Permission denied. Access to this item may be restricted." -msgstr "无权利。用这个项目可能受限制。" - -#: ../../mod/photos.php:1294 -msgid "Photo not available" -msgstr "照片不可获得的 " - -#: ../../mod/photos.php:1350 -msgid "View photo" -msgstr "看照片" - -#: ../../mod/photos.php:1350 -msgid "Edit photo" -msgstr "编辑照片" - -#: ../../mod/photos.php:1351 -msgid "Use as profile photo" -msgstr "用为资料图" - -#: ../../mod/photos.php:1376 -msgid "View Full Size" -msgstr "看全尺寸" - -#: ../../mod/photos.php:1455 -msgid "Tags: " -msgstr "标签:" - -#: ../../mod/photos.php:1458 -msgid "[Remove any tag]" -msgstr "[删除任何标签]" - -#: ../../mod/photos.php:1498 -msgid "Rotate CW (right)" -msgstr "顺时针地转动(左)" - -#: ../../mod/photos.php:1499 -msgid "Rotate CCW (left)" -msgstr "反顺时针地转动(右)" - -#: ../../mod/photos.php:1501 -msgid "New album name" -msgstr "新册名" - -#: ../../mod/photos.php:1504 -msgid "Caption" -msgstr "字幕" - -#: ../../mod/photos.php:1506 -msgid "Add a Tag" -msgstr "加标签" - -#: ../../mod/photos.php:1510 -msgid "" -"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" -msgstr "例子:@zhang, @Zhang_San, @li@example.com, #Beijing, #ktv" - -#: ../../mod/photos.php:1519 -msgid "Private photo" -msgstr "私人照相" - -#: ../../mod/photos.php:1520 -msgid "Public photo" -msgstr "公开照相" - -#: ../../mod/photos.php:1815 -msgid "Recent Photos" -msgstr "最近的照片" - -#: ../../mod/follow.php:27 -msgid "Contact added" -msgstr "熟人添了" - -#: ../../mod/uimport.php:66 -msgid "Move account" -msgstr "把账户搬出" - -#: ../../mod/uimport.php:67 -msgid "You can import an account from another Friendica server." -msgstr "您会从别的Friendica服务器进口账户" - -#: ../../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 (statusnet/identi.ca) or from Diaspora" -msgstr "这个特点是在试验阶段。我们进口不了Ostatus网络(statusnet/identi.ca)或Diaspora熟人" - -#: ../../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/invite.php:27 -msgid "Total invitation limit exceeded." -msgstr "邀请限超过了。" - -#: ../../mod/invite.php:49 -#, php-format -msgid "%s : Not a valid email address." -msgstr "%s : 不是效的电子邮件地址." - -#: ../../mod/invite.php:73 -msgid "Please join us on Friendica" -msgstr "请加入我们再Friendica" - -#: ../../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 : 送消息失败了。" - -#: ../../mod/invite.php:93 -#, php-format -msgid "%d message sent." -msgid_plural "%d messages sent." -msgstr[0] "%d消息传送了。" - -#: ../../mod/invite.php:112 -msgid "You have no more invitations available" -msgstr "您没有别的邀请" - -#: ../../mod/invite.php:120 -#, 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:122 -#, 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:123 -#, 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: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 "发请柬" - -#: ../../mod/invite.php:133 -msgid "Enter email addresses, one per line:" -msgstr "输入电子邮件地址,一行一个:" - -#: ../../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 "您被邀请跟我和彼得近朋友们再Friendica加入-和帮助我们造成更好的社会网络。" - -#: ../../mod/invite.php:137 -msgid "You will need to supply this invitation code: $invite_code" -msgstr "您要输入这个邀请密码:$invite_code" - -#: ../../mod/invite.php:137 -msgid "" -"Once you have registered, please connect with me via my profile page at:" -msgstr "您一注册,请页跟我连接,用我的简介在:" - -#: ../../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 "看别的信息由于Friendica工程和怎么我们看重,请看http://friendica.com" - -#: ../../mod/viewsrc.php:7 -msgid "Access denied." -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:42 -#, 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:53 -#, 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:72 -#, php-format -msgid "Password reset requested at %s" -msgstr "重设密码要求被发布%s" - -#: ../../mod/lostpass.php:92 -msgid "" -"Request could not be verified. (You may have previously submitted it.) " -"Password reset failed." -msgstr "要求确认不了。(您可能已经提交它。)重设密码失败了。" - -#: ../../mod/lostpass.php:110 -msgid "Your password has been reset as requested." -msgstr "您的密码被重设如要求的。" - -#: ../../mod/lostpass.php:111 -msgid "Your new password is" -msgstr "你的新的密码是" - -#: ../../mod/lostpass.php:112 -msgid "Save or copy your new password - and then" -msgstr "保存或复制新密码-之后" - -#: ../../mod/lostpass.php:113 -msgid "click here to login" -msgstr "在这儿点击" - -#: ../../mod/lostpass.php:114 -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 -msgid "Nickname or Email: " -msgstr "昵称或邮件地址:" - -#: ../../mod/lostpass.php:162 -msgid "Reset" -msgstr "复位" - #: ../../mod/babel.php:17 msgid "Source (bbcode) text:" msgstr "源代码(bbcode)正文" @@ -6311,191 +1543,42 @@ msgstr "源代输入(Diaspora形式):" msgid "diaspora2bb: " msgstr "diaspora2bb: " -#: ../../mod/tagrm.php:41 -msgid "Tag removed" -msgstr "标签去除了" +#: ../../mod/navigation.php:20 ../../include/nav.php:34 +msgid "Nothing new here" +msgstr "这里没有什么新的" -#: ../../mod/tagrm.php:79 -msgid "Remove Item Tag" -msgstr "去除项目标签" +#: ../../mod/navigation.php:24 ../../include/nav.php:38 +msgid "Clear notifications" +msgstr "清理出通知" -#: ../../mod/tagrm.php:81 -msgid "Select a tag to remove: " -msgstr "选择标签去除" +#: ../../mod/message.php:9 ../../include/nav.php:164 +msgid "New Message" +msgstr "新的消息" -#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 -msgid "Remove My Account" -msgstr "删除我的账户" - -#: ../../mod/removeme.php:47 -msgid "" -"This will completely remove your account. Once this has been done it is not " -"recoverable." -msgstr "这要完全删除您的账户。这一做过,就不能恢复。" - -#: ../../mod/removeme.php:48 -msgid "Please enter your password for verification:" -msgstr "请输入密码为确认:" - -#: ../../mod/profperm.php:25 ../../mod/profperm.php:55 -msgid "Invalid profile identifier." -msgstr "无限的简介标识符。" - -#: ../../mod/profperm.php:101 -msgid "Profile Visibility Editor" -msgstr "简介能见度编辑器。" - -#: ../../mod/profperm.php:114 -msgid "Visible To" -msgstr "能见被" - -#: ../../mod/profperm.php:130 -msgid "All Contacts (with secure profile access)" -msgstr "所有熟人(跟安全地简介使用权)" - -#: ../../mod/match.php:12 -msgid "Profile Match" -msgstr "简介符合" - -#: ../../mod/match.php:20 -msgid "No keywords to match. Please add keywords to your default profile." -msgstr "没有符合的关键字。请在您的默认简介加关键字。" - -#: ../../mod/match.php:57 -msgid "is interested in:" -msgstr "感兴趣对:" - -#: ../../mod/events.php:66 -msgid "Event title and start time are required." -msgstr "项目标题和开始时间是必须的。" - -#: ../../mod/events.php:291 -msgid "l, F j" -msgstr "l, F j" - -#: ../../mod/events.php:313 -msgid "Edit event" -msgstr "编项目" - -#: ../../mod/events.php:371 -msgid "Create New Event" -msgstr "造成新的项目" - -#: ../../mod/events.php:372 -msgid "Previous" -msgstr "上" - -#: ../../mod/events.php:373 ../../mod/install.php:207 -msgid "Next" -msgstr "下" - -#: ../../mod/events.php:446 -msgid "hour:minute" -msgstr "小时:分钟" - -#: ../../mod/events.php:456 -msgid "Event details" -msgstr "项目内容" - -#: ../../mod/events.php:457 -#, php-format -msgid "Format is %s %s. Starting date and Title are required." -msgstr "形式是%s%s。开始时间和标题是必须的。" - -#: ../../mod/events.php:459 -msgid "Event Starts:" -msgstr "事件开始:" - -#: ../../mod/events.php:459 ../../mod/events.php:473 -msgid "Required" -msgstr "必须的" - -#: ../../mod/events.php:462 -msgid "Finish date/time is not known or not relevant" -msgstr "结束日/时未知或无关" - -#: ../../mod/events.php:464 -msgid "Event Finishes:" -msgstr "事件结束:" - -#: ../../mod/events.php:467 -msgid "Adjust for viewer timezone" -msgstr "调为观众的时间" - -#: ../../mod/events.php:469 -msgid "Description:" -msgstr "描述:" - -#: ../../mod/events.php:473 -msgid "Title:" -msgstr "标题:" - -#: ../../mod/events.php:475 -msgid "Share this event" -msgstr "分享这个项目" - -#: ../../mod/ping.php:240 -msgid "{0} wants to be your friend" -msgstr "{0}想成为您的朋友" - -#: ../../mod/ping.php:245 -msgid "{0} sent you a message" -msgstr "{0}发给您一个通信" - -#: ../../mod/ping.php:250 -msgid "{0} requested registration" -msgstr "{0}要求注册" - -#: ../../mod/ping.php:256 -#, php-format -msgid "{0} commented %s's post" -msgstr "{0}对%s的文章发表意见" - -#: ../../mod/ping.php:261 -#, php-format -msgid "{0} liked %s's post" -msgstr "{0}喜欢%s的文章" - -#: ../../mod/ping.php:266 -#, php-format -msgid "{0} disliked %s's post" -msgstr "{0}不喜欢%s的文章" - -#: ../../mod/ping.php:271 -#, php-format -msgid "{0} is now friends with %s" -msgstr "{0}成为%s的朋友" - -#: ../../mod/ping.php:276 -msgid "{0} posted" -msgstr "{0}陈列" - -#: ../../mod/ping.php:281 -#, php-format -msgid "{0} tagged %s's post with #%s" -msgstr "{0}用#%s标签%s的文章" - -#: ../../mod/ping.php:287 -msgid "{0} mentioned you in a post" -msgstr "{0}提到您在文章" - -#: ../../mod/mood.php:133 -msgid "Mood" -msgstr "心情" - -#: ../../mod/mood.php:134 -msgid "Set your current mood and tell your friends" -msgstr "选择现在的心情而告诉朋友们" - -#: ../../mod/search.php:170 ../../mod/search.php:196 -#: ../../mod/community.php:62 ../../mod/community.php:71 -msgid "No results." -msgstr "没有结果" +#: ../../mod/message.php:63 ../../mod/wallmessage.php:56 +msgid "No recipient selected." +msgstr "没有选择的接受者。" #: ../../mod/message.php:67 msgid "Unable to locate contact information." msgstr "找不到熟人信息。" +#: ../../mod/message.php:70 ../../mod/wallmessage.php:62 +msgid "Message could not be sent." +msgstr "消息发不了。" + +#: ../../mod/message.php:73 ../../mod/wallmessage.php:65 +msgid "Message collection failure." +msgstr "通信受到错误。" + +#: ../../mod/message.php:76 ../../mod/wallmessage.php:68 +msgid "Message sent." +msgstr "消息发了" + +#: ../../mod/message.php:182 ../../include/nav.php:161 +msgid "Messages" +msgstr "消息" + #: ../../mod/message.php:207 msgid "Do you really want to delete this message?" msgstr "您真的想删除这个通知吗?" @@ -6508,6 +1591,52 @@ msgstr "消息删除了。" msgid "Conversation removed." msgstr "交流删除了。" +#: ../../mod/message.php:283 ../../mod/message.php:291 +#: ../../mod/message.php:466 ../../mod/message.php:474 +#: ../../mod/wallmessage.php:127 ../../mod/wallmessage.php:135 +#: ../../include/conversation.php:1002 ../../include/conversation.php:1020 +msgid "Please enter a link URL:" +msgstr "请输入环节URL:" + +#: ../../mod/message.php:319 ../../mod/wallmessage.php:142 +msgid "Send Private Message" +msgstr "发私人的通信" + +#: ../../mod/message.php:320 ../../mod/message.php:553 +#: ../../mod/wallmessage.php:144 +msgid "To:" +msgstr "到:" + +#: ../../mod/message.php:325 ../../mod/message.php:555 +#: ../../mod/wallmessage.php:145 +msgid "Subject:" +msgstr "题目:" + +#: ../../mod/message.php:329 ../../mod/message.php:558 +#: ../../mod/wallmessage.php:151 ../../mod/invite.php:134 +msgid "Your message:" +msgstr "你的消息:" + +#: ../../mod/message.php:332 ../../mod/message.php:562 +#: ../../mod/wallmessage.php:154 ../../mod/editpost.php:110 +#: ../../include/conversation.php:1091 +msgid "Upload photo" +msgstr "上传照片" + +#: ../../mod/message.php:333 ../../mod/message.php:563 +#: ../../mod/wallmessage.php:155 ../../mod/editpost.php:114 +#: ../../include/conversation.php:1095 +msgid "Insert web link" +msgstr "插入网页环节" + +#: ../../mod/message.php:334 ../../mod/message.php:565 +#: ../../mod/content.php:499 ../../mod/content.php:883 +#: ../../mod/wallmessage.php:156 ../../mod/editpost.php:124 +#: ../../mod/photos.php:1545 ../../object/Item.php:364 +#: ../../include/conversation.php:692 ../../include/conversation.php:1109 +msgid "Please wait" +msgstr "请等一下" + #: ../../mod/message.php:371 msgid "No messages." msgstr "没有消息" @@ -6559,310 +1688,1544 @@ msgstr "没可用的安全交通。您可能会在发送人的 msgid "Send Reply" msgstr "发回答" -#: ../../mod/community.php:23 -msgid "Not available." -msgstr "不可用的" +#: ../../mod/update_display.php:22 ../../mod/update_community.php:18 +#: ../../mod/update_notes.php:37 ../../mod/update_profile.php:41 +#: ../../mod/update_network.php:25 +msgid "[Embedded content - reload page to view]" +msgstr "[嵌入内容-重新加载页为看]" -#: ../../mod/profiles.php:18 ../../mod/profiles.php:133 -#: ../../mod/profiles.php:162 ../../mod/profiles.php:589 -#: ../../mod/dfrn_confirm.php:64 -msgid "Profile not found." -msgstr "找不到简介。" +#: ../../mod/crepair.php:106 +msgid "Contact settings applied." +msgstr "熟人设置应用了。" -#: ../../mod/profiles.php:37 -msgid "Profile deleted." -msgstr "简介删除了。" +#: ../../mod/crepair.php:108 +msgid "Contact update failed." +msgstr "熟人更新失败。" -#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 -msgid "Profile-" -msgstr "简介-" +#: ../../mod/crepair.php:139 +msgid "Repair Contact Settings" +msgstr "维修熟人设置" -#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 -msgid "New profile created." -msgstr "创造新的简介" +#: ../../mod/crepair.php:141 +msgid "" +"WARNING: This is highly advanced and if you enter incorrect" +" information your communications with this contact may stop working." +msgstr "注意:这是很高等的,你输入错的信息你和熟人的沟通会弄失灵了。" -#: ../../mod/profiles.php:95 -msgid "Profile unavailable to clone." -msgstr "简介不可用为复制。" +#: ../../mod/crepair.php:142 +msgid "" +"Please use your browser 'Back' button now if you are " +"uncertain what to do on this page." +msgstr "请立即用后退按钮如果您不确定怎么用这页" -#: ../../mod/profiles.php:172 -msgid "Profile Name is required." -msgstr "必要简介名" +#: ../../mod/crepair.php:148 +msgid "Return to contact editor" +msgstr "回归熟人处理器" -#: ../../mod/profiles.php:323 -msgid "Marital Status" -msgstr "婚姻状况 " +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "No mirroring" +msgstr "没有复制" -#: ../../mod/profiles.php:327 -msgid "Romantic Partner" -msgstr "情人" +#: ../../mod/crepair.php:159 +msgid "Mirror as forwarded posting" +msgstr "复制为传达文章" -#: ../../mod/profiles.php:331 -msgid "Likes" +#: ../../mod/crepair.php:159 ../../mod/crepair.php:161 +msgid "Mirror as my own posting" +msgstr "复制为我自己的文章" + +#: ../../mod/crepair.php:165 ../../mod/admin.php:1003 ../../mod/admin.php:1015 +#: ../../mod/admin.php:1016 ../../mod/admin.php:1029 +#: ../../mod/settings.php:616 ../../mod/settings.php:642 +msgid "Name" +msgstr "名字" + +#: ../../mod/crepair.php:166 +msgid "Account Nickname" +msgstr "帐户昵称" + +#: ../../mod/crepair.php:167 +msgid "@Tagname - overrides Name/Nickname" +msgstr "@Tagname越过名/昵称" + +#: ../../mod/crepair.php:168 +msgid "Account URL" +msgstr "帐户URL" + +#: ../../mod/crepair.php:169 +msgid "Friend Request URL" +msgstr "朋友请求URL" + +#: ../../mod/crepair.php:170 +msgid "Friend Confirm URL" +msgstr "朋友确认URL" + +#: ../../mod/crepair.php:171 +msgid "Notification Endpoint URL" +msgstr "通知端URL" + +#: ../../mod/crepair.php:172 +msgid "Poll/Feed URL" +msgstr "喂URL" + +#: ../../mod/crepair.php:173 +msgid "New photo from this URL" +msgstr "新照片从这个URL" + +#: ../../mod/crepair.php:174 +msgid "Remote Self" +msgstr "遥远的自身" + +#: ../../mod/crepair.php:176 +msgid "Mirror postings from this contact" +msgstr "把这个熟人的文章复制。" + +#: ../../mod/crepair.php:176 +msgid "" +"Mark this contact as remote_self, this will cause friendica to repost new " +"entries from this contact." +msgstr "表明这个熟人当遥远的自身。Friendica要把这个熟人的新的文章复制。" + +#: ../../mod/bookmarklet.php:12 ../../boot.php:1266 ../../include/nav.php:92 +msgid "Login" +msgstr "登录" + +#: ../../mod/bookmarklet.php:41 +msgid "The post was created" +msgstr "文章创建了" + +#: ../../mod/viewsrc.php:7 +msgid "Access denied." +msgstr "没有用权。" + +#: ../../mod/dirfind.php:26 +msgid "People Search" +msgstr "搜索人物" + +#: ../../mod/dirfind.php:60 ../../mod/match.php:65 +msgid "No matches" +msgstr "没有结果" + +#: ../../mod/fbrowser.php:25 ../../boot.php:2126 ../../include/nav.php:78 +#: ../../view/theme/diabook/theme.php:126 +msgid "Photos" +msgstr "照片" + +#: ../../mod/fbrowser.php:113 +msgid "Files" +msgstr "文件" + +#: ../../mod/nogroup.php:59 +msgid "Contacts who are not members of a group" +msgstr "没当成员的熟人" + +#: ../../mod/admin.php:57 +msgid "Theme settings updated." +msgstr "主题设置更新了。" + +#: ../../mod/admin.php:104 ../../mod/admin.php:619 +msgid "Site" +msgstr "网站" + +#: ../../mod/admin.php:105 ../../mod/admin.php:998 ../../mod/admin.php:1013 +msgid "Users" +msgstr "用户" + +#: ../../mod/admin.php:106 ../../mod/admin.php:1102 ../../mod/admin.php:1155 +#: ../../mod/settings.php:57 +msgid "Plugins" +msgstr "插件" + +#: ../../mod/admin.php:107 ../../mod/admin.php:1323 ../../mod/admin.php:1357 +msgid "Themes" +msgstr "主题" + +#: ../../mod/admin.php:108 +msgid "DB updates" +msgstr "数据库更新" + +#: ../../mod/admin.php:123 ../../mod/admin.php:132 ../../mod/admin.php:1444 +msgid "Logs" +msgstr "记录" + +#: ../../mod/admin.php:124 +msgid "probe address" +msgstr "试探地址" + +#: ../../mod/admin.php:125 +msgid "check webfinger" +msgstr "查webfinger" + +#: ../../mod/admin.php:130 ../../include/nav.php:184 +msgid "Admin" +msgstr "管理" + +#: ../../mod/admin.php:131 +msgid "Plugin Features" +msgstr "插件特点" + +#: ../../mod/admin.php:133 +msgid "diagnostics" +msgstr "诊断" + +#: ../../mod/admin.php:134 +msgid "User registrations waiting for confirmation" +msgstr "用户注册等确认" + +#: ../../mod/admin.php:193 ../../mod/admin.php:952 +msgid "Normal Account" +msgstr "正常帐户" + +#: ../../mod/admin.php:194 ../../mod/admin.php:953 +msgid "Soapbox Account" +msgstr "演讲台帐户" + +#: ../../mod/admin.php:195 ../../mod/admin.php:954 +msgid "Community/Celebrity Account" +msgstr "社会/名人帐户" + +#: ../../mod/admin.php:196 ../../mod/admin.php:955 +msgid "Automatic Friend Account" +msgstr "自动朋友帐户" + +#: ../../mod/admin.php:197 +msgid "Blog Account" +msgstr "博客账户" + +#: ../../mod/admin.php:198 +msgid "Private Forum" +msgstr "私人评坛" + +#: ../../mod/admin.php:217 +msgid "Message queues" +msgstr "通知排队" + +#: ../../mod/admin.php:222 ../../mod/admin.php:618 ../../mod/admin.php:997 +#: ../../mod/admin.php:1101 ../../mod/admin.php:1154 ../../mod/admin.php:1322 +#: ../../mod/admin.php:1356 ../../mod/admin.php:1443 +msgid "Administration" +msgstr "管理" + +#: ../../mod/admin.php:223 +msgid "Summary" +msgstr "总算" + +#: ../../mod/admin.php:225 +msgid "Registered users" +msgstr "注册的用户" + +#: ../../mod/admin.php:227 +msgid "Pending registrations" +msgstr "未决的注册" + +#: ../../mod/admin.php:228 +msgid "Version" +msgstr "版本" + +#: ../../mod/admin.php:232 +msgid "Active plugins" +msgstr "活跃的插件" + +#: ../../mod/admin.php:255 +msgid "Can not parse base url. Must have at least ://" +msgstr "不能分析基础URL。至少要://" + +#: ../../mod/admin.php:516 +msgid "Site settings updated." +msgstr "网站设置更新了。" + +#: ../../mod/admin.php:545 ../../mod/settings.php:828 +msgid "No special theme for mobile devices" +msgstr "没专门适合手机的主题" + +#: ../../mod/admin.php:562 +msgid "No community page" +msgstr "没有社会页" + +#: ../../mod/admin.php:563 +msgid "Public postings from users of this site" +msgstr "本网站用户的公开文章" + +#: ../../mod/admin.php:564 +msgid "Global community page" +msgstr "" + +#: ../../mod/admin.php:570 +msgid "At post arrival" +msgstr "收件的时候" + +#: ../../mod/admin.php:571 ../../include/contact_selectors.php:56 +msgid "Frequently" +msgstr "时常" + +#: ../../mod/admin.php:572 ../../include/contact_selectors.php:57 +msgid "Hourly" +msgstr "每小时" + +#: ../../mod/admin.php:573 ../../include/contact_selectors.php:58 +msgid "Twice daily" +msgstr "每日两次" + +#: ../../mod/admin.php:574 ../../include/contact_selectors.php:59 +msgid "Daily" +msgstr "每日" + +#: ../../mod/admin.php:579 +msgid "Multi user instance" +msgstr "多用户网站" + +#: ../../mod/admin.php:602 +msgid "Closed" +msgstr "关闭" + +#: ../../mod/admin.php:603 +msgid "Requires approval" +msgstr "要批准" + +#: ../../mod/admin.php:604 +msgid "Open" +msgstr "打开" + +#: ../../mod/admin.php:608 +msgid "No SSL policy, links will track page SSL state" +msgstr "没SSL方针,环节将追踪页SSL现状" + +#: ../../mod/admin.php:609 +msgid "Force all links to use SSL" +msgstr "让所有的环节用SSL" + +#: ../../mod/admin.php:610 +msgid "Self-signed certificate, use SSL for local links only (discouraged)" +msgstr "自签证书,用SSL再光本地环节(劝止的)" + +#: ../../mod/admin.php:620 ../../mod/admin.php:1156 ../../mod/admin.php:1358 +#: ../../mod/admin.php:1445 ../../mod/settings.php:614 +#: ../../mod/settings.php:724 ../../mod/settings.php:798 +#: ../../mod/settings.php:880 ../../mod/settings.php:1113 +msgid "Save Settings" +msgstr "保存设置" + +#: ../../mod/admin.php:621 ../../mod/register.php:255 +msgid "Registration" +msgstr "注册" + +#: ../../mod/admin.php:622 +msgid "File upload" +msgstr "文件上传" + +#: ../../mod/admin.php:623 +msgid "Policies" +msgstr "政策" + +#: ../../mod/admin.php:624 +msgid "Advanced" +msgstr "高等" + +#: ../../mod/admin.php:625 +msgid "Performance" +msgstr "性能" + +#: ../../mod/admin.php:626 +msgid "" +"Relocate - WARNING: advanced function. Could make this server unreachable." +msgstr "调动:注意先进的功能。能吧服务器使不能联系。" + +#: ../../mod/admin.php:629 +msgid "Site name" +msgstr "网页名字" + +#: ../../mod/admin.php:630 +msgid "Host name" +msgstr "服务器名" + +#: ../../mod/admin.php:631 +msgid "Sender Email" +msgstr "寄主邮件" + +#: ../../mod/admin.php:632 +msgid "Banner/Logo" +msgstr "标题/标志" + +#: ../../mod/admin.php:633 +msgid "Shortcut icon" +msgstr "" + +#: ../../mod/admin.php:634 +msgid "Touch icon" +msgstr "" + +#: ../../mod/admin.php:635 +msgid "Additional Info" +msgstr "别的消息" + +#: ../../mod/admin.php:635 +msgid "" +"For public servers: you can add additional information here that will be " +"listed at dir.friendica.com/siteinfo." +msgstr "公共服务器:您会这里添加消息要列在dir.friendica.com/siteinfo。" + +#: ../../mod/admin.php:636 +msgid "System language" +msgstr "系统语言" + +#: ../../mod/admin.php:637 +msgid "System theme" +msgstr "系统主题" + +#: ../../mod/admin.php:637 +msgid "" +"Default system theme - may be over-ridden by user profiles - change theme settings" +msgstr "默认系统主题-会被用户简介超驰-把主题设置变化" + +#: ../../mod/admin.php:638 +msgid "Mobile system theme" +msgstr "手机系统主题" + +#: ../../mod/admin.php:638 +msgid "Theme for mobile devices" +msgstr "主题适合手机" + +#: ../../mod/admin.php:639 +msgid "SSL link policy" +msgstr "SSL环节方针" + +#: ../../mod/admin.php:639 +msgid "Determines whether generated links should be forced to use SSL" +msgstr "决定产生的环节否则被强迫用SSL" + +#: ../../mod/admin.php:640 +msgid "Force SSL" +msgstr "强逼SSL" + +#: ../../mod/admin.php:640 +msgid "" +"Force all Non-SSL requests to SSL - Attention: on some systems it could lead" +" to endless loops." +msgstr "强逼所有非SSL的要求用SSL。注意:在有的系统会导致无限循环" + +#: ../../mod/admin.php:641 +msgid "Old style 'Share'" +msgstr "老款式'分享'" + +#: ../../mod/admin.php:641 +msgid "Deactivates the bbcode element 'share' for repeating items." +msgstr "为重复的项目吧bbcode“share”代码使不活跃" + +#: ../../mod/admin.php:642 +msgid "Hide help entry from navigation menu" +msgstr "隐藏帮助在航行选单" + +#: ../../mod/admin.php:642 +msgid "" +"Hides the menu entry for the Help pages from the navigation menu. You can " +"still access it calling /help directly." +msgstr "隐藏帮助项目在航行选单。您还能用它经过手动的输入「/help」" + +#: ../../mod/admin.php:643 +msgid "Single user instance" +msgstr "单用户网站" + +#: ../../mod/admin.php:643 +msgid "Make this instance multi-user or single-user for the named user" +msgstr "弄这网站多用户或单用户为选择的用户" + +#: ../../mod/admin.php:644 +msgid "Maximum image size" +msgstr "图片最大尺寸" + +#: ../../mod/admin.php:644 +msgid "" +"Maximum size in bytes of uploaded images. Default is 0, which means no " +"limits." +msgstr "最多上传照相的字节。默认是零,意思是无限。" + +#: ../../mod/admin.php:645 +msgid "Maximum image length" +msgstr "最大图片大小" + +#: ../../mod/admin.php:645 +msgid "" +"Maximum length in pixels of the longest side of uploaded images. Default is " +"-1, which means no limits." +msgstr "最多像素在上传图片的长度。默认-1,意思是无限。" + +#: ../../mod/admin.php:646 +msgid "JPEG image quality" +msgstr "JPEG图片质量" + +#: ../../mod/admin.php:646 +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:648 +msgid "Register policy" +msgstr "注册政策" + +#: ../../mod/admin.php:649 +msgid "Maximum Daily Registrations" +msgstr "一天最多注册" + +#: ../../mod/admin.php:649 +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:650 +msgid "Register text" +msgstr "注册正文" + +#: ../../mod/admin.php:650 +msgid "Will be displayed prominently on the registration page." +msgstr "被显著的在注册页表示。" + +#: ../../mod/admin.php:651 +msgid "Accounts abandoned after x days" +msgstr "账户丢弃X天后" + +#: ../../mod/admin.php:651 +msgid "" +"Will not waste system resources polling external sites for abandonded " +"accounts. Enter 0 for no time limit." +msgstr "拒绝浪费系统资源看外网站找丢弃的账户。输入0为无时限。" + +#: ../../mod/admin.php:652 +msgid "Allowed friend domains" +msgstr "允许的朋友域" + +#: ../../mod/admin.php:652 +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:653 +msgid "Allowed email domains" +msgstr "允许的电子邮件域" + +#: ../../mod/admin.php:653 +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:654 +msgid "Block public" +msgstr "拦公开" + +#: ../../mod/admin.php:654 +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:655 +msgid "Force publish" +msgstr "需要出版" + +#: ../../mod/admin.php:655 +msgid "" +"Check to force all profiles on this site to be listed in the site directory." +msgstr "让所有这网站的的简介表明在网站目录。" + +#: ../../mod/admin.php:656 +msgid "Global directory update URL" +msgstr "综合目录更新URL" + +#: ../../mod/admin.php:656 +msgid "" +"URL to update the global directory. If this is not set, the global directory" +" is completely unavailable to the application." +msgstr "URL为更新综合目录。如果没有,这个应用用不了综合目录。" + +#: ../../mod/admin.php:657 +msgid "Allow threaded items" +msgstr "允许线绳项目" + +#: ../../mod/admin.php:657 +msgid "Allow infinite level threading for items on this site." +msgstr "允许无限水平线绳为这网站的项目。" + +#: ../../mod/admin.php:658 +msgid "Private posts by default for new users" +msgstr "新用户默认写私人文章" + +#: ../../mod/admin.php:658 +msgid "" +"Set default post permissions for all new members to the default privacy " +"group rather than public." +msgstr "默认新用户文章批准使默认隐私组,没有公开。" + +#: ../../mod/admin.php:659 +msgid "Don't include post content in email notifications" +msgstr "别包含文章内容在邮件消息" + +#: ../../mod/admin.php:659 +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:660 +msgid "Disallow public access to addons listed in the apps menu." +msgstr "不允许插件的公众使用权在应用选单。" + +#: ../../mod/admin.php:660 +msgid "" +"Checking this box will restrict addons listed in the apps menu to members " +"only." +msgstr "复选这个框为把应用选内插件限制仅成员" + +#: ../../mod/admin.php:661 +msgid "Don't embed private images in posts" +msgstr "别嵌入私人图案在文章里" + +#: ../../mod/admin.php:661 +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 " +"photos will have to authenticate and load each image, which may take a " +"while." +msgstr "别把复制嵌入的照相代替本网站的私人照相在文章里。结果是收包括私人照相的熟人要认证才卸载个张照片,会花许久。" + +#: ../../mod/admin.php:662 +msgid "Allow Users to set remote_self" +msgstr "允许用户用遥远的自身" + +#: ../../mod/admin.php:662 +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:663 +msgid "Block multiple registrations" +msgstr "拦一人多注册" + +#: ../../mod/admin.php:663 +msgid "Disallow users to register additional accounts for use as pages." +msgstr "不允许用户注册别的账户为当页。" + +#: ../../mod/admin.php:664 +msgid "OpenID support" +msgstr "OpenID支持" + +#: ../../mod/admin.php:664 +msgid "OpenID support for registration and logins." +msgstr "OpenID支持注册和登录。" + +#: ../../mod/admin.php:665 +msgid "Fullname check" +msgstr "全名核实" + +#: ../../mod/admin.php:665 +msgid "" +"Force users to register with a space between firstname and lastname in Full " +"name, as an antispam measure" +msgstr "让用户注册的时候放空格姓名中间,省得垃圾注册。" + +#: ../../mod/admin.php:666 +msgid "UTF-8 Regular expressions" +msgstr "UTF-8正则表达式" + +#: ../../mod/admin.php:666 +msgid "Use PHP UTF8 regular expressions" +msgstr "用PHP UTF8正则表达式" + +#: ../../mod/admin.php:667 +msgid "Community Page Style" +msgstr "" + +#: ../../mod/admin.php:667 +msgid "" +"Type of community page to show. 'Global community' shows every public " +"posting from an open distributed network that arrived on this server." +msgstr "" + +#: ../../mod/admin.php:668 +msgid "Posts per user on community page" +msgstr "" + +#: ../../mod/admin.php:668 +msgid "" +"The maximum number of posts per user on the community page. (Not valid for " +"'Global Community')" +msgstr "" + +#: ../../mod/admin.php:669 +msgid "Enable OStatus support" +msgstr "使OStatus支持可用" + +#: ../../mod/admin.php:669 +msgid "" +"Provide built-in OStatus (StatusNet, GNU Social etc.) compatibility. All " +"communications in OStatus are public, so privacy warnings will be " +"occasionally displayed." +msgstr "提供OStatus(StatusNet,GNU Social,等)兼容性。所有OStatus的交通是公开的,所以私事警告偶尔来表示。" + +#: ../../mod/admin.php:670 +msgid "OStatus conversation completion interval" +msgstr "OStatus对话完成间隔" + +#: ../../mod/admin.php:670 +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:671 +msgid "Enable Diaspora support" +msgstr "使Diaspora支持能够" + +#: ../../mod/admin.php:671 +msgid "Provide built-in Diaspora network compatibility." +msgstr "提供内装Diaspora网络兼容。" + +#: ../../mod/admin.php:672 +msgid "Only allow Friendica contacts" +msgstr "只许Friendica熟人" + +#: ../../mod/admin.php:672 +msgid "" +"All contacts must use Friendica protocols. All other built-in communication " +"protocols disabled." +msgstr "所有的熟人要用Friendica协议 。别的内装的沟通协议都已停用。" + +#: ../../mod/admin.php:673 +msgid "Verify SSL" +msgstr "证实" + +#: ../../mod/admin.php:673 +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:674 +msgid "Proxy user" +msgstr "代理用户" + +#: ../../mod/admin.php:675 +msgid "Proxy URL" +msgstr "代理URL" + +#: ../../mod/admin.php:676 +msgid "Network timeout" +msgstr "网络超时" + +#: ../../mod/admin.php:676 +msgid "Value is in seconds. Set to 0 for unlimited (not recommended)." +msgstr "输入秒数。输入零为无限(不推荐的)。" + +#: ../../mod/admin.php:677 +msgid "Delivery interval" +msgstr "传送间隔" + +#: ../../mod/admin.php:677 +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 "把背景传送过程耽误这多秒为减少系统工作量。推荐:4-5在共用服务器,2-3在私人服务器。0-1在大专门服务器。" + +#: ../../mod/admin.php:678 +msgid "Poll interval" +msgstr "检查时间" + +#: ../../mod/admin.php:678 +msgid "" +"Delay background polling processes by this many seconds to reduce system " +"load. If 0, use delivery interval." +msgstr "把背景检查行程耽误这数秒为减少系统负荷。如果是0,用发布时间。" + +#: ../../mod/admin.php:679 +msgid "Maximum Load Average" +msgstr "最大负荷平均" + +#: ../../mod/admin.php:679 +msgid "" +"Maximum system load before delivery and poll processes are deferred - " +"default 50." +msgstr "系统负荷平均以上转播和检查行程会被耽误-默认50。" + +#: ../../mod/admin.php:681 +msgid "Use MySQL full text engine" +msgstr "用MySQL全正文机车" + +#: ../../mod/admin.php:681 +msgid "" +"Activates the full text engine. Speeds up search - but can only search for " +"four and more characters." +msgstr "使全正文机车可用。把搜索催-可是只能搜索4字以上" + +#: ../../mod/admin.php:682 +msgid "Suppress Language" +msgstr "封锁语言" + +#: ../../mod/admin.php:682 +msgid "Suppress language information in meta information about a posting." +msgstr "遗漏语言消息从文章的描述" + +#: ../../mod/admin.php:683 +msgid "Suppress Tags" +msgstr "" + +#: ../../mod/admin.php:683 +msgid "Suppress showing a list of hashtags at the end of the posting." +msgstr "" + +#: ../../mod/admin.php:684 +msgid "Path to item cache" +msgstr "路线到项目缓存" + +#: ../../mod/admin.php:685 +msgid "Cache duration in seconds" +msgstr "缓存时间秒" + +#: ../../mod/admin.php:685 +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 "高速缓存要存文件多久?默认是86400秒钟(一天)。停用高速缓存,输入-1。" + +#: ../../mod/admin.php:686 +msgid "Maximum numbers of comments per post" +msgstr "文件最多评论" + +#: ../../mod/admin.php:686 +msgid "How much comments should be shown for each post? Default value is 100." +msgstr "" + +#: ../../mod/admin.php:687 +msgid "Path for lock file" +msgstr "路线到锁文件" + +#: ../../mod/admin.php:688 +msgid "Temp path" +msgstr "临时文件路线" + +#: ../../mod/admin.php:689 +msgid "Base path to installation" +msgstr "基础安装路线" + +#: ../../mod/admin.php:690 +msgid "Disable picture proxy" +msgstr "停用图片代理" + +#: ../../mod/admin.php:690 +msgid "" +"The picture proxy increases performance and privacy. It shouldn't be used on" +" systems with very low bandwith." +msgstr "" + +#: ../../mod/admin.php:691 +msgid "Enable old style pager" +msgstr "" + +#: ../../mod/admin.php:691 +msgid "" +"The old style pager has page numbers but slows down massively the page " +"speed." +msgstr "" + +#: ../../mod/admin.php:692 +msgid "Only search in tags" +msgstr "" + +#: ../../mod/admin.php:692 +msgid "On large systems the text search can slow down the system extremely." +msgstr "" + +#: ../../mod/admin.php:694 +msgid "New base url" +msgstr "新基础URL" + +#: ../../mod/admin.php:711 +msgid "Update has been marked successful" +msgstr "更新当成功标签了" + +#: ../../mod/admin.php:719 +#, php-format +msgid "Database structure update %s was successfully applied." +msgstr "" + +#: ../../mod/admin.php:722 +#, php-format +msgid "Executing of database structure update %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:734 +#, php-format +msgid "Executing %s failed with error: %s" +msgstr "" + +#: ../../mod/admin.php:737 +#, php-format +msgid "Update %s was successfully applied." +msgstr "把%s更新成功地实行。" + +#: ../../mod/admin.php:741 +#, php-format +msgid "Update %s did not return a status. Unknown if it succeeded." +msgstr "%s更新没回答现状。不知道是否成功。" + +#: ../../mod/admin.php:743 +#, php-format +msgid "There was no additional update function %s that needed to be called." +msgstr "" + +#: ../../mod/admin.php:762 +msgid "No failed updates." +msgstr "没有不通过地更新。" + +#: ../../mod/admin.php:763 +msgid "Check database structure" +msgstr "" + +#: ../../mod/admin.php:768 +msgid "Failed Updates" +msgstr "没通过的更新" + +#: ../../mod/admin.php:769 +msgid "" +"This does not include updates prior to 1139, which did not return a status." +msgstr "这个不包括1139号更新之前,它们没回答装线。" + +#: ../../mod/admin.php:770 +msgid "Mark success (if update was manually applied)" +msgstr "标注成功(如果手动地把更新实行了)" + +#: ../../mod/admin.php:771 +msgid "Attempt to execute this update step automatically" +msgstr "试图自动地把这步更新实行" + +#: ../../mod/admin.php:803 +#, php-format +msgid "" +"\n" +"\t\t\tDear %1$s,\n" +"\t\t\t\tthe administrator of %2$s has set up an account for you." +msgstr "" + +#: ../../mod/admin.php:806 +#, php-format +msgid "" +"\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." +msgstr "" + +#: ../../mod/admin.php:838 ../../include/user.php:413 +#, php-format +msgid "Registration details for %s" +msgstr "注册信息为%s" + +#: ../../mod/admin.php:850 +#, php-format +msgid "%s user blocked/unblocked" +msgid_plural "%s users blocked/unblocked" +msgstr[0] "%s用户拦/不拦了" + +#: ../../mod/admin.php:857 +#, php-format +msgid "%s user deleted" +msgid_plural "%s users deleted" +msgstr[0] "%s用户删除了" + +#: ../../mod/admin.php:896 +#, php-format +msgid "User '%s' deleted" +msgstr "用户「%s」删除了" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' unblocked" +msgstr "用户「%s」无拦了" + +#: ../../mod/admin.php:904 +#, php-format +msgid "User '%s' blocked" +msgstr "用户「%s」拦了" + +#: ../../mod/admin.php:999 +msgid "Add User" +msgstr "添加用户" + +#: ../../mod/admin.php:1000 +msgid "select all" +msgstr "都选" + +#: ../../mod/admin.php:1001 +msgid "User registrations waiting for confirm" +msgstr "用户注册等待确认" + +#: ../../mod/admin.php:1002 +msgid "User waiting for permanent deletion" +msgstr "用户等待长久删除" + +#: ../../mod/admin.php:1003 +msgid "Request date" +msgstr "要求日期" + +#: ../../mod/admin.php:1003 ../../mod/admin.php:1015 ../../mod/admin.php:1016 +#: ../../mod/admin.php:1031 ../../include/contact_selectors.php:79 +#: ../../include/contact_selectors.php:86 +msgid "Email" +msgstr "电子邮件" + +#: ../../mod/admin.php:1004 +msgid "No registrations." +msgstr "没有注册。" + +#: ../../mod/admin.php:1006 +msgid "Deny" +msgstr "否定" + +#: ../../mod/admin.php:1010 +msgid "Site admin" +msgstr "网站管理员" + +#: ../../mod/admin.php:1011 +msgid "Account expired" +msgstr "帐户过期了" + +#: ../../mod/admin.php:1014 +msgid "New User" +msgstr "新用户" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Register date" +msgstr "注册日期" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last login" +msgstr "上次登录" + +#: ../../mod/admin.php:1015 ../../mod/admin.php:1016 +msgid "Last item" +msgstr "上项目" + +#: ../../mod/admin.php:1015 +msgid "Deleted since" +msgstr "删除从" + +#: ../../mod/admin.php:1016 ../../mod/settings.php:36 +msgid "Account" +msgstr "帐户" + +#: ../../mod/admin.php:1018 +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:1019 +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:1029 +msgid "Name of the new user." +msgstr "新用户的名" + +#: ../../mod/admin.php:1030 +msgid "Nickname" +msgstr "昵称" + +#: ../../mod/admin.php:1030 +msgid "Nickname of the new user." +msgstr "新用户的昵称" + +#: ../../mod/admin.php:1031 +msgid "Email address of the new user." +msgstr "新用户的邮件地址" + +#: ../../mod/admin.php:1064 +#, php-format +msgid "Plugin %s disabled." +msgstr "使插件%s已停用。" + +#: ../../mod/admin.php:1068 +#, php-format +msgid "Plugin %s enabled." +msgstr "使插件%s能用。" + +#: ../../mod/admin.php:1078 ../../mod/admin.php:1294 +msgid "Disable" +msgstr "停用" + +#: ../../mod/admin.php:1080 ../../mod/admin.php:1296 +msgid "Enable" +msgstr "使能用" + +#: ../../mod/admin.php:1103 ../../mod/admin.php:1324 +msgid "Toggle" +msgstr "肘节" + +#: ../../mod/admin.php:1111 ../../mod/admin.php:1334 +msgid "Author: " +msgstr "作家:" + +#: ../../mod/admin.php:1112 ../../mod/admin.php:1335 +msgid "Maintainer: " +msgstr "保持员:" + +#: ../../mod/admin.php:1254 +msgid "No themes found." +msgstr "找不到主题。" + +#: ../../mod/admin.php:1316 +msgid "Screenshot" +msgstr "截图" + +#: ../../mod/admin.php:1362 +msgid "[Experimental]" +msgstr "[试验]" + +#: ../../mod/admin.php:1363 +msgid "[Unsupported]" +msgstr "[没支持]" + +#: ../../mod/admin.php:1390 +msgid "Log settings updated." +msgstr "日志设置更新了。" + +#: ../../mod/admin.php:1446 +msgid "Clear" +msgstr "清理出" + +#: ../../mod/admin.php:1452 +msgid "Enable Debugging" +msgstr "把调试使可用的" + +#: ../../mod/admin.php:1453 +msgid "Log file" +msgstr "记录文件" + +#: ../../mod/admin.php:1453 +msgid "" +"Must be writable by web server. Relative to your Friendica top-level " +"directory." +msgstr "必要被网页服务器可写的。相对Friendica主文件夹。" + +#: ../../mod/admin.php:1454 +msgid "Log level" +msgstr "记录水平" + +#: ../../mod/admin.php:1504 +msgid "Close" +msgstr "关闭" + +#: ../../mod/admin.php:1510 +msgid "FTP Host" +msgstr "FTP主机" + +#: ../../mod/admin.php:1511 +msgid "FTP Path" +msgstr "FTP目录" + +#: ../../mod/admin.php:1512 +msgid "FTP User" +msgstr "FTP用户" + +#: ../../mod/admin.php:1513 +msgid "FTP Password" +msgstr "FTP密码" + +#: ../../mod/network.php:142 +msgid "Search Results For:" +msgstr "搜索结果为:" + +#: ../../mod/network.php:185 ../../mod/search.php:21 +msgid "Remove term" +msgstr "删除关键字" + +#: ../../mod/network.php:194 ../../mod/search.php:30 +#: ../../include/features.php:42 +msgid "Saved Searches" +msgstr "保存的搜索" + +#: ../../mod/network.php:195 ../../include/group.php:275 +msgid "add" +msgstr "添加" + +#: ../../mod/network.php:356 +msgid "Commented Order" +msgstr "评论时间顺序" + +#: ../../mod/network.php:359 +msgid "Sort by Comment Date" +msgstr "按评论日期顺序排列" + +#: ../../mod/network.php:362 +msgid "Posted Order" +msgstr "贴时间顺序" + +#: ../../mod/network.php:365 +msgid "Sort by Post Date" +msgstr "按发布日期顺序排列" + +#: ../../mod/network.php:374 +msgid "Posts that mention or involve you" +msgstr "提或关您的文章" + +#: ../../mod/network.php:380 +msgid "New" +msgstr "新" + +#: ../../mod/network.php:383 +msgid "Activity Stream - by date" +msgstr "活动河流-按日期" + +#: ../../mod/network.php:389 +msgid "Shared Links" +msgstr "共同环节" + +#: ../../mod/network.php:392 +msgid "Interesting Links" +msgstr "有意思的超链接" + +#: ../../mod/network.php:398 +msgid "Starred" +msgstr "被星" + +#: ../../mod/network.php:401 +msgid "Favourite Posts" +msgstr "最喜欢的文章" + +#: ../../mod/network.php:463 +#, php-format +msgid "Warning: This group contains %s member from an insecure network." +msgid_plural "" +"Warning: This group contains %s members from an insecure network." +msgstr[0] "警告:这个组bao han%s成员从不安全网络。" + +#: ../../mod/network.php:466 +msgid "Private messages to this group are at risk of public disclosure." +msgstr "私人通信给这组回被公开。" + +#: ../../mod/network.php:520 ../../mod/content.php:119 +msgid "No such group" +msgstr "没有这个组" + +#: ../../mod/network.php:537 ../../mod/content.php:130 +msgid "Group is empty" +msgstr "组没有成员" + +#: ../../mod/network.php:544 ../../mod/content.php:134 +msgid "Group: " +msgstr "组:" + +#: ../../mod/network.php:554 +msgid "Contact: " +msgstr "熟人:" + +#: ../../mod/network.php:556 +msgid "Private messages to this person are at risk of public disclosure." +msgstr "私人通信给这个人回被公开。" + +#: ../../mod/network.php:561 +msgid "Invalid contact." +msgstr "无效熟人。" + +#: ../../mod/allfriends.php:34 +#, php-format +msgid "Friends of %s" +msgstr "%s的朋友们" + +#: ../../mod/allfriends.php:40 +msgid "No friends to display." +msgstr "没有朋友展示。" + +#: ../../mod/events.php:66 +msgid "Event title and start time are required." +msgstr "项目标题和开始时间是必须的。" + +#: ../../mod/events.php:291 +msgid "l, F j" +msgstr "l, F j" + +#: ../../mod/events.php:313 +msgid "Edit event" +msgstr "编项目" + +#: ../../mod/events.php:335 ../../include/text.php:1647 +#: ../../include/text.php:1657 +msgid "link to source" +msgstr "链接到来源" + +#: ../../mod/events.php:370 ../../boot.php:2143 ../../include/nav.php:80 +#: ../../view/theme/diabook/theme.php:127 +msgid "Events" +msgstr "事件" + +#: ../../mod/events.php:371 +msgid "Create New Event" +msgstr "造成新的项目" + +#: ../../mod/events.php:372 +msgid "Previous" +msgstr "上" + +#: ../../mod/events.php:373 ../../mod/install.php:207 +msgid "Next" +msgstr "下" + +#: ../../mod/events.php:446 +msgid "hour:minute" +msgstr "小时:分钟" + +#: ../../mod/events.php:456 +msgid "Event details" +msgstr "项目内容" + +#: ../../mod/events.php:457 +#, php-format +msgid "Format is %s %s. Starting date and Title are required." +msgstr "形式是%s%s。开始时间和标题是必须的。" + +#: ../../mod/events.php:459 +msgid "Event Starts:" +msgstr "事件开始:" + +#: ../../mod/events.php:459 ../../mod/events.php:473 +msgid "Required" +msgstr "必须的" + +#: ../../mod/events.php:462 +msgid "Finish date/time is not known or not relevant" +msgstr "结束日/时未知或无关" + +#: ../../mod/events.php:464 +msgid "Event Finishes:" +msgstr "事件结束:" + +#: ../../mod/events.php:467 +msgid "Adjust for viewer timezone" +msgstr "调为观众的时间" + +#: ../../mod/events.php:469 +msgid "Description:" +msgstr "描述:" + +#: ../../mod/events.php:471 ../../mod/directory.php:136 ../../boot.php:1648 +#: ../../include/bb2diaspora.php:170 ../../include/event.php:40 +msgid "Location:" +msgstr "位置:" + +#: ../../mod/events.php:473 +msgid "Title:" +msgstr "标题:" + +#: ../../mod/events.php:475 +msgid "Share this event" +msgstr "分享这个项目" + +#: ../../mod/content.php:437 ../../mod/content.php:740 +#: ../../mod/photos.php:1653 ../../object/Item.php:129 +#: ../../include/conversation.php:613 +msgid "Select" +msgstr "选择" + +#: ../../mod/content.php:471 ../../mod/content.php:852 +#: ../../mod/content.php:853 ../../object/Item.php:326 +#: ../../object/Item.php:327 ../../include/conversation.php:654 +#, php-format +msgid "View %s's profile @ %s" +msgstr "看%s的简介@ %s" + +#: ../../mod/content.php:481 ../../mod/content.php:864 +#: ../../object/Item.php:340 ../../include/conversation.php:674 +#, php-format +msgid "%s from %s" +msgstr "%s从%s" + +#: ../../mod/content.php:497 ../../include/conversation.php:690 +msgid "View in context" +msgstr "看在上下文" + +#: ../../mod/content.php:603 ../../object/Item.php:387 +#, php-format +msgid "%d comment" +msgid_plural "%d comments" +msgstr[0] "%d评论" + +#: ../../mod/content.php:605 ../../object/Item.php:389 +#: ../../object/Item.php:402 ../../include/text.php:1972 +msgid "comment" +msgid_plural "comments" +msgstr[0] "评论" + +#: ../../mod/content.php:606 ../../boot.php:751 ../../object/Item.php:390 +#: ../../include/contact_widgets.php:205 +msgid "show more" +msgstr "看多" + +#: ../../mod/content.php:620 ../../mod/photos.php:1359 +#: ../../object/Item.php:116 +msgid "Private Message" +msgstr "私人的新闻" + +#: ../../mod/content.php:684 ../../mod/photos.php:1542 +#: ../../object/Item.php:231 +msgid "I like this (toggle)" +msgstr "我喜欢这(交替)" + +#: ../../mod/content.php:684 ../../object/Item.php:231 +msgid "like" msgstr "喜欢" -#: ../../mod/profiles.php:335 -msgid "Dislikes" -msgstr "不喜欢" +#: ../../mod/content.php:685 ../../mod/photos.php:1543 +#: ../../object/Item.php:232 +msgid "I don't like this (toggle)" +msgstr "我不喜欢这(交替)" -#: ../../mod/profiles.php:339 -msgid "Work/Employment" -msgstr "工作" +#: ../../mod/content.php:685 ../../object/Item.php:232 +msgid "dislike" +msgstr "讨厌" -#: ../../mod/profiles.php:342 -msgid "Religion" -msgstr "宗教" +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "Share this" +msgstr "分享这个" -#: ../../mod/profiles.php:346 -msgid "Political Views" -msgstr "政治观念" +#: ../../mod/content.php:687 ../../object/Item.php:234 +msgid "share" +msgstr "分享" -#: ../../mod/profiles.php:350 -msgid "Gender" -msgstr "性别" +#: ../../mod/content.php:707 ../../mod/photos.php:1562 +#: ../../mod/photos.php:1606 ../../mod/photos.php:1694 +#: ../../object/Item.php:675 +msgid "This is you" +msgstr "这是你" -#: ../../mod/profiles.php:354 -msgid "Sexual Preference" -msgstr "性取向" +#: ../../mod/content.php:709 ../../mod/photos.php:1564 +#: ../../mod/photos.php:1608 ../../mod/photos.php:1696 ../../boot.php:750 +#: ../../object/Item.php:361 ../../object/Item.php:677 +msgid "Comment" +msgstr "评论" -#: ../../mod/profiles.php:358 -msgid "Homepage" -msgstr "主页" +#: ../../mod/content.php:711 ../../object/Item.php:679 +msgid "Bold" +msgstr "粗体字 " -#: ../../mod/profiles.php:362 ../../mod/profiles.php:657 -msgid "Interests" -msgstr "兴趣" +#: ../../mod/content.php:712 ../../object/Item.php:680 +msgid "Italic" +msgstr "斜体 " -#: ../../mod/profiles.php:366 -msgid "Address" -msgstr "地址" +#: ../../mod/content.php:713 ../../object/Item.php:681 +msgid "Underline" +msgstr "下划线" -#: ../../mod/profiles.php:373 ../../mod/profiles.php:653 -msgid "Location" -msgstr "位置" +#: ../../mod/content.php:714 ../../object/Item.php:682 +msgid "Quote" +msgstr "引语" -#: ../../mod/profiles.php:456 -msgid "Profile updated." -msgstr "简介更新了。" +#: ../../mod/content.php:715 ../../object/Item.php:683 +msgid "Code" +msgstr "源代码" -#: ../../mod/profiles.php:527 -msgid " and " -msgstr "和" +#: ../../mod/content.php:716 ../../object/Item.php:684 +msgid "Image" +msgstr "图片" -#: ../../mod/profiles.php:535 -msgid "public profile" -msgstr "公开简介" +#: ../../mod/content.php:717 ../../object/Item.php:685 +msgid "Link" +msgstr "环节" -#: ../../mod/profiles.php:538 -#, php-format -msgid "%1$s changed %2$s to “%3$s”" -msgstr "%1$s把%2$s变化成“%3$s”" +#: ../../mod/content.php:718 ../../object/Item.php:686 +msgid "Video" +msgstr "录像" -#: ../../mod/profiles.php:539 -#, php-format -msgid " - Visit %1$s's %2$s" -msgstr " - 看 %1$s的%2$s" +#: ../../mod/content.php:719 ../../mod/editpost.php:145 +#: ../../mod/photos.php:1566 ../../mod/photos.php:1610 +#: ../../mod/photos.php:1698 ../../object/Item.php:687 +#: ../../include/conversation.php:1126 +msgid "Preview" +msgstr "预演" -#: ../../mod/profiles.php:542 -#, php-format -msgid "%1$s has an updated %2$s, changing %3$s." -msgstr "%1$s有更新的%2$s,修改%3$s." +#: ../../mod/content.php:728 ../../mod/settings.php:676 +#: ../../object/Item.php:120 +msgid "Edit" +msgstr "编辑" -#: ../../mod/profiles.php:617 -msgid "Hide contacts and friends:" -msgstr "" +#: ../../mod/content.php:753 ../../object/Item.php:195 +msgid "add star" +msgstr "加星" -#: ../../mod/profiles.php:622 -msgid "Hide your contact/friend list from viewers of this profile?" -msgstr "藏起来发现您的熟人/朋友单不让这个简介看着看?" +#: ../../mod/content.php:754 ../../object/Item.php:196 +msgid "remove star" +msgstr "消星" -#: ../../mod/profiles.php:644 -msgid "Edit Profile Details" -msgstr "剪辑简介消息" +#: ../../mod/content.php:755 ../../object/Item.php:197 +msgid "toggle star status" +msgstr "转变星现状" -#: ../../mod/profiles.php:646 -msgid "Change Profile Photo" -msgstr "改变简介照片" +#: ../../mod/content.php:758 ../../object/Item.php:200 +msgid "starred" +msgstr "被贴星" -#: ../../mod/profiles.php:647 -msgid "View this profile" -msgstr "看这个简介" +#: ../../mod/content.php:759 ../../object/Item.php:220 +msgid "add tag" +msgstr "加标签" -#: ../../mod/profiles.php:648 -msgid "Create a new profile using these settings" -msgstr "造成新的简介用这些设置" +#: ../../mod/content.php:763 ../../object/Item.php:133 +msgid "save to folder" +msgstr "保存在文件夹" -#: ../../mod/profiles.php:649 -msgid "Clone this profile" -msgstr "复制这个简介" +#: ../../mod/content.php:854 ../../object/Item.php:328 +msgid "to" +msgstr "至" -#: ../../mod/profiles.php:650 -msgid "Delete this profile" -msgstr "删除这个简介" +#: ../../mod/content.php:855 ../../object/Item.php:330 +msgid "Wall-to-Wall" +msgstr "从墙到墙" -#: ../../mod/profiles.php:651 -msgid "Basic information" -msgstr "" +#: ../../mod/content.php:856 ../../object/Item.php:331 +msgid "via Wall-To-Wall:" +msgstr "通过从墙到墙" -#: ../../mod/profiles.php:652 -msgid "Profile picture" -msgstr "" +#: ../../mod/removeme.php:46 ../../mod/removeme.php:49 +msgid "Remove My Account" +msgstr "删除我的账户" -#: ../../mod/profiles.php:654 -msgid "Preferences" -msgstr "" - -#: ../../mod/profiles.php:655 -msgid "Status information" -msgstr "" - -#: ../../mod/profiles.php:656 -msgid "Additional information" -msgstr "" - -#: ../../mod/profiles.php:658 ../../mod/newmember.php:36 -#: ../../mod/profile_photo.php:244 -msgid "Upload Profile Photo" -msgstr "上传简历照片" - -#: ../../mod/profiles.php:659 -msgid "Profile Name:" -msgstr "简介名:" - -#: ../../mod/profiles.php:660 -msgid "Your Full Name:" -msgstr "你的全名:" - -#: ../../mod/profiles.php:661 -msgid "Title/Description:" -msgstr "标题/描述:" - -#: ../../mod/profiles.php:662 -msgid "Your Gender:" -msgstr "你的性:" - -#: ../../mod/profiles.php:663 -#, php-format -msgid "Birthday (%s):" -msgstr "生日(%s):" - -#: ../../mod/profiles.php:664 -msgid "Street Address:" -msgstr "地址:" - -#: ../../mod/profiles.php:665 -msgid "Locality/City:" -msgstr "现场/城市:" - -#: ../../mod/profiles.php:666 -msgid "Postal/Zip Code:" -msgstr "邮政编码:" - -#: ../../mod/profiles.php:667 -msgid "Country:" -msgstr "国家:" - -#: ../../mod/profiles.php:668 -msgid "Region/State:" -msgstr "区域/省" - -#: ../../mod/profiles.php:669 -msgid " Marital Status:" -msgstr "婚姻状况:" - -#: ../../mod/profiles.php:670 -msgid "Who: (if applicable)" -msgstr "谁:(要是使用)" - -#: ../../mod/profiles.php:671 -msgid "Examples: cathy123, Cathy Williams, cathy@example.com" -msgstr "比如:limou,李某,limou@example。com" - -#: ../../mod/profiles.php:672 -msgid "Since [date]:" -msgstr "追溯[日期]:" - -#: ../../mod/profiles.php:674 -msgid "Homepage URL:" -msgstr "主页URL:" - -#: ../../mod/profiles.php:677 -msgid "Religious Views:" -msgstr " 宗教信仰 :" - -#: ../../mod/profiles.php:678 -msgid "Public Keywords:" -msgstr "公开关键字 :" - -#: ../../mod/profiles.php:679 -msgid "Private Keywords:" -msgstr "私人关键字" - -#: ../../mod/profiles.php:682 -msgid "Example: fishing photography software" -msgstr "例如:钓鱼 照片 软件" - -#: ../../mod/profiles.php:683 -msgid "(Used for suggesting potential friends, can be seen by others)" -msgstr "(用于建议可能的朋友们,会被别人看)" - -#: ../../mod/profiles.php:684 -msgid "(Used for searching profiles, never shown to others)" -msgstr "(用于搜索简介,没有给别人看)" - -#: ../../mod/profiles.php:685 -msgid "Tell us about yourself..." -msgstr "给我们自我介绍..." - -#: ../../mod/profiles.php:686 -msgid "Hobbies/Interests" -msgstr "爱好/兴趣" - -#: ../../mod/profiles.php:687 -msgid "Contact information and Social Networks" -msgstr "熟人信息和社会化网络" - -#: ../../mod/profiles.php:688 -msgid "Musical interests" -msgstr "音乐兴趣" - -#: ../../mod/profiles.php:689 -msgid "Books, literature" -msgstr "书,文学" - -#: ../../mod/profiles.php:690 -msgid "Television" -msgstr "电视" - -#: ../../mod/profiles.php:691 -msgid "Film/dance/culture/entertainment" -msgstr "电影/跳舞/文化/娱乐" - -#: ../../mod/profiles.php:692 -msgid "Love/romance" -msgstr "爱情/浪漫" - -#: ../../mod/profiles.php:693 -msgid "Work/employment" -msgstr "工作" - -#: ../../mod/profiles.php:694 -msgid "School/education" -msgstr "学院/教育" - -#: ../../mod/profiles.php:699 +#: ../../mod/removeme.php:47 msgid "" -"This is your public profile.
    It may " -"be visible to anybody using the internet." -msgstr "这是你的公开的简介。
    可能被所有的因特网用的看到。" +"This will completely remove your account. Once this has been done it is not " +"recoverable." +msgstr "这要完全删除您的账户。这一做过,就不能恢复。" -#: ../../mod/profiles.php:709 ../../mod/directory.php:113 -msgid "Age: " -msgstr "年纪:" - -#: ../../mod/profiles.php:762 -msgid "Edit/Manage Profiles" -msgstr "编辑/管理简介" +#: ../../mod/removeme.php:48 +msgid "Please enter your password for verification:" +msgstr "请输入密码为确认:" #: ../../mod/install.php:117 msgid "Friendica Communications Server - Setup" @@ -7155,492 +3518,1012 @@ msgid "" "poller." msgstr "重要:您要[手工地]准备安排的任务给喂器。" +#: ../../mod/wallmessage.php:42 ../../mod/wallmessage.php:112 +#, php-format +msgid "Number of daily wall messages for %s exceeded. Message failed." +msgstr "一天最多墙通知给%s超过了。通知没有通过 。" + +#: ../../mod/wallmessage.php:59 +msgid "Unable to check your home location." +msgstr "核对不了您的主页。" + +#: ../../mod/wallmessage.php:86 ../../mod/wallmessage.php:95 +msgid "No recipient." +msgstr "没有接受者。" + +#: ../../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 "如果您想%s回答,请核对您网站的隐私设置允许生发送人的私人邮件。" + #: ../../mod/help.php:79 msgid "Help:" msgstr "帮助:" -#: ../../mod/crepair.php:104 -msgid "Contact settings applied." -msgstr "熟人设置应用了。" +#: ../../mod/help.php:84 ../../include/nav.php:114 +msgid "Help" +msgstr "帮助" -#: ../../mod/crepair.php:106 -msgid "Contact update failed." -msgstr "熟人更新失败。" +#: ../../mod/help.php:90 ../../index.php:256 +msgid "Not Found" +msgstr "未发现" -#: ../../mod/crepair.php:137 -msgid "Repair Contact Settings" -msgstr "维修熟人设置" - -#: ../../mod/crepair.php:139 -msgid "" -"WARNING: This is highly advanced and if you enter incorrect" -" information your communications with this contact may stop working." -msgstr "注意:这是很高等的,你输入错的信息你和熟人的沟通会弄失灵了。" - -#: ../../mod/crepair.php:140 -msgid "" -"Please use your browser 'Back' button now if you are " -"uncertain what to do on this page." -msgstr "请立即用后退按钮如果您不确定怎么用这页" - -#: ../../mod/crepair.php:146 -msgid "Return to contact editor" -msgstr "回归熟人处理器" - -#: ../../mod/crepair.php:159 -msgid "Account Nickname" -msgstr "帐户昵称" - -#: ../../mod/crepair.php:160 -msgid "@Tagname - overrides Name/Nickname" -msgstr "@Tagname越过名/昵称" - -#: ../../mod/crepair.php:161 -msgid "Account URL" -msgstr "帐户URL" - -#: ../../mod/crepair.php:162 -msgid "Friend Request URL" -msgstr "朋友请求URL" - -#: ../../mod/crepair.php:163 -msgid "Friend Confirm URL" -msgstr "朋友确认URL" - -#: ../../mod/crepair.php:164 -msgid "Notification Endpoint URL" -msgstr "通知端URL" - -#: ../../mod/crepair.php:165 -msgid "Poll/Feed URL" -msgstr "喂URL" - -#: ../../mod/crepair.php:166 -msgid "New photo from this URL" -msgstr "新照片从这个URL" - -#: ../../mod/crepair.php:167 -msgid "Remote Self" -msgstr "遥远的自身" - -#: ../../mod/crepair.php:169 -msgid "Mirror postings from this contact" -msgstr "把这个熟人的文章复制。" - -#: ../../mod/crepair.php:169 -msgid "" -"Mark this contact as remote_self, this will cause friendica to repost new " -"entries from this contact." -msgstr "表明这个熟人当遥远的自身。Friendica要把这个熟人的新的文章复制。" - -#: ../../mod/crepair.php:169 -msgid "No mirroring" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror as forwarded posting" -msgstr "" - -#: ../../mod/crepair.php:169 -msgid "Mirror as my own posting" -msgstr "" - -#: ../../mod/newmember.php:6 -msgid "Welcome to Friendica" -msgstr "Friendica欢迎你" - -#: ../../mod/newmember.php:8 -msgid "New Member Checklist" -msgstr "新的成员一览表" - -#: ../../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 "Friendica游览" - -#: ../../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 "校对别的设置,特别隐私设置。一个未出版的目录项目是跟未出版的电话号码一样。平时,你可能应该出版你的目录项目-除非都你的朋友们和可交的朋友们已经知道确切地怎么找你。" - -#: ../../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 "上传一张简历照片除非你已经做过。研究表明有真正自己的照片的人比没有的交朋友们可能多十倍。" - -#: ../../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 "随意编你的公开的简历。评论设置为藏起来你的朋友表和简历过陌生来客。" - -#: ../../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 "指定一些公开关键字在您的默认简介描述您兴趣。我们可能找得了别人有相似兴趣和建议友谊。" - -#: ../../mod/newmember.php:44 -msgid "Connecting" -msgstr "连接着" - -#: ../../mod/newmember.php:49 -msgid "" -"Authorise the Facebook Connector if you currently have a Facebook account " -"and we will (optionally) import all your Facebook friends and conversations." -msgstr "要是你有一个Facebook账户,批准Facebook插销。我们来(可选的)进口都你Facebook朋友们和交谈。" - -#: ../../mod/newmember.php:51 -msgid "" -"If this is your own personal server, installing the Facebook addon " -"may ease your transition to the free social web." -msgstr "要是这是你的私利服务器,安装Facebook插件会把你的过渡到自由社会化网络自在一点。" - -#: ../../mod/newmember.php:56 -msgid "Importing Emails" -msgstr "进口着邮件" - -#: ../../mod/newmember.php:56 -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 "输入你电子邮件使用信息在插销设置页,要是你想用你的电子邮件进口和互动朋友们或邮件表。" - -#: ../../mod/newmember.php:58 -msgid "Go to Your Contacts Page" -msgstr "您的熟人页" - -#: ../../mod/newmember.php:58 -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 "您熟人页是您门口为管理熟人和连接朋友们在别的网络。典型您输入他的地址或者网站URL在添加新熟人对话框。" - -#: ../../mod/newmember.php:60 -msgid "Go to Your Site's Directory" -msgstr "您网站的目录" - -#: ../../mod/newmember.php:60 -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:62 -msgid "Finding New People" -msgstr "找新人" - -#: ../../mod/newmember.php:62 -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 "在熟人页的工具栏有一些工具为找新朋友们。我们会使人们相配按名或兴趣,和以网络关系作为提醒建议的根据。在新网站,朋友建议平常开始24小时后。" - -#: ../../mod/newmember.php:70 -msgid "Group Your Contacts" -msgstr "把熟人组起来" - -#: ../../mod/newmember.php:70 -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:73 -msgid "Why Aren't My Posts Public?" -msgstr "我文章怎么没公开的?" - -#: ../../mod/newmember.php:73 -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:78 -msgid "Getting Help" -msgstr "怎么获得帮助" - -#: ../../mod/newmember.php:82 -msgid "Go to the Help Section" -msgstr "看帮助部分" - -#: ../../mod/newmember.php:82 -msgid "" -"Our help pages may be consulted for detail on other program" -" features and resources." -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/prove.php:93 -msgid "" -"\n" -"\t\tDear $[username],\n" -"\t\t\tYour password has been changed as requested. Please retain this\n" -"\t\tinformation for your records (or change your password immediately to\n" -"\t\tsomething that you will remember).\n" -"\t" -msgstr "" - -#: ../../mod/display.php:452 -msgid "Item has been removed." -msgstr "项目被删除了。" - -#: ../../mod/subthread.php:103 -#, php-format -msgid "%1$s is following %2$s's %3$s" -msgstr "%1$s关注着%2$s的%3$s" +#: ../../mod/help.php:93 ../../index.php:259 +msgid "Page not found." +msgstr "页发现。" #: ../../mod/dfrn_poll.php:103 ../../mod/dfrn_poll.php:536 #, php-format msgid "%1$s welcomes %2$s" msgstr "%1$s欢迎%2$s" -#: ../../mod/dfrn_confirm.php:121 +#: ../../mod/home.php:35 +#, php-format +msgid "Welcome to %s" +msgstr "%s欢迎你" + +#: ../../mod/wall_attach.php:75 +msgid "Sorry, maybe your upload is bigger than the PHP configuration allows" +msgstr "不好意思,可能你上传的是PHP设置允许的大" + +#: ../../mod/wall_attach.php:75 +msgid "Or - did you try to upload an empty file?" +msgstr "或者,你是不是上传空的文件?" + +#: ../../mod/wall_attach.php:81 +#, php-format +msgid "File exceeds size limit of %d" +msgstr "文件数目超过最多%d" + +#: ../../mod/wall_attach.php:122 ../../mod/wall_attach.php:133 +msgid "File upload failed." +msgstr "文件上传失败。" + +#: ../../mod/match.php:12 +msgid "Profile Match" +msgstr "简介符合" + +#: ../../mod/match.php:20 +msgid "No keywords to match. Please add keywords to your default profile." +msgstr "没有符合的关键字。请在您的默认简介加关键字。" + +#: ../../mod/match.php:57 +msgid "is interested in:" +msgstr "感兴趣对:" + +#: ../../mod/match.php:58 ../../mod/suggest.php:90 ../../boot.php:1568 +#: ../../include/contact_widgets.php:10 +msgid "Connect" +msgstr "连接" + +#: ../../mod/share.php:44 +msgid "link" +msgstr "链接" + +#: ../../mod/community.php:23 +msgid "Not available." +msgstr "不可用的" + +#: ../../mod/community.php:32 ../../include/nav.php:129 +#: ../../include/nav.php:131 ../../view/theme/diabook/theme.php:129 +msgid "Community" +msgstr "社会" + +#: ../../mod/community.php:62 ../../mod/community.php:71 +#: ../../mod/search.php:168 ../../mod/search.php:192 +msgid "No results." +msgstr "没有结果" + +#: ../../mod/settings.php:29 ../../mod/photos.php:80 +msgid "everybody" +msgstr "每人" + +#: ../../mod/settings.php:41 +msgid "Additional features" +msgstr "附加的特点" + +#: ../../mod/settings.php:46 +msgid "Display" +msgstr "显示" + +#: ../../mod/settings.php:52 ../../mod/settings.php:780 +msgid "Social Networks" +msgstr "社会化网络" + +#: ../../mod/settings.php:62 ../../include/nav.php:170 +msgid "Delegations" +msgstr "代表" + +#: ../../mod/settings.php:67 +msgid "Connected apps" +msgstr "连接着应用" + +#: ../../mod/settings.php:72 ../../mod/uexport.php:85 +msgid "Export personal data" +msgstr "出口私人信息" + +#: ../../mod/settings.php:77 +msgid "Remove account" +msgstr "删除账户" + +#: ../../mod/settings.php:129 +msgid "Missing some important data!" +msgstr "有的重要信息失踪的!" + +#: ../../mod/settings.php:238 +msgid "Failed to connect with email account using the settings provided." +msgstr "不能连接电子邮件账户用输入的设置。" + +#: ../../mod/settings.php:243 +msgid "Email settings updated." +msgstr "电子邮件设置更新了" + +#: ../../mod/settings.php:258 +msgid "Features updated" +msgstr "特点更新了" + +#: ../../mod/settings.php:321 +msgid "Relocate message has been send to your contacts" +msgstr "调动信息寄给您的熟人" + +#: ../../mod/settings.php:335 +msgid "Passwords do not match. Password unchanged." +msgstr "密码们不相配。密码没未改变的。" + +#: ../../mod/settings.php:340 +msgid "Empty passwords are not allowed. Password unchanged." +msgstr "空的密码禁止。密码没未改变的。" + +#: ../../mod/settings.php:348 +msgid "Wrong password." +msgstr "密码不正确。" + +#: ../../mod/settings.php:359 +msgid "Password changed." +msgstr "密码变化了。" + +#: ../../mod/settings.php:361 +msgid "Password update failed. Please try again." +msgstr "密码更新失败了。请再试。" + +#: ../../mod/settings.php:428 +msgid " Please use a shorter name." +msgstr "请用短一点个名。" + +#: ../../mod/settings.php:430 +msgid " Name too short." +msgstr "名字太短。" + +#: ../../mod/settings.php:439 +msgid "Wrong Password" +msgstr "密码不正确" + +#: ../../mod/settings.php:444 +msgid " Not valid email." +msgstr " 电子邮件地址无效." + +#: ../../mod/settings.php:450 +msgid " Cannot change to that email." +msgstr "不能变化到这个邮件地址。" + +#: ../../mod/settings.php:506 +msgid "Private forum has no privacy permissions. Using default privacy group." +msgstr "私人评坛没有隐私批准。默认隐私组用者。" + +#: ../../mod/settings.php:510 +msgid "Private forum has no privacy permissions and no default privacy group." +msgstr "私人评坛没有隐私批准或默认隐私组。" + +#: ../../mod/settings.php:540 +msgid "Settings updated." +msgstr "设置跟新了" + +#: ../../mod/settings.php:613 ../../mod/settings.php:639 +#: ../../mod/settings.php:675 +msgid "Add application" +msgstr "加入应用" + +#: ../../mod/settings.php:617 ../../mod/settings.php:643 +msgid "Consumer Key" +msgstr "钥匙(Consumer Key)" + +#: ../../mod/settings.php:618 ../../mod/settings.php:644 +msgid "Consumer Secret" +msgstr "密码(Consumer Secret)" + +#: ../../mod/settings.php:619 ../../mod/settings.php:645 +msgid "Redirect" +msgstr "重定向" + +#: ../../mod/settings.php:620 ../../mod/settings.php:646 +msgid "Icon url" +msgstr "图符URL" + +#: ../../mod/settings.php:631 +msgid "You can't edit this application." +msgstr "您不能编辑这个应用。" + +#: ../../mod/settings.php:674 +msgid "Connected Apps" +msgstr "连接着应用" + +#: ../../mod/settings.php:678 +msgid "Client key starts with" +msgstr "客户钥匙头字是" + +#: ../../mod/settings.php:679 +msgid "No name" +msgstr "无名" + +#: ../../mod/settings.php:680 +msgid "Remove authorization" +msgstr "撤消权能" + +#: ../../mod/settings.php:692 +msgid "No Plugin settings configured" +msgstr "没插件设置配置了" + +#: ../../mod/settings.php:700 +msgid "Plugin Settings" +msgstr "插件设置" + +#: ../../mod/settings.php:714 +msgid "Off" +msgstr "关" + +#: ../../mod/settings.php:714 +msgid "On" +msgstr "开" + +#: ../../mod/settings.php:722 +msgid "Additional Features" +msgstr "附加的特点" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +#, php-format +msgid "Built-in support for %s connectivity is %s" +msgstr "包括的支持为%s连通性是%s" + +#: ../../mod/settings.php:736 ../../mod/dfrn_request.php:838 +#: ../../include/contact_selectors.php:80 +msgid "Diaspora" +msgstr "Diaspora" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +msgid "enabled" +msgstr "能够做的" + +#: ../../mod/settings.php:736 ../../mod/settings.php:737 +msgid "disabled" +msgstr "已停用" + +#: ../../mod/settings.php:737 +msgid "StatusNet" +msgstr "StatusNet" + +#: ../../mod/settings.php:773 +msgid "Email access is disabled on this site." +msgstr "这个网站没有邮件使用权" + +#: ../../mod/settings.php:785 +msgid "Email/Mailbox Setup" +msgstr "邮件收件箱设置" + +#: ../../mod/settings.php:786 msgid "" -"This may occasionally happen if contact was requested by both persons and it" -" has already been approved." -msgstr "这会偶尔地发生熟人双方都要求和已经批准的时候。" +"If you wish to communicate with email contacts using this service " +"(optional), please specify how to connect to your mailbox." +msgstr "如果您想用这股服务(可选的)跟邮件熟人交流,请指定怎么连通您的收件箱。" -#: ../../mod/dfrn_confirm.php:240 -msgid "Response from remote site was not understood." -msgstr "遥网站的回答明白不了。" +#: ../../mod/settings.php:787 +msgid "Last successful email check:" +msgstr "上个成功收件箱检查:" -#: ../../mod/dfrn_confirm.php:249 ../../mod/dfrn_confirm.php:254 -msgid "Unexpected response from remote site: " -msgstr "居然回答从遥网站:" +#: ../../mod/settings.php:789 +msgid "IMAP server name:" +msgstr "IMAP服务器名字:" -#: ../../mod/dfrn_confirm.php:263 -msgid "Confirmation completed successfully." -msgstr "确认成功完成。" +#: ../../mod/settings.php:790 +msgid "IMAP port:" +msgstr "IMAP服务器端口:" -#: ../../mod/dfrn_confirm.php:265 ../../mod/dfrn_confirm.php:279 -#: ../../mod/dfrn_confirm.php:286 -msgid "Remote site reported: " -msgstr "遥网站报案:" +#: ../../mod/settings.php:791 +msgid "Security:" +msgstr "安全:" -#: ../../mod/dfrn_confirm.php:277 -msgid "Temporary failure. Please wait and try again." -msgstr "临时失败。请等一会,再试。" +#: ../../mod/settings.php:791 ../../mod/settings.php:796 +msgid "None" +msgstr "没有" -#: ../../mod/dfrn_confirm.php:284 -msgid "Introduction failed or was revoked." -msgstr "介绍失败或被吊销。" +#: ../../mod/settings.php:792 +msgid "Email login name:" +msgstr "邮件登记名:" -#: ../../mod/dfrn_confirm.php:429 -msgid "Unable to set contact photo." -msgstr "不会指定熟人照片。" +#: ../../mod/settings.php:793 +msgid "Email password:" +msgstr "邮件密码:" -#: ../../mod/dfrn_confirm.php:571 -#, php-format -msgid "No user record found for '%s' " -msgstr "找不到「%s」的用户记录" +#: ../../mod/settings.php:794 +msgid "Reply-to address:" +msgstr "回答地址:" -#: ../../mod/dfrn_confirm.php:581 -msgid "Our site encryption key is apparently messed up." -msgstr "看起来我们的加密钥匙失灵了。" +#: ../../mod/settings.php:795 +msgid "Send public posts to all email contacts:" +msgstr "发公开的文章给所有的邮件熟人:" -#: ../../mod/dfrn_confirm.php:592 -msgid "Empty site URL was provided or URL could not be decrypted by us." -msgstr "空的URL供应,或URL解不了码。" +#: ../../mod/settings.php:796 +msgid "Action after import:" +msgstr "进口后行动:" -#: ../../mod/dfrn_confirm.php:613 -msgid "Contact record was not found for you on our site." -msgstr "熟人记录在我们的网站找不了。" +#: ../../mod/settings.php:796 +msgid "Mark as seen" +msgstr "标注看过" -#: ../../mod/dfrn_confirm.php:627 -#, php-format -msgid "Site public key not available in contact record for URL %s." -msgstr "没有网站公开钥匙在熟人记录在URL%s。" +#: ../../mod/settings.php:796 +msgid "Move to folder" +msgstr "搬到文件夹" -#: ../../mod/dfrn_confirm.php:647 +#: ../../mod/settings.php:797 +msgid "Move to folder:" +msgstr "搬到文件夹:" + +#: ../../mod/settings.php:878 +msgid "Display Settings" +msgstr "表示设置" + +#: ../../mod/settings.php:884 ../../mod/settings.php:899 +msgid "Display Theme:" +msgstr "显示主题:" + +#: ../../mod/settings.php:885 +msgid "Mobile Theme:" +msgstr "手机主题:" + +#: ../../mod/settings.php:886 +msgid "Update browser every xx seconds" +msgstr "更新游览器每XX秒" + +#: ../../mod/settings.php:886 +msgid "Minimum of 10 seconds, no maximum" +msgstr "最小10秒,没有上限" + +#: ../../mod/settings.php:887 +msgid "Number of items to display per page:" +msgstr "每页表示多少项目:" + +#: ../../mod/settings.php:887 ../../mod/settings.php:888 +msgid "Maximum of 100 items" +msgstr "最多100项目" + +#: ../../mod/settings.php:888 +msgid "Number of items to display per page when viewed from mobile device:" +msgstr "用手机看一页展示多少项目:" + +#: ../../mod/settings.php:889 +msgid "Don't show emoticons" +msgstr "别表示请表符号" + +#: ../../mod/settings.php:890 +msgid "Don't show notices" +msgstr "别表提示" + +#: ../../mod/settings.php:891 +msgid "Infinite scroll" +msgstr "无限的滚动" + +#: ../../mod/settings.php:892 +msgid "Automatic updates only at the top of the network page" +msgstr "" + +#: ../../mod/settings.php:969 +msgid "User Types" +msgstr "" + +#: ../../mod/settings.php:970 +msgid "Community Types" +msgstr "" + +#: ../../mod/settings.php:971 +msgid "Normal Account Page" +msgstr "平常账户页" + +#: ../../mod/settings.php:972 +msgid "This account is a normal personal profile" +msgstr "这个帐户是正常私人简介" + +#: ../../mod/settings.php:975 +msgid "Soapbox Page" +msgstr "演讲台页" + +#: ../../mod/settings.php:976 +msgid "Automatically approve all connection/friend requests as read-only fans" +msgstr "自动批准所有联络/友谊要求当只看的迷" + +#: ../../mod/settings.php:979 +msgid "Community Forum/Celebrity Account" +msgstr "社会评坛/名人账户" + +#: ../../mod/settings.php:980 msgid "" -"The ID provided by your system is a duplicate on our system. It should work " -"if you try again." -msgstr "身份证明由您的系统是在我们的重做。你再试应该运行。" +"Automatically approve all connection/friend requests as read-write fans" +msgstr "自动批准所有联络/友谊要求当看写的迷" -#: ../../mod/dfrn_confirm.php:658 -msgid "Unable to set your contact credentials on our system." -msgstr "不能创作您的熟人证件在我们的系统。" +#: ../../mod/settings.php:983 +msgid "Automatic Friend Page" +msgstr "自动朋友页" -#: ../../mod/dfrn_confirm.php:725 -msgid "Unable to update your contact profile details on our system" -msgstr "不能更新您的熟人简介消息在我们的系统" +#: ../../mod/settings.php:984 +msgid "Automatically approve all connection/friend requests as friends" +msgstr "自动批准所有联络/友谊要求当朋友" -#: ../../mod/dfrn_confirm.php:797 +#: ../../mod/settings.php:987 +msgid "Private Forum [Experimental]" +msgstr "隐私评坛[实验性的 ]" + +#: ../../mod/settings.php:988 +msgid "Private forum - approved members only" +msgstr "隐私评坛-只批准的成员" + +#: ../../mod/settings.php:1000 +msgid "OpenID:" +msgstr "OpenID:" + +#: ../../mod/settings.php:1000 +msgid "(Optional) Allow this OpenID to login to this account." +msgstr "(可选的)许这个OpenID这个账户登记。" + +#: ../../mod/settings.php:1010 +msgid "Publish your default profile in your local site directory?" +msgstr "出版您默认简介在您当地的网站目录?" + +#: ../../mod/settings.php:1010 ../../mod/settings.php:1016 +#: ../../mod/settings.php:1024 ../../mod/settings.php:1028 +#: ../../mod/settings.php:1033 ../../mod/settings.php:1039 +#: ../../mod/settings.php:1045 ../../mod/settings.php:1051 +#: ../../mod/settings.php:1081 ../../mod/settings.php:1082 +#: ../../mod/settings.php:1083 ../../mod/settings.php:1084 +#: ../../mod/settings.php:1085 ../../mod/dfrn_request.php:830 +#: ../../mod/register.php:234 ../../mod/profiles.php:661 +#: ../../mod/profiles.php:665 ../../mod/api.php:106 +msgid "No" +msgstr "否" + +#: ../../mod/settings.php:1016 +msgid "Publish your default profile in the global social directory?" +msgstr "出版您默认简介在综合社会目录?" + +#: ../../mod/settings.php:1024 +msgid "Hide your contact/friend list from viewers of your default profile?" +msgstr "藏起来 发现您的熟人/朋友单不让这个简介看着看?\n " + +#: ../../mod/settings.php:1028 ../../include/conversation.php:1057 +msgid "Hide your profile details from unknown viewers?" +msgstr "使简介信息给陌生的看着看不了?" + +#: ../../mod/settings.php:1028 +msgid "" +"If enabled, posting public messages to Diaspora and other networks isn't " +"possible." +msgstr "" + +#: ../../mod/settings.php:1033 +msgid "Allow friends to post to your profile page?" +msgstr "允许朋友们贴文章在您的简介页?" + +#: ../../mod/settings.php:1039 +msgid "Allow friends to tag your posts?" +msgstr "允许朋友们标签您的文章?" + +#: ../../mod/settings.php:1045 +msgid "Allow us to suggest you as a potential friend to new members?" +msgstr "允许我们建议您潜力朋友给新成员?" + +#: ../../mod/settings.php:1051 +msgid "Permit unknown people to send you private mail?" +msgstr "允许生人寄给您私人邮件?" + +#: ../../mod/settings.php:1059 +msgid "Profile is not published." +msgstr "简介是没出版" + +#: ../../mod/settings.php:1067 +msgid "Your Identity Address is" +msgstr "您的同一个人地址是" + +#: ../../mod/settings.php:1078 +msgid "Automatically expire posts after this many days:" +msgstr "自动地过期文章这数天:" + +#: ../../mod/settings.php:1078 +msgid "If empty, posts will not expire. Expired posts will be deleted" +msgstr "如果空的,文章不会过期。过期的文章被删除" + +#: ../../mod/settings.php:1079 +msgid "Advanced expiration settings" +msgstr "先进的过期设置" + +#: ../../mod/settings.php:1080 +msgid "Advanced Expiration" +msgstr "先进的过期" + +#: ../../mod/settings.php:1081 +msgid "Expire posts:" +msgstr "把文章过期:" + +#: ../../mod/settings.php:1082 +msgid "Expire personal notes:" +msgstr "把私人便条过期:" + +#: ../../mod/settings.php:1083 +msgid "Expire starred posts:" +msgstr "把星的文章过期:" + +#: ../../mod/settings.php:1084 +msgid "Expire photos:" +msgstr "把照片过期:" + +#: ../../mod/settings.php:1085 +msgid "Only expire posts by others:" +msgstr "只别人的文章过期:" + +#: ../../mod/settings.php:1111 +msgid "Account Settings" +msgstr "帐户设置" + +#: ../../mod/settings.php:1119 +msgid "Password Settings" +msgstr "密码设置" + +#: ../../mod/settings.php:1120 +msgid "New Password:" +msgstr "新密码:" + +#: ../../mod/settings.php:1121 +msgid "Confirm:" +msgstr "确认:" + +#: ../../mod/settings.php:1121 +msgid "Leave password fields blank unless changing" +msgstr "非变化留空密码栏" + +#: ../../mod/settings.php:1122 +msgid "Current Password:" +msgstr "目前密码:" + +#: ../../mod/settings.php:1122 ../../mod/settings.php:1123 +msgid "Your current password to confirm the changes" +msgstr "您目前密码为确认变化" + +#: ../../mod/settings.php:1123 +msgid "Password:" +msgstr "密码:" + +#: ../../mod/settings.php:1127 +msgid "Basic Settings" +msgstr "基础设置" + +#: ../../mod/settings.php:1128 ../../include/profile_advanced.php:15 +msgid "Full Name:" +msgstr "全名:" + +#: ../../mod/settings.php:1129 +msgid "Email Address:" +msgstr "电子邮件地址:" + +#: ../../mod/settings.php:1130 +msgid "Your Timezone:" +msgstr "您的时区:" + +#: ../../mod/settings.php:1131 +msgid "Default Post Location:" +msgstr "默认文章位置:" + +#: ../../mod/settings.php:1132 +msgid "Use Browser Location:" +msgstr "用游览器位置:" + +#: ../../mod/settings.php:1135 +msgid "Security and Privacy Settings" +msgstr "安全和隐私设置" + +#: ../../mod/settings.php:1137 +msgid "Maximum Friend Requests/Day:" +msgstr "最多友谊要求个天:" + +#: ../../mod/settings.php:1137 ../../mod/settings.php:1167 +msgid "(to prevent spam abuse)" +msgstr "(为防止垃圾邮件滥用)" + +#: ../../mod/settings.php:1138 +msgid "Default Post Permissions" +msgstr "默认文章准许" + +#: ../../mod/settings.php:1139 +msgid "(click to open/close)" +msgstr "(点击为打开/关闭)" + +#: ../../mod/settings.php:1148 ../../mod/photos.php:1146 +#: ../../mod/photos.php:1519 +msgid "Show to Groups" +msgstr "给组表示" + +#: ../../mod/settings.php:1149 ../../mod/photos.php:1147 +#: ../../mod/photos.php:1520 +msgid "Show to Contacts" +msgstr "给熟人表示" + +#: ../../mod/settings.php:1150 +msgid "Default Private Post" +msgstr "默认私人文章" + +#: ../../mod/settings.php:1151 +msgid "Default Public Post" +msgstr "默认公开文章" + +#: ../../mod/settings.php:1155 +msgid "Default Permissions for New Posts" +msgstr "默认权利为新文章" + +#: ../../mod/settings.php:1167 +msgid "Maximum private messages per day from unknown people:" +msgstr "一天最多从生人私人邮件:" + +#: ../../mod/settings.php:1170 +msgid "Notification Settings" +msgstr "消息设置" + +#: ../../mod/settings.php:1171 +msgid "By default post a status message when:" +msgstr "默认地发现状通知如果:" + +#: ../../mod/settings.php:1172 +msgid "accepting a friend request" +msgstr "接受朋友邀请" + +#: ../../mod/settings.php:1173 +msgid "joining a forum/community" +msgstr "加入评坛/社会" + +#: ../../mod/settings.php:1174 +msgid "making an interesting profile change" +msgstr "把简介有意思地变修改" + +#: ../../mod/settings.php:1175 +msgid "Send a notification email when:" +msgstr "发一个消息要是:" + +#: ../../mod/settings.php:1176 +msgid "You receive an introduction" +msgstr "你受到一个介绍" + +#: ../../mod/settings.php:1177 +msgid "Your introductions are confirmed" +msgstr "你的介绍确认了" + +#: ../../mod/settings.php:1178 +msgid "Someone writes on your profile wall" +msgstr "某人写在你的简历墙" + +#: ../../mod/settings.php:1179 +msgid "Someone writes a followup comment" +msgstr "某人写一个后续的评论" + +#: ../../mod/settings.php:1180 +msgid "You receive a private message" +msgstr "你受到一个私消息" + +#: ../../mod/settings.php:1181 +msgid "You receive a friend suggestion" +msgstr "你受到一个朋友建议" + +#: ../../mod/settings.php:1182 +msgid "You are tagged in a post" +msgstr "你被在新闻标签" + +#: ../../mod/settings.php:1183 +msgid "You are poked/prodded/etc. in a post" +msgstr "您在文章被戳" + +#: ../../mod/settings.php:1185 +msgid "Text-only notification emails" +msgstr "" + +#: ../../mod/settings.php:1187 +msgid "Send text only notification emails, without the html part" +msgstr "" + +#: ../../mod/settings.php:1189 +msgid "Advanced Account/Page Type Settings" +msgstr "专家账户/页种设置" + +#: ../../mod/settings.php:1190 +msgid "Change the behaviour of this account for special situations" +msgstr "把这个账户特别情况的时候行动变化" + +#: ../../mod/settings.php:1193 +msgid "Relocate" +msgstr "调动" + +#: ../../mod/settings.php:1194 +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:1195 +msgid "Resend relocate message to contacts" +msgstr "把调动信息寄给熟人" + +#: ../../mod/dfrn_request.php:95 +msgid "This introduction has already been accepted." +msgstr "这个介绍已经接受了。" + +#: ../../mod/dfrn_request.php:120 ../../mod/dfrn_request.php:518 +msgid "Profile location is not valid or does not contain profile information." +msgstr "简介位置失效或不包含简介信息。" + +#: ../../mod/dfrn_request.php:125 ../../mod/dfrn_request.php:523 +msgid "Warning: profile location has no identifiable owner name." +msgstr "警告:简介位置没有可设别的主名。" + +#: ../../mod/dfrn_request.php:127 ../../mod/dfrn_request.php:525 +msgid "Warning: profile location has no profile photo." +msgstr "警告:简介位置没有简介图。" + +#: ../../mod/dfrn_request.php:130 ../../mod/dfrn_request.php:528 #, php-format -msgid "%1$s has joined %2$s" -msgstr "%1$s加入%2$s了" +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需要的参数没找到在输入的位置。" -#: ../../mod/item.php:113 -msgid "Unable to locate original post." -msgstr "找不到当初的新闻" +#: ../../mod/dfrn_request.php:172 +msgid "Introduction complete." +msgstr "介绍完成的。" -#: ../../mod/item.php:324 -msgid "Empty post discarded." -msgstr "空心的新闻丢弃了" +#: ../../mod/dfrn_request.php:214 +msgid "Unrecoverable protocol error." +msgstr "不能恢复的协议错误" -#: ../../mod/item.php:915 -msgid "System error. Post not saved." -msgstr "系统错误。x" +#: ../../mod/dfrn_request.php:242 +msgid "Profile unavailable." +msgstr "简介无效" -#: ../../mod/item.php:941 +#: ../../mod/dfrn_request.php:267 +#, php-format +msgid "%s has received too many connection requests today." +msgstr "%s今天已经受到了太多联络要求" + +#: ../../mod/dfrn_request.php:268 +msgid "Spam protection measures have been invoked." +msgstr "垃圾保护措施被用了。" + +#: ../../mod/dfrn_request.php:269 +msgid "Friends are advised to please try again in 24 hours." +msgstr "朋友们被建议请24小时后再试。" + +#: ../../mod/dfrn_request.php:331 +msgid "Invalid locator" +msgstr "无效找到物" + +#: ../../mod/dfrn_request.php:340 +msgid "Invalid email address." +msgstr "无效的邮件地址。" + +#: ../../mod/dfrn_request.php:367 +msgid "This account has not been configured for email. Request failed." +msgstr "这个账户没有设置用电子邮件。要求没通过。" + +#: ../../mod/dfrn_request.php:463 +msgid "Unable to resolve your name at the provided location." +msgstr "不可疏解您的名字再输入的位置。" + +#: ../../mod/dfrn_request.php:476 +msgid "You have already introduced yourself here." +msgstr "您已经自我介绍这儿。" + +#: ../../mod/dfrn_request.php:480 +#, php-format +msgid "Apparently you are already friends with %s." +msgstr "看上去您已经是%s的朋友。" + +#: ../../mod/dfrn_request.php:501 +msgid "Invalid profile URL." +msgstr "无效的简介URL。" + +#: ../../mod/dfrn_request.php:507 ../../include/follow.php:27 +msgid "Disallowed profile URL." +msgstr "不允许的简介地址." + +#: ../../mod/dfrn_request.php:597 +msgid "Your introduction has been sent." +msgstr "您的介绍发布了。" + +#: ../../mod/dfrn_request.php:650 +msgid "Please login to confirm introduction." +msgstr "请登记为确认介绍。" + +#: ../../mod/dfrn_request.php:660 +msgid "" +"Incorrect identity currently logged in. Please login to " +"this profile." +msgstr "错误的用户登记者。请用这个用户。" + +#: ../../mod/dfrn_request.php:671 +msgid "Hide this contact" +msgstr "隐藏这个熟人" + +#: ../../mod/dfrn_request.php:674 +#, php-format +msgid "Welcome home %s." +msgstr "欢迎%s。" + +#: ../../mod/dfrn_request.php:675 +#, php-format +msgid "Please confirm your introduction/connection request to %s." +msgstr "请确认您的介绍/联络要求给%s。" + +#: ../../mod/dfrn_request.php:676 +msgid "Confirm" +msgstr "确认" + +#: ../../mod/dfrn_request.php:804 +msgid "" +"Please enter your 'Identity Address' from one of the following supported " +"communications networks:" +msgstr "请输入您的「同一人地址」这些支持的交通网络中:" + +#: ../../mod/dfrn_request.php:824 +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网站今天加入." + +#: ../../mod/dfrn_request.php:827 +msgid "Friend/Connection Request" +msgstr "朋友/联络要求。" + +#: ../../mod/dfrn_request.php:828 +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" + +#: ../../mod/dfrn_request.php:829 +msgid "Please answer the following:" +msgstr "请回答下述的:" + +#: ../../mod/dfrn_request.php:830 +#, php-format +msgid "Does %s know you?" +msgstr "%s是否认识你?" + +#: ../../mod/dfrn_request.php:834 +msgid "Add a personal note:" +msgstr "添加个人的便条" + +#: ../../mod/dfrn_request.php:836 ../../include/contact_selectors.php:76 +msgid "Friendica" +msgstr "Friendica" + +#: ../../mod/dfrn_request.php:837 +msgid "StatusNet/Federated Social Web" +msgstr "StatusNet/联合社会化网" + +#: ../../mod/dfrn_request.php:839 #, php-format msgid "" -"This message was sent to you by %s, a member of the Friendica social " -"network." -msgstr "这个新闻是由%s,Friendica社会化网络成员之一,发给你。" +" - please do not use this form. Instead, enter %s into your Diaspora search" +" bar." +msgstr " - 请别用这个表格。反而输入%s在您的Diaspora搜索功能。" -#: ../../mod/item.php:943 -#, php-format -msgid "You may visit them online at %s" -msgstr "你可以网上拜访他在%s" +#: ../../mod/dfrn_request.php:840 +msgid "Your Identity Address:" +msgstr "您的同一个人地址:" -#: ../../mod/item.php:944 +#: ../../mod/dfrn_request.php:843 +msgid "Submit Request" +msgstr "提交要求" + +#: ../../mod/register.php:90 msgid "" -"Please contact the sender by replying to this post if you do not wish to " -"receive these messages." -msgstr "你不想受到这些新闻的话,请回答这个新闻给发者联系。" +"Registration successful. Please check your email for further instructions." +msgstr "注册成功了。请咨询说明再您的收件箱。" -#: ../../mod/item.php:948 +#: ../../mod/register.php:96 #, php-format -msgid "%s posted an update." -msgstr "%s贴上一个新闻。" - -#: ../../mod/profile_photo.php:44 -msgid "Image uploaded but image cropping failed." -msgstr "照片上传去了,但修剪失灵。" - -#: ../../mod/profile_photo.php:77 ../../mod/profile_photo.php:84 -#: ../../mod/profile_photo.php:91 ../../mod/profile_photo.php:308 -#, php-format -msgid "Image size reduction [%s] failed." -msgstr "照片减少[%s]失灵。" - -#: ../../mod/profile_photo.php:118 msgid "" -"Shift-reload the page or clear browser cache if the new photo does not " -"display immediately." -msgstr "万一新照片一会出现,换档重新加载或者成为空浏览器高速缓存。" +"Failed to send email message. Here your accout details:
    login: %s
    " +"password: %s

    You can change your password after login." +msgstr "发送邮件失败。你的账户消息是:
    用户名:%s
    密码: %s

    。登录后能改密码。" -#: ../../mod/profile_photo.php:128 -msgid "Unable to process image" -msgstr "不能处理照片" +#: ../../mod/register.php:105 +msgid "Your registration can not be processed." +msgstr "处理不了您的注册。" -#: ../../mod/profile_photo.php:242 -msgid "Upload File:" -msgstr "上传文件:" +#: ../../mod/register.php:148 +msgid "Your registration is pending approval by the site owner." +msgstr "您的注册等网页主的批准。" -#: ../../mod/profile_photo.php:243 -msgid "Select a profile:" -msgstr "选择一个简介" +#: ../../mod/register.php:186 ../../mod/uimport.php:50 +msgid "" +"This site has exceeded the number of allowed daily account registrations. " +"Please try again tomorrow." +msgstr "这个网站超过一天最多账户注册。请明天再试。" -#: ../../mod/profile_photo.php:245 -msgid "Upload" -msgstr "上传" +#: ../../mod/register.php:214 +msgid "" +"You may (optionally) fill in this form via OpenID by supplying your OpenID " +"and clicking 'Register'." +msgstr "您会(可选的)用OpenID填这个表格通过提供您的OpenID和点击「注册」。" -#: ../../mod/profile_photo.php:248 -msgid "skip this step" -msgstr "略过这步" +#: ../../mod/register.php:215 +msgid "" +"If you are not familiar with OpenID, please leave that field blank and fill " +"in the rest of the items." +msgstr "如果您没熟悉OpenID,请留空这个栏和填另些栏。" -#: ../../mod/profile_photo.php:248 -msgid "select a photo from your photo albums" -msgstr "从您的照片册选择一片。" +#: ../../mod/register.php:216 +msgid "Your OpenID (optional): " +msgstr "您的OpenID(可选的):" -#: ../../mod/profile_photo.php:262 -msgid "Crop Image" -msgstr "修剪照片" +#: ../../mod/register.php:230 +msgid "Include your profile in member directory?" +msgstr "放您的简介再员目录?" -#: ../../mod/profile_photo.php:263 -msgid "Please adjust the image cropping for optimum viewing." -msgstr "请调图片剪裁为最好看。" +#: ../../mod/register.php:251 +msgid "Membership on this site is by invitation only." +msgstr "会员身份在这个网站是光通过邀请。" -#: ../../mod/profile_photo.php:265 -msgid "Done Editing" -msgstr "编完了" +#: ../../mod/register.php:252 +msgid "Your invitation ID: " +msgstr "您邀请ID:" -#: ../../mod/profile_photo.php:299 -msgid "Image uploaded successfully." -msgstr "照片成功地上传了" +#: ../../mod/register.php:263 +msgid "Your Full Name (e.g. Joe Smith): " +msgstr "您姓名(例如「张三」):" -#: ../../mod/allfriends.php:34 -#, php-format -msgid "Friends of %s" -msgstr "%s的朋友们" +#: ../../mod/register.php:264 +msgid "Your Email Address: " +msgstr "你的电子邮件地址:" -#: ../../mod/allfriends.php:40 -msgid "No friends to display." -msgstr "没有朋友展示。" +#: ../../mod/register.php:265 +msgid "" +"Choose a profile nickname. This must begin with a text character. Your " +"profile address on this site will then be " +"'nickname@$sitename'." +msgstr "选择简介昵称。昵称头一字必须拉丁字。您再这个网站的简介地址将「example@$sitename」." + +#: ../../mod/register.php:266 +msgid "Choose a nickname: " +msgstr "选择昵称:" + +#: ../../mod/register.php:269 ../../boot.php:1241 ../../include/nav.php:109 +msgid "Register" +msgstr "注册" + +#: ../../mod/register.php:275 ../../mod/uimport.php:64 +msgid "Import" +msgstr "进口" + +#: ../../mod/register.php:276 +msgid "Import your profile to this friendica instance" +msgstr "进口您的简介到这个friendica服务器" + +#: ../../mod/maintenance.php:5 +msgid "System down for maintenance" +msgstr "系统关闭为了维持" + +#: ../../mod/search.php:99 ../../include/text.php:953 +#: ../../include/text.php:954 ../../include/nav.php:119 +msgid "Search" +msgstr "搜索" + +#: ../../mod/directory.php:51 ../../view/theme/diabook/theme.php:525 +msgid "Global Directory" +msgstr "综合目录" #: ../../mod/directory.php:59 msgid "Find on this site" @@ -7650,14 +4533,607 @@ msgstr "找在这网站" msgid "Site Directory" msgstr "网站目录" +#: ../../mod/directory.php:113 ../../mod/profiles.php:750 +msgid "Age: " +msgstr "年纪:" + #: ../../mod/directory.php:116 msgid "Gender: " msgstr "性别:" +#: ../../mod/directory.php:138 ../../boot.php:1650 +#: ../../include/profile_advanced.php:17 +msgid "Gender:" +msgstr "性别:" + +#: ../../mod/directory.php:140 ../../boot.php:1653 +#: ../../include/profile_advanced.php:37 +msgid "Status:" +msgstr "现状:" + +#: ../../mod/directory.php:142 ../../boot.php:1655 +#: ../../include/profile_advanced.php:48 +msgid "Homepage:" +msgstr "主页:" + +#: ../../mod/directory.php:144 ../../boot.php:1657 +#: ../../include/profile_advanced.php:58 +msgid "About:" +msgstr "关于:" + #: ../../mod/directory.php:189 msgid "No entries (some entries may be hidden)." msgstr "没有文章(有的文章会被隐藏)。" +#: ../../mod/delegate.php:101 +msgid "No potential page delegates located." +msgstr "找不到可能代表页人。" + +#: ../../mod/delegate.php:130 ../../include/nav.php:170 +msgid "Delegate Page Management" +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/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 "加" + +#: ../../mod/delegate.php:141 +msgid "No entries." +msgstr "没有项目。" + +#: ../../mod/common.php:42 +msgid "Common Friends" +msgstr "普通朋友们" + +#: ../../mod/common.php:78 +msgid "No contacts in common." +msgstr "没有共同熟人。" + +#: ../../mod/uexport.php:77 +msgid "Export account" +msgstr "出口账户" + +#: ../../mod/uexport.php:77 +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:78 +msgid "Export all" +msgstr "出口一切" + +#: ../../mod/uexport.php:78 +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/mood.php:62 ../../include/conversation.php:227 +#, php-format +msgid "%1$s is currently %2$s" +msgstr "%1$s现在是%2$s" + +#: ../../mod/mood.php:133 +msgid "Mood" +msgstr "心情" + +#: ../../mod/mood.php:134 +msgid "Set your current mood and tell your friends" +msgstr "选择现在的心情而告诉朋友们" + +#: ../../mod/suggest.php:27 +msgid "Do you really want to delete this suggestion?" +msgstr "您真的想删除这个建议吗?" + +#: ../../mod/suggest.php:68 ../../include/contact_widgets.php:35 +#: ../../view/theme/diabook/theme.php:527 +msgid "Friend Suggestions" +msgstr "友谊建议" + +#: ../../mod/suggest.php:74 +msgid "" +"No suggestions available. If this is a new site, please try again in 24 " +"hours." +msgstr "没有建议。如果这是新网站,请24小时后再试。" + +#: ../../mod/suggest.php:92 +msgid "Ignore/Hide" +msgstr "不理/隐藏" + +#: ../../mod/profiles.php:37 +msgid "Profile deleted." +msgstr "简介删除了。" + +#: ../../mod/profiles.php:55 ../../mod/profiles.php:89 +msgid "Profile-" +msgstr "简介-" + +#: ../../mod/profiles.php:74 ../../mod/profiles.php:117 +msgid "New profile created." +msgstr "创造新的简介" + +#: ../../mod/profiles.php:95 +msgid "Profile unavailable to clone." +msgstr "简介不可用为复制。" + +#: ../../mod/profiles.php:189 +msgid "Profile Name is required." +msgstr "必要简介名" + +#: ../../mod/profiles.php:340 +msgid "Marital Status" +msgstr "婚姻状况 " + +#: ../../mod/profiles.php:344 +msgid "Romantic Partner" +msgstr "情人" + +#: ../../mod/profiles.php:348 +msgid "Likes" +msgstr "喜欢" + +#: ../../mod/profiles.php:352 +msgid "Dislikes" +msgstr "不喜欢" + +#: ../../mod/profiles.php:356 +msgid "Work/Employment" +msgstr "工作" + +#: ../../mod/profiles.php:359 +msgid "Religion" +msgstr "宗教" + +#: ../../mod/profiles.php:363 +msgid "Political Views" +msgstr "政治观念" + +#: ../../mod/profiles.php:367 +msgid "Gender" +msgstr "性别" + +#: ../../mod/profiles.php:371 +msgid "Sexual Preference" +msgstr "性取向" + +#: ../../mod/profiles.php:375 +msgid "Homepage" +msgstr "主页" + +#: ../../mod/profiles.php:379 ../../mod/profiles.php:698 +msgid "Interests" +msgstr "兴趣" + +#: ../../mod/profiles.php:383 +msgid "Address" +msgstr "地址" + +#: ../../mod/profiles.php:390 ../../mod/profiles.php:694 +msgid "Location" +msgstr "位置" + +#: ../../mod/profiles.php:473 +msgid "Profile updated." +msgstr "简介更新了。" + +#: ../../mod/profiles.php:568 +msgid " and " +msgstr "和" + +#: ../../mod/profiles.php:576 +msgid "public profile" +msgstr "公开简介" + +#: ../../mod/profiles.php:579 +#, php-format +msgid "%1$s changed %2$s to “%3$s”" +msgstr "%1$s把%2$s变化成“%3$s”" + +#: ../../mod/profiles.php:580 +#, php-format +msgid " - Visit %1$s's %2$s" +msgstr " - 看 %1$s的%2$s" + +#: ../../mod/profiles.php:583 +#, php-format +msgid "%1$s has an updated %2$s, changing %3$s." +msgstr "%1$s有更新的%2$s,修改%3$s." + +#: ../../mod/profiles.php:658 +msgid "Hide contacts and friends:" +msgstr "" + +#: ../../mod/profiles.php:663 +msgid "Hide your contact/friend list from viewers of this profile?" +msgstr "藏起来发现您的熟人/朋友单不让这个简介看着看?" + +#: ../../mod/profiles.php:685 +msgid "Edit Profile Details" +msgstr "剪辑简介消息" + +#: ../../mod/profiles.php:687 +msgid "Change Profile Photo" +msgstr "改变简介照片" + +#: ../../mod/profiles.php:688 +msgid "View this profile" +msgstr "看这个简介" + +#: ../../mod/profiles.php:689 +msgid "Create a new profile using these settings" +msgstr "造成新的简介用这些设置" + +#: ../../mod/profiles.php:690 +msgid "Clone this profile" +msgstr "复制这个简介" + +#: ../../mod/profiles.php:691 +msgid "Delete this profile" +msgstr "删除这个简介" + +#: ../../mod/profiles.php:692 +msgid "Basic information" +msgstr "" + +#: ../../mod/profiles.php:693 +msgid "Profile picture" +msgstr "" + +#: ../../mod/profiles.php:695 +msgid "Preferences" +msgstr "" + +#: ../../mod/profiles.php:696 +msgid "Status information" +msgstr "" + +#: ../../mod/profiles.php:697 +msgid "Additional information" +msgstr "" + +#: ../../mod/profiles.php:700 +msgid "Profile Name:" +msgstr "简介名:" + +#: ../../mod/profiles.php:701 +msgid "Your Full Name:" +msgstr "你的全名:" + +#: ../../mod/profiles.php:702 +msgid "Title/Description:" +msgstr "标题/描述:" + +#: ../../mod/profiles.php:703 +msgid "Your Gender:" +msgstr "你的性:" + +#: ../../mod/profiles.php:704 +#, php-format +msgid "Birthday (%s):" +msgstr "生日(%s):" + +#: ../../mod/profiles.php:705 +msgid "Street Address:" +msgstr "地址:" + +#: ../../mod/profiles.php:706 +msgid "Locality/City:" +msgstr "现场/城市:" + +#: ../../mod/profiles.php:707 +msgid "Postal/Zip Code:" +msgstr "邮政编码:" + +#: ../../mod/profiles.php:708 +msgid "Country:" +msgstr "国家:" + +#: ../../mod/profiles.php:709 +msgid "Region/State:" +msgstr "区域/省" + +#: ../../mod/profiles.php:710 +msgid " Marital Status:" +msgstr "婚姻状况:" + +#: ../../mod/profiles.php:711 +msgid "Who: (if applicable)" +msgstr "谁:(要是使用)" + +#: ../../mod/profiles.php:712 +msgid "Examples: cathy123, Cathy Williams, cathy@example.com" +msgstr "比如:limou,李某,limou@example。com" + +#: ../../mod/profiles.php:713 +msgid "Since [date]:" +msgstr "追溯[日期]:" + +#: ../../mod/profiles.php:714 ../../include/profile_advanced.php:46 +msgid "Sexual Preference:" +msgstr "性取向" + +#: ../../mod/profiles.php:715 +msgid "Homepage URL:" +msgstr "主页URL:" + +#: ../../mod/profiles.php:716 ../../include/profile_advanced.php:50 +msgid "Hometown:" +msgstr "故乡:" + +#: ../../mod/profiles.php:717 ../../include/profile_advanced.php:54 +msgid "Political Views:" +msgstr "政治观念:" + +#: ../../mod/profiles.php:718 +msgid "Religious Views:" +msgstr " 宗教信仰 :" + +#: ../../mod/profiles.php:719 +msgid "Public Keywords:" +msgstr "公开关键字 :" + +#: ../../mod/profiles.php:720 +msgid "Private Keywords:" +msgstr "私人关键字" + +#: ../../mod/profiles.php:721 ../../include/profile_advanced.php:62 +msgid "Likes:" +msgstr "喜欢:" + +#: ../../mod/profiles.php:722 ../../include/profile_advanced.php:64 +msgid "Dislikes:" +msgstr "不喜欢:" + +#: ../../mod/profiles.php:723 +msgid "Example: fishing photography software" +msgstr "例如:钓鱼 照片 软件" + +#: ../../mod/profiles.php:724 +msgid "(Used for suggesting potential friends, can be seen by others)" +msgstr "(用于建议可能的朋友们,会被别人看)" + +#: ../../mod/profiles.php:725 +msgid "(Used for searching profiles, never shown to others)" +msgstr "(用于搜索简介,没有给别人看)" + +#: ../../mod/profiles.php:726 +msgid "Tell us about yourself..." +msgstr "给我们自我介绍..." + +#: ../../mod/profiles.php:727 +msgid "Hobbies/Interests" +msgstr "爱好/兴趣" + +#: ../../mod/profiles.php:728 +msgid "Contact information and Social Networks" +msgstr "熟人信息和社会化网络" + +#: ../../mod/profiles.php:729 +msgid "Musical interests" +msgstr "音乐兴趣" + +#: ../../mod/profiles.php:730 +msgid "Books, literature" +msgstr "书,文学" + +#: ../../mod/profiles.php:731 +msgid "Television" +msgstr "电视" + +#: ../../mod/profiles.php:732 +msgid "Film/dance/culture/entertainment" +msgstr "电影/跳舞/文化/娱乐" + +#: ../../mod/profiles.php:733 +msgid "Love/romance" +msgstr "爱情/浪漫" + +#: ../../mod/profiles.php:734 +msgid "Work/employment" +msgstr "工作" + +#: ../../mod/profiles.php:735 +msgid "School/education" +msgstr "学院/教育" + +#: ../../mod/profiles.php:740 +msgid "" +"This is your public profile.
    It may " +"be visible to anybody using the internet." +msgstr "这是你的公开的简介。
    可能被所有的因特网用的看到。" + +#: ../../mod/profiles.php:803 +msgid "Edit/Manage Profiles" +msgstr "编辑/管理简介" + +#: ../../mod/profiles.php:804 ../../boot.php:1611 ../../boot.php:1637 +msgid "Change profile photo" +msgstr "换简介照片" + +#: ../../mod/profiles.php:805 ../../boot.php:1612 +msgid "Create New Profile" +msgstr "创造新的简介" + +#: ../../mod/profiles.php:816 ../../boot.php:1622 +msgid "Profile Image" +msgstr "简介图像" + +#: ../../mod/profiles.php:818 ../../boot.php:1625 +msgid "visible to everybody" +msgstr "给打假可见的" + +#: ../../mod/profiles.php:819 ../../boot.php:1626 +msgid "Edit visibility" +msgstr "修改能见度" + +#: ../../mod/editpost.php:17 ../../mod/editpost.php:27 +msgid "Item not found" +msgstr "项目没找到" + +#: ../../mod/editpost.php:39 +msgid "Edit post" +msgstr "编辑文章" + +#: ../../mod/editpost.php:111 ../../include/conversation.php:1092 +msgid "upload photo" +msgstr "上传照片" + +#: ../../mod/editpost.php:112 ../../include/conversation.php:1093 +msgid "Attach file" +msgstr "附上文件" + +#: ../../mod/editpost.php:113 ../../include/conversation.php:1094 +msgid "attach file" +msgstr "附上文件" + +#: ../../mod/editpost.php:115 ../../include/conversation.php:1096 +msgid "web link" +msgstr "网页环节" + +#: ../../mod/editpost.php:116 ../../include/conversation.php:1097 +msgid "Insert video link" +msgstr "插入视频环节" + +#: ../../mod/editpost.php:117 ../../include/conversation.php:1098 +msgid "video link" +msgstr "视频环节" + +#: ../../mod/editpost.php:118 ../../include/conversation.php:1099 +msgid "Insert audio link" +msgstr "插入录音环节" + +#: ../../mod/editpost.php:119 ../../include/conversation.php:1100 +msgid "audio link" +msgstr "录音环节" + +#: ../../mod/editpost.php:120 ../../include/conversation.php:1101 +msgid "Set your location" +msgstr "设定您的位置" + +#: ../../mod/editpost.php:121 ../../include/conversation.php:1102 +msgid "set location" +msgstr "指定位置" + +#: ../../mod/editpost.php:122 ../../include/conversation.php:1103 +msgid "Clear browser location" +msgstr "清空浏览器位置" + +#: ../../mod/editpost.php:123 ../../include/conversation.php:1104 +msgid "clear location" +msgstr "清理出位置" + +#: ../../mod/editpost.php:125 ../../include/conversation.php:1110 +msgid "Permission settings" +msgstr "权设置" + +#: ../../mod/editpost.php:133 ../../include/conversation.php:1119 +msgid "CC: email addresses" +msgstr "抄送: 电子邮件地址" + +#: ../../mod/editpost.php:134 ../../include/conversation.php:1120 +msgid "Public post" +msgstr "公开的消息" + +#: ../../mod/editpost.php:137 ../../include/conversation.php:1106 +msgid "Set title" +msgstr "指定标题" + +#: ../../mod/editpost.php:139 ../../include/conversation.php:1108 +msgid "Categories (comma-separated list)" +msgstr "种类(逗号分隔单)" + +#: ../../mod/editpost.php:140 ../../include/conversation.php:1122 +msgid "Example: bob@example.com, mary@example.com" +msgstr "比如: li@example.com, wang@example.com" + +#: ../../mod/friendica.php:59 +msgid "This is Friendica, version" +msgstr "这是Friendica,版本" + +#: ../../mod/friendica.php:60 +msgid "running at web location" +msgstr "运作再网址" + +#: ../../mod/friendica.php:62 +msgid "" +"Please visit Friendica.com to learn " +"more about the Friendica project." +msgstr "请看Friendica.com发现多关于Friendica工程。" + +#: ../../mod/friendica.php:64 +msgid "Bug reports and issues: please visit" +msgstr "问题报案:请去" + +#: ../../mod/friendica.php:65 +msgid "" +"Suggestions, praise, donations, etc. - please email \"Info\" at Friendica - " +"dot com" +msgstr "建议,夸奖,捐赠,等-请发邮件到「 Info」在Friendica点com" + +#: ../../mod/friendica.php:79 +msgid "Installed plugins/addons/apps:" +msgstr "安装的插件/加件/应用:" + +#: ../../mod/friendica.php:92 +msgid "No installed plugins/addons/apps" +msgstr "没有安装的插件/应用" + +#: ../../mod/api.php:76 ../../mod/api.php:102 +msgid "Authorize application connection" +msgstr "授权应用连接" + +#: ../../mod/api.php:77 +msgid "Return to your app and insert this Securty Code:" +msgstr "回归您的应用和输入这个安全密码:" + +#: ../../mod/api.php:89 +msgid "Please login to continue." +msgstr "请登记为继续。" + +#: ../../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 "您想不想使这个应用用权您的文章和熟人,和/或代您造成新文章" + +#: ../../mod/lockview.php:31 ../../mod/lockview.php:39 +msgid "Remote privacy information not available." +msgstr "摇隐私信息无效" + +#: ../../mod/lockview.php:48 +msgid "Visible to:" +msgstr "可见给:" + +#: ../../mod/notes.php:44 ../../boot.php:2150 +msgid "Personal Notes" +msgstr "私人便条" + +#: ../../mod/localtime.php:12 ../../include/bb2diaspora.php:148 +#: ../../include/event.php:11 +msgid "l F d, Y \\@ g:i A" +msgstr "l F d, Y \\@ g:i A" + #: ../../mod/localtime.php:24 msgid "Time Conversion" msgstr "时间装换" @@ -7686,3 +5162,2699 @@ msgstr "装换的当地时间:%s" #: ../../mod/localtime.php:41 msgid "Please select your timezone:" 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/invite.php:27 +msgid "Total invitation limit exceeded." +msgstr "邀请限超过了。" + +#: ../../mod/invite.php:49 +#, php-format +msgid "%s : Not a valid email address." +msgstr "%s : 不是效的电子邮件地址." + +#: ../../mod/invite.php:73 +msgid "Please join us on Friendica" +msgstr "请加入我们再Friendica" + +#: ../../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 : 送消息失败了。" + +#: ../../mod/invite.php:93 +#, php-format +msgid "%d message sent." +msgid_plural "%d messages sent." +msgstr[0] "%d消息传送了。" + +#: ../../mod/invite.php:112 +msgid "You have no more invitations available" +msgstr "您没有别的邀请" + +#: ../../mod/invite.php:120 +#, 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:122 +#, 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:123 +#, 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: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 "发请柬" + +#: ../../mod/invite.php:133 +msgid "Enter email addresses, one per line:" +msgstr "输入电子邮件地址,一行一个:" + +#: ../../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 "您被邀请跟我和彼得近朋友们再Friendica加入-和帮助我们造成更好的社会网络。" + +#: ../../mod/invite.php:137 +msgid "You will need to supply this invitation code: $invite_code" +msgstr "您要输入这个邀请密码:$invite_code" + +#: ../../mod/invite.php:137 +msgid "" +"Once you have registered, please connect with me via my profile page at:" +msgstr "您一注册,请页跟我连接,用我的简介在:" + +#: ../../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 "看别的信息由于Friendica工程和怎么我们看重,请看http://friendica.com" + +#: ../../mod/photos.php:52 ../../boot.php:2129 +msgid "Photo Albums" +msgstr "相册" + +#: ../../mod/photos.php:60 ../../mod/photos.php:155 ../../mod/photos.php:1064 +#: ../../mod/photos.php:1187 ../../mod/photos.php:1210 +#: ../../mod/photos.php:1760 ../../mod/photos.php:1772 +#: ../../view/theme/diabook/theme.php:499 +msgid "Contact Photos" +msgstr "熟人照片" + +#: ../../mod/photos.php:67 ../../mod/photos.php:1262 ../../mod/photos.php:1819 +msgid "Upload New Photos" +msgstr "上传新照片" + +#: ../../mod/photos.php:144 +msgid "Contact information unavailable" +msgstr "熟人信息不可用" + +#: ../../mod/photos.php:165 +msgid "Album not found." +msgstr "取回不了相册." + +#: ../../mod/photos.php:188 ../../mod/photos.php:200 ../../mod/photos.php:1204 +msgid "Delete Album" +msgstr "删除相册" + +#: ../../mod/photos.php:198 +msgid "Do you really want to delete this photo album and all its photos?" +msgstr "您真的想删除这个相册和所有里面的照相吗?" + +#: ../../mod/photos.php:278 ../../mod/photos.php:289 ../../mod/photos.php:1515 +msgid "Delete Photo" +msgstr "删除照片" + +#: ../../mod/photos.php:287 +msgid "Do you really want to delete this photo?" +msgstr "您真的想删除这个照相吗?" + +#: ../../mod/photos.php:662 +#, php-format +msgid "%1$s was tagged in %2$s by %3$s" +msgstr "%1$s被%3$s标签在%2$s" + +#: ../../mod/photos.php:662 +msgid "a photo" +msgstr "一张照片" + +#: ../../mod/photos.php:767 +msgid "Image exceeds size limit of " +msgstr "图片超出最大尺寸" + +#: ../../mod/photos.php:775 +msgid "Image file is empty." +msgstr "图片文件空的。" + +#: ../../mod/photos.php:930 +msgid "No photos selected" +msgstr "没有照片挑选了" + +#: ../../mod/photos.php:1094 +#, php-format +msgid "You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage." +msgstr "您用%2$.2f兆字节的%1$.2f兆字节照片存储。" + +#: ../../mod/photos.php:1129 +msgid "Upload Photos" +msgstr "上传照片" + +#: ../../mod/photos.php:1133 ../../mod/photos.php:1199 +msgid "New album name: " +msgstr "新册名:" + +#: ../../mod/photos.php:1134 +msgid "or existing album name: " +msgstr "或现有册名" + +#: ../../mod/photos.php:1135 +msgid "Do not show a status post for this upload" +msgstr "别显示现状报到关于这个上传" + +#: ../../mod/photos.php:1137 ../../mod/photos.php:1510 +msgid "Permissions" +msgstr "权利" + +#: ../../mod/photos.php:1148 +msgid "Private Photo" +msgstr "私人照相" + +#: ../../mod/photos.php:1149 +msgid "Public Photo" +msgstr "公开照相" + +#: ../../mod/photos.php:1212 +msgid "Edit Album" +msgstr "编照片册" + +#: ../../mod/photos.php:1218 +msgid "Show Newest First" +msgstr "先表示最新的" + +#: ../../mod/photos.php:1220 +msgid "Show Oldest First" +msgstr "先表示最老的" + +#: ../../mod/photos.php:1248 ../../mod/photos.php:1802 +msgid "View Photo" +msgstr "看照片" + +#: ../../mod/photos.php:1294 +msgid "Permission denied. Access to this item may be restricted." +msgstr "无权利。用这个项目可能受限制。" + +#: ../../mod/photos.php:1296 +msgid "Photo not available" +msgstr "照片不可获得的 " + +#: ../../mod/photos.php:1352 +msgid "View photo" +msgstr "看照片" + +#: ../../mod/photos.php:1352 +msgid "Edit photo" +msgstr "编辑照片" + +#: ../../mod/photos.php:1353 +msgid "Use as profile photo" +msgstr "用为资料图" + +#: ../../mod/photos.php:1378 +msgid "View Full Size" +msgstr "看全尺寸" + +#: ../../mod/photos.php:1457 +msgid "Tags: " +msgstr "标签:" + +#: ../../mod/photos.php:1460 +msgid "[Remove any tag]" +msgstr "[删除任何标签]" + +#: ../../mod/photos.php:1500 +msgid "Rotate CW (right)" +msgstr "顺时针地转动(左)" + +#: ../../mod/photos.php:1501 +msgid "Rotate CCW (left)" +msgstr "反顺时针地转动(右)" + +#: ../../mod/photos.php:1503 +msgid "New album name" +msgstr "新册名" + +#: ../../mod/photos.php:1506 +msgid "Caption" +msgstr "字幕" + +#: ../../mod/photos.php:1508 +msgid "Add a Tag" +msgstr "加标签" + +#: ../../mod/photos.php:1512 +msgid "" +"Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping" +msgstr "例子:@zhang, @Zhang_San, @li@example.com, #Beijing, #ktv" + +#: ../../mod/photos.php:1521 +msgid "Private photo" +msgstr "私人照相" + +#: ../../mod/photos.php:1522 +msgid "Public photo" +msgstr "公开照相" + +#: ../../mod/photos.php:1544 ../../include/conversation.php:1090 +msgid "Share" +msgstr "分享" + +#: ../../mod/photos.php:1817 +msgid "Recent Photos" +msgstr "最近的照片" + +#: ../../mod/regmod.php:55 +msgid "Account approved." +msgstr "账户批准了" + +#: ../../mod/regmod.php:92 +#, php-format +msgid "Registration revoked for %s" +msgstr "%s的登记撤销了" + +#: ../../mod/regmod.php:104 +msgid "Please login." +msgstr "清登录。" + +#: ../../mod/uimport.php:66 +msgid "Move account" +msgstr "把账户搬出" + +#: ../../mod/uimport.php:67 +msgid "You can import an account from another Friendica server." +msgstr "您会从别的Friendica服务器进口账户" + +#: ../../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 (statusnet/identi.ca) or from Diaspora" +msgstr "这个特点是在试验阶段。我们进口不了Ostatus网络(statusnet/identi.ca)或Diaspora熟人" + +#: ../../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/attach.php:8 +msgid "Item not available." +msgstr "项目不可用的" + +#: ../../mod/attach.php:20 +msgid "Item was not found." +msgstr "找不到项目。" + +#: ../../boot.php:749 +msgid "Delete this item?" +msgstr "删除这个项目?" + +#: ../../boot.php:752 +msgid "show fewer" +msgstr "显示更小" + +#: ../../boot.php:1122 +#, php-format +msgid "Update %s failed. See error logs." +msgstr "更新%s美通过。看错误记录。" + +#: ../../boot.php:1240 +msgid "Create a New Account" +msgstr "创造新的账户" + +#: ../../boot.php:1265 ../../include/nav.php:73 +msgid "Logout" +msgstr "注销" + +#: ../../boot.php:1268 +msgid "Nickname or Email address: " +msgstr "绰号或电子邮件地址: " + +#: ../../boot.php:1269 +msgid "Password: " +msgstr "密码: " + +#: ../../boot.php:1270 +msgid "Remember me" +msgstr "记住我" + +#: ../../boot.php:1273 +msgid "Or login using OpenID: " +msgstr "或者用OpenID登记:" + +#: ../../boot.php:1279 +msgid "Forgot your password?" +msgstr "忘记你的密码吗?" + +#: ../../boot.php:1282 +msgid "Website Terms of Service" +msgstr "网站的各项规定" + +#: ../../boot.php:1283 +msgid "terms of service" +msgstr "各项规定" + +#: ../../boot.php:1285 +msgid "Website Privacy Policy" +msgstr "网站隐私政策" + +#: ../../boot.php:1286 +msgid "privacy policy" +msgstr "隐私政策" + +#: ../../boot.php:1419 +msgid "Requested account is not available." +msgstr "要求的账户不可用。" + +#: ../../boot.php:1501 ../../boot.php:1635 +#: ../../include/profile_advanced.php:84 +msgid "Edit profile" +msgstr "修改简介" + +#: ../../boot.php:1600 +msgid "Message" +msgstr "通知" + +#: ../../boot.php:1606 ../../include/nav.php:175 +msgid "Profiles" +msgstr "简介" + +#: ../../boot.php:1606 +msgid "Manage/edit profiles" +msgstr "管理/修改简介" + +#: ../../boot.php:1706 +msgid "Network:" +msgstr "网络" + +#: ../../boot.php:1736 ../../boot.php:1822 +msgid "g A l F d" +msgstr "g A l d F" + +#: ../../boot.php:1737 ../../boot.php:1823 +msgid "F d" +msgstr "F d" + +#: ../../boot.php:1782 ../../boot.php:1863 +msgid "[today]" +msgstr "[今天]" + +#: ../../boot.php:1794 +msgid "Birthday Reminders" +msgstr "提醒生日" + +#: ../../boot.php:1795 +msgid "Birthdays this week:" +msgstr "这周的生日:" + +#: ../../boot.php:1856 +msgid "[No description]" +msgstr "[无描述]" + +#: ../../boot.php:1874 +msgid "Event Reminders" +msgstr "事件提醒" + +#: ../../boot.php:1875 +msgid "Events this week:" +msgstr "这周的事件:" + +#: ../../boot.php:2112 ../../include/nav.php:76 +msgid "Status" +msgstr "现状" + +#: ../../boot.php:2115 +msgid "Status Messages and Posts" +msgstr "现状通知和文章" + +#: ../../boot.php:2122 +msgid "Profile Details" +msgstr "简介内容" + +#: ../../boot.php:2133 ../../boot.php:2136 ../../include/nav.php:79 +msgid "Videos" +msgstr "视频" + +#: ../../boot.php:2146 +msgid "Events and Calendar" +msgstr "项目和日历" + +#: ../../boot.php:2153 +msgid "Only You Can See This" +msgstr "只您许看这个" + +#: ../../object/Item.php:94 +msgid "This entry was edited" +msgstr "这个文章被编辑了" + +#: ../../object/Item.php:208 +msgid "ignore thread" +msgstr "忽视主题" + +#: ../../object/Item.php:209 +msgid "unignore thread" +msgstr "别忽视主题" + +#: ../../object/Item.php:210 +msgid "toggle ignore status" +msgstr "切换忽视状态" + +#: ../../object/Item.php:213 +msgid "ignored" +msgstr "忽视" + +#: ../../object/Item.php:316 ../../include/conversation.php:666 +msgid "Categories:" +msgstr "种类:" + +#: ../../object/Item.php:317 ../../include/conversation.php:667 +msgid "Filed under:" +msgstr "归档在:" + +#: ../../object/Item.php:329 +msgid "via" +msgstr "经过" + +#: ../../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:162 +msgid "Errors encountered creating database tables." +msgstr "造成数据库列表相遇错误。" + +#: ../../include/dbstructure.php:220 +msgid "Errors encountered performing database changes." +msgstr "" + +#: ../../include/auth.php:38 +msgid "Logged out." +msgstr "注销了" + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "" +"We encountered a problem while logging in with the OpenID you provided. " +"Please check the correct spelling of the ID." +msgstr "我们用您输入的OpenID登录的时候碰到问题。请核实拼法是对的。" + +#: ../../include/auth.php:128 ../../include/user.php:67 +msgid "The error message was:" +msgstr "错误通知是:" + +#: ../../include/contact_widgets.php:6 +msgid "Add New Contact" +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 "比如:li@example.com, http://example.com/li" + +#: ../../include/contact_widgets.php:24 +#, php-format +msgid "%d invitation available" +msgid_plural "%d invitations available" +msgstr[0] "%d邀请可用的" + +#: ../../include/contact_widgets.php:30 +msgid "Find People" +msgstr "找人物" + +#: ../../include/contact_widgets.php:31 +msgid "Enter name or interest" +msgstr "输入名字或兴趣" + +#: ../../include/contact_widgets.php:32 +msgid "Connect/Follow" +msgstr "连接/关注" + +#: ../../include/contact_widgets.php:33 +msgid "Examples: Robert Morgenstein, Fishing" +msgstr "比如:李某,打鱼" + +#: ../../include/contact_widgets.php:36 ../../view/theme/diabook/theme.php:526 +msgid "Similar Interests" +msgstr "相似兴趣" + +#: ../../include/contact_widgets.php:37 +msgid "Random Profile" +msgstr "随机简介" + +#: ../../include/contact_widgets.php:38 ../../view/theme/diabook/theme.php:528 +msgid "Invite Friends" +msgstr "邀请朋友们" + +#: ../../include/contact_widgets.php:71 +msgid "Networks" +msgstr "网络" + +#: ../../include/contact_widgets.php:74 +msgid "All Networks" +msgstr "所有网络" + +#: ../../include/contact_widgets.php:104 ../../include/features.php:60 +msgid "Saved Folders" +msgstr "保存的文件夹" + +#: ../../include/contact_widgets.php:107 ../../include/contact_widgets.php:139 +msgid "Everything" +msgstr "一切" + +#: ../../include/contact_widgets.php:136 +msgid "Categories" +msgstr "种类" + +#: ../../include/features.php:23 +msgid "General Features" +msgstr "总的特点" + +#: ../../include/features.php:25 +msgid "Multiple Profiles" +msgstr "多简介" + +#: ../../include/features.php:25 +msgid "Ability to create multiple profiles" +msgstr "能穿凿多简介" + +#: ../../include/features.php:30 +msgid "Post Composition Features" +msgstr "写文章特点" + +#: ../../include/features.php:31 +msgid "Richtext Editor" +msgstr "富文本格式编辑" + +#: ../../include/features.php:31 +msgid "Enable richtext editor" +msgstr "使富文本格式编辑可用" + +#: ../../include/features.php:32 +msgid "Post Preview" +msgstr "文章预演" + +#: ../../include/features.php:32 +msgid "Allow previewing posts and comments before publishing them" +msgstr "允许文章和评论出版前预演" + +#: ../../include/features.php:33 +msgid "Auto-mention Forums" +msgstr "自动提示论坛" + +#: ../../include/features.php:33 +msgid "" +"Add/remove mention when a fourm page is selected/deselected in ACL window." +msgstr "添加/删除提示论坛页选择/淘汰在ACL窗户的时候。" + +#: ../../include/features.php:38 +msgid "Network Sidebar Widgets" +msgstr "网络工具栏小窗口" + +#: ../../include/features.php:39 +msgid "Search by Date" +msgstr "按日期搜索" + +#: ../../include/features.php:39 +msgid "Ability to select posts by date ranges" +msgstr "能按时期范围选择文章" + +#: ../../include/features.php:40 +msgid "Group Filter" +msgstr "组滤器" + +#: ../../include/features.php:40 +msgid "Enable widget to display Network posts only from selected group" +msgstr "使光表示网络文章从选择的组小窗口" + +#: ../../include/features.php:41 +msgid "Network Filter" +msgstr "网络滤器" + +#: ../../include/features.php:41 +msgid "Enable widget to display Network posts only from selected network" +msgstr "使光表示网络文章从选择的网络小窗口" + +#: ../../include/features.php:42 +msgid "Save search terms for re-use" +msgstr "保存搜索关键为再用" + +#: ../../include/features.php:47 +msgid "Network Tabs" +msgstr "网络分页" + +#: ../../include/features.php:48 +msgid "Network Personal Tab" +msgstr "网络私人分页" + +#: ../../include/features.php:48 +msgid "Enable tab to display only Network posts that you've interacted on" +msgstr "使表示光网络文章您参加了分页可用" + +#: ../../include/features.php:49 +msgid "Network New Tab" +msgstr "网络新分页" + +#: ../../include/features.php:49 +msgid "Enable tab to display only new Network posts (from the last 12 hours)" +msgstr "使表示光网络文章在12小时内分页可用" + +#: ../../include/features.php:50 +msgid "Network Shared Links Tab" +msgstr "网络分享链接分页" + +#: ../../include/features.php:50 +msgid "Enable tab to display only Network posts with links in them" +msgstr "使表示光网络文章包括链接分页可用" + +#: ../../include/features.php:55 +msgid "Post/Comment Tools" +msgstr "文章/评论工具" + +#: ../../include/features.php:56 +msgid "Multiple Deletion" +msgstr "多删除" + +#: ../../include/features.php:56 +msgid "Select and delete multiple posts/comments at once" +msgstr "选择和删除多文章/评论一次" + +#: ../../include/features.php:57 +msgid "Edit Sent Posts" +msgstr "编辑发送的文章" + +#: ../../include/features.php:57 +msgid "Edit and correct posts and comments after sending" +msgstr "编辑或修改文章和评论发送后" + +#: ../../include/features.php:58 +msgid "Tagging" +msgstr "标签" + +#: ../../include/features.php:58 +msgid "Ability to tag existing posts" +msgstr "能把目前的文章标签" + +#: ../../include/features.php:59 +msgid "Post Categories" +msgstr "文章种类" + +#: ../../include/features.php:59 +msgid "Add categories to your posts" +msgstr "加入种类给您的文章" + +#: ../../include/features.php:60 +msgid "Ability to file posts under folders" +msgstr "能把文章归档在文件夹 " + +#: ../../include/features.php:61 +msgid "Dislike Posts" +msgstr "不喜欢文章" + +#: ../../include/features.php:61 +msgid "Ability to dislike posts/comments" +msgstr "能不喜欢文章/评论" + +#: ../../include/features.php:62 +msgid "Star Posts" +msgstr "文章星" + +#: ../../include/features.php:62 +msgid "Ability to mark special posts with a star indicator" +msgstr "能把优秀文章跟星标注" + +#: ../../include/features.php:63 +msgid "Mute Post Notifications" +msgstr "" + +#: ../../include/features.php:63 +msgid "Ability to mute notifications for a thread" +msgstr "" + +#: ../../include/follow.php:32 +msgid "Connect URL missing." +msgstr "连接URL失踪的。" + +#: ../../include/follow.php:59 +msgid "" +"This site is not configured to allow communications with other networks." +msgstr "这网站没配置允许跟别的网络交流." + +#: ../../include/follow.php:60 ../../include/follow.php:80 +msgid "No compatible communication protocols or feeds were discovered." +msgstr "没有兼容协议或者摘要找到了." + +#: ../../include/follow.php:78 +msgid "The profile address specified does not provide adequate information." +msgstr "输入的简介地址没有够消息。" + +#: ../../include/follow.php:82 +msgid "An author or name was not found." +msgstr "找不到作者或名。" + +#: ../../include/follow.php:84 +msgid "No browser URL could be matched to this address." +msgstr "这个地址没有符合什么游览器URL。" + +#: ../../include/follow.php:86 +msgid "" +"Unable to match @-style Identity Address with a known protocol or email " +"contact." +msgstr "使不了知道的相配或邮件熟人相配 " + +#: ../../include/follow.php:87 +msgid "Use mailto: in front of address to force email check." +msgstr "输入mailto:地址前为要求电子邮件检查。" + +#: ../../include/follow.php:93 +msgid "" +"The profile address specified belongs to a network which has been disabled " +"on this site." +msgstr "输入的简介地址属在这个网站使不可用的网络。" + +#: ../../include/follow.php:103 +msgid "" +"Limited profile. This person will be unable to receive direct/personal " +"notifications from you." +msgstr "有限的简介。这人不会接受直达/私人通信从您。" + +#: ../../include/follow.php:205 +msgid "Unable to retrieve contact information." +msgstr "不能取回熟人消息。" + +#: ../../include/follow.php:258 +msgid "following" +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:207 +msgid "Default privacy group for new contacts" +msgstr "默认隐私组为新熟人" + +#: ../../include/group.php:226 +msgid "Everybody" +msgstr "每人" + +#: ../../include/group.php:249 +msgid "edit" +msgstr "编辑" + +#: ../../include/group.php:271 +msgid "Edit group" +msgstr "编辑组" + +#: ../../include/group.php:272 +msgid "Create a new group" +msgstr "创造新组" + +#: ../../include/group.php:273 +msgid "Contacts not in any group" +msgstr "熟人没有组" + +#: ../../include/datetime.php:43 ../../include/datetime.php:45 +msgid "Miscellaneous" +msgstr "形形色色" + +#: ../../include/datetime.php:153 ../../include/datetime.php:290 +msgid "year" +msgstr "年" + +#: ../../include/datetime.php:158 ../../include/datetime.php:291 +msgid "month" +msgstr "月" + +#: ../../include/datetime.php:163 ../../include/datetime.php:293 +msgid "day" +msgstr "日" + +#: ../../include/datetime.php:276 +msgid "never" +msgstr "从未" + +#: ../../include/datetime.php:282 +msgid "less than a second ago" +msgstr "一秒以内" + +#: ../../include/datetime.php:290 +msgid "years" +msgstr "年" + +#: ../../include/datetime.php:291 +msgid "months" +msgstr "月" + +#: ../../include/datetime.php:292 +msgid "week" +msgstr "星期" + +#: ../../include/datetime.php:292 +msgid "weeks" +msgstr "星期" + +#: ../../include/datetime.php:293 +msgid "days" +msgstr "天" + +#: ../../include/datetime.php:294 +msgid "hour" +msgstr "小时" + +#: ../../include/datetime.php:294 +msgid "hours" +msgstr "小时" + +#: ../../include/datetime.php:295 +msgid "minute" +msgstr "分钟" + +#: ../../include/datetime.php:295 +msgid "minutes" +msgstr "分钟" + +#: ../../include/datetime.php:296 +msgid "second" +msgstr "秒" + +#: ../../include/datetime.php:296 +msgid "seconds" +msgstr "秒" + +#: ../../include/datetime.php:305 +#, php-format +msgid "%1$d %2$s ago" +msgstr "%1$d %2$s以前" + +#: ../../include/datetime.php:477 ../../include/items.php:2211 +#, php-format +msgid "%s's birthday" +msgstr "%s的生日" + +#: ../../include/datetime.php:478 ../../include/items.php:2212 +#, php-format +msgid "Happy Birthday %s" +msgstr "生日快乐%s" + +#: ../../include/acl_selectors.php:333 +msgid "Visible to everybody" +msgstr "任何人可见的" + +#: ../../include/acl_selectors.php:334 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "show" +msgstr "著" + +#: ../../include/acl_selectors.php:335 ../../view/theme/diabook/config.php:142 +#: ../../view/theme/diabook/theme.php:621 +msgid "don't show" +msgstr "别著" + +#: ../../include/message.php:15 ../../include/message.php:172 +msgid "[no subject]" +msgstr "[无题目]" + +#: ../../include/Contact.php:115 +msgid "stopped following" +msgstr "结束关注了" + +#: ../../include/Contact.php:228 ../../include/conversation.php:882 +msgid "Poke" +msgstr "戳" + +#: ../../include/Contact.php:229 ../../include/conversation.php:876 +msgid "View Status" +msgstr "看现状" + +#: ../../include/Contact.php:230 ../../include/conversation.php:877 +msgid "View Profile" +msgstr "看简介" + +#: ../../include/Contact.php:231 ../../include/conversation.php:878 +msgid "View Photos" +msgstr "看照片" + +#: ../../include/Contact.php:232 ../../include/Contact.php:255 +#: ../../include/conversation.php:879 +msgid "Network Posts" +msgstr "网络文章" + +#: ../../include/Contact.php:233 ../../include/Contact.php:255 +#: ../../include/conversation.php:880 +msgid "Edit Contact" +msgstr "编辑熟人" + +#: ../../include/Contact.php:234 +msgid "Drop Contact" +msgstr "删除熟人" + +#: ../../include/Contact.php:235 ../../include/Contact.php:255 +#: ../../include/conversation.php:881 +msgid "Send PM" +msgstr "法私人的新闻" + +#: ../../include/security.php:22 +msgid "Welcome " +msgstr "欢迎" + +#: ../../include/security.php:23 +msgid "Please upload a profile photo." +msgstr "请上传一张简介照片" + +#: ../../include/security.php:26 +msgid "Welcome back " +msgstr "欢迎归来" + +#: ../../include/security.php:366 +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/conversation.php:118 ../../include/conversation.php:246 +#: ../../include/text.php:1966 ../../view/theme/diabook/theme.php:463 +msgid "event" +msgstr "项目" + +#: ../../include/conversation.php:207 +#, php-format +msgid "%1$s poked %2$s" +msgstr "%1$s把%2$s戳" + +#: ../../include/conversation.php:211 ../../include/text.php:1005 +msgid "poked" +msgstr "戳了" + +#: ../../include/conversation.php:291 +msgid "post/item" +msgstr "文章/项目" + +#: ../../include/conversation.php:292 +#, php-format +msgid "%1$s marked %2$s's %3$s as favorite" +msgstr "%1$s标注%2$s的%3$s为偏爱" + +#: ../../include/conversation.php:772 +msgid "remove" +msgstr "删除" + +#: ../../include/conversation.php:776 +msgid "Delete Selected Items" +msgstr "删除选的项目" + +#: ../../include/conversation.php:875 +msgid "Follow Thread" +msgstr "关注线绳" + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s likes this." +msgstr "%s喜欢这个." + +#: ../../include/conversation.php:944 +#, php-format +msgid "%s doesn't like this." +msgstr "%s没有喜欢这个." + +#: ../../include/conversation.php:949 +#, php-format +msgid "%2$d people like this" +msgstr "%2$d人们喜欢这个" + +#: ../../include/conversation.php:952 +#, php-format +msgid "%2$d people don't like this" +msgstr "%2$d人们不喜欢这个" + +#: ../../include/conversation.php:966 +msgid "and" +msgstr "和" + +#: ../../include/conversation.php:972 +#, php-format +msgid ", and %d other people" +msgstr ",和%d别人" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s like this." +msgstr "%s喜欢这个" + +#: ../../include/conversation.php:974 +#, php-format +msgid "%s don't like this." +msgstr "%s不喜欢这个" + +#: ../../include/conversation.php:1001 ../../include/conversation.php:1019 +msgid "Visible to everybody" +msgstr "大家可见的" + +#: ../../include/conversation.php:1003 ../../include/conversation.php:1021 +msgid "Please enter a video link/URL:" +msgstr "请输入视频连接/URL:" + +#: ../../include/conversation.php:1004 ../../include/conversation.php:1022 +msgid "Please enter an audio link/URL:" +msgstr "请输入音响连接/URL:" + +#: ../../include/conversation.php:1005 ../../include/conversation.php:1023 +msgid "Tag term:" +msgstr "标签:" + +#: ../../include/conversation.php:1007 ../../include/conversation.php:1025 +msgid "Where are you right now?" +msgstr "你在哪里?" + +#: ../../include/conversation.php:1008 +msgid "Delete item(s)?" +msgstr "把项目删除吗?" + +#: ../../include/conversation.php:1051 +msgid "Post to Email" +msgstr "电邮发布" + +#: ../../include/conversation.php:1056 +#, php-format +msgid "Connectors disabled, since \"%s\" is enabled." +msgstr "连接器已停用,因为\"%s\"启用。" + +#: ../../include/conversation.php:1111 +msgid "permissions" +msgstr "权利" + +#: ../../include/conversation.php:1135 +msgid "Post to Groups" +msgstr "发到组" + +#: ../../include/conversation.php:1136 +msgid "Post to Contacts" +msgstr "发到熟人" + +#: ../../include/conversation.php:1137 +msgid "Private post" +msgstr "私人文章" + +#: ../../include/network.php:895 +msgid "view full size" +msgstr "看全尺寸" + +#: ../../include/text.php:297 +msgid "newer" +msgstr "更新" + +#: ../../include/text.php:299 +msgid "older" +msgstr "更旧" + +#: ../../include/text.php:304 +msgid "prev" +msgstr "上个" + +#: ../../include/text.php:306 +msgid "first" +msgstr "首先" + +#: ../../include/text.php:338 +msgid "last" +msgstr "最后" + +#: ../../include/text.php:341 +msgid "next" +msgstr "下个" + +#: ../../include/text.php:855 +msgid "No contacts" +msgstr "没有熟人" + +#: ../../include/text.php:864 +#, php-format +msgid "%d Contact" +msgid_plural "%d Contacts" +msgstr[0] "%d熟人" + +#: ../../include/text.php:1005 +msgid "poke" +msgstr "戳" + +#: ../../include/text.php:1006 +msgid "ping" +msgstr "砰" + +#: ../../include/text.php:1006 +msgid "pinged" +msgstr "砰了" + +#: ../../include/text.php:1007 +msgid "prod" +msgstr "柔戳" + +#: ../../include/text.php:1007 +msgid "prodded" +msgstr "柔戳了" + +#: ../../include/text.php:1008 +msgid "slap" +msgstr "掌击" + +#: ../../include/text.php:1008 +msgid "slapped" +msgstr "掌击了" + +#: ../../include/text.php:1009 +msgid "finger" +msgstr "指" + +#: ../../include/text.php:1009 +msgid "fingered" +msgstr "指了" + +#: ../../include/text.php:1010 +msgid "rebuff" +msgstr "窝脖儿" + +#: ../../include/text.php:1010 +msgid "rebuffed" +msgstr "窝脖儿了" + +#: ../../include/text.php:1024 +msgid "happy" +msgstr "开心" + +#: ../../include/text.php:1025 +msgid "sad" +msgstr "伤心" + +#: ../../include/text.php:1026 +msgid "mellow" +msgstr "轻松" + +#: ../../include/text.php:1027 +msgid "tired" +msgstr "累" + +#: ../../include/text.php:1028 +msgid "perky" +msgstr "机敏" + +#: ../../include/text.php:1029 +msgid "angry" +msgstr "生气" + +#: ../../include/text.php:1030 +msgid "stupified" +msgstr "麻醉" + +#: ../../include/text.php:1031 +msgid "puzzled" +msgstr "纳闷" + +#: ../../include/text.php:1032 +msgid "interested" +msgstr "有兴趣" + +#: ../../include/text.php:1033 +msgid "bitter" +msgstr "苦" + +#: ../../include/text.php:1034 +msgid "cheerful" +msgstr "快乐" + +#: ../../include/text.php:1035 +msgid "alive" +msgstr "活着" + +#: ../../include/text.php:1036 +msgid "annoyed" +msgstr "被烦恼" + +#: ../../include/text.php:1037 +msgid "anxious" +msgstr "心焦" + +#: ../../include/text.php:1038 +msgid "cranky" +msgstr "不稳" + +#: ../../include/text.php:1039 +msgid "disturbed" +msgstr "不安" + +#: ../../include/text.php:1040 +msgid "frustrated" +msgstr "被作梗" + +#: ../../include/text.php:1041 +msgid "motivated" +msgstr "士气高涨" + +#: ../../include/text.php:1042 +msgid "relaxed" +msgstr "轻松" + +#: ../../include/text.php:1043 +msgid "surprised" +msgstr "诧异" + +#: ../../include/text.php:1213 +msgid "Monday" +msgstr "星期一" + +#: ../../include/text.php:1213 +msgid "Tuesday" +msgstr "星期二" + +#: ../../include/text.php:1213 +msgid "Wednesday" +msgstr "星期三" + +#: ../../include/text.php:1213 +msgid "Thursday" +msgstr "星期四" + +#: ../../include/text.php:1213 +msgid "Friday" +msgstr "星期五" + +#: ../../include/text.php:1213 +msgid "Saturday" +msgstr "星期六" + +#: ../../include/text.php:1213 +msgid "Sunday" +msgstr "星期天" + +#: ../../include/text.php:1217 +msgid "January" +msgstr "一月" + +#: ../../include/text.php:1217 +msgid "February" +msgstr "二月" + +#: ../../include/text.php:1217 +msgid "March" +msgstr "三月" + +#: ../../include/text.php:1217 +msgid "April" +msgstr "四月" + +#: ../../include/text.php:1217 +msgid "May" +msgstr "五月" + +#: ../../include/text.php:1217 +msgid "June" +msgstr "六月" + +#: ../../include/text.php:1217 +msgid "July" +msgstr "七月" + +#: ../../include/text.php:1217 +msgid "August" +msgstr "八月" + +#: ../../include/text.php:1217 +msgid "September" +msgstr "九月" + +#: ../../include/text.php:1217 +msgid "October" +msgstr "十月" + +#: ../../include/text.php:1217 +msgid "November" +msgstr "十一月" + +#: ../../include/text.php:1217 +msgid "December" +msgstr "十二月" + +#: ../../include/text.php:1437 +msgid "bytes" +msgstr "字节" + +#: ../../include/text.php:1461 ../../include/text.php:1473 +msgid "Click to open/close" +msgstr "点击为开关" + +#: ../../include/text.php:1702 ../../include/user.php:247 +#: ../../view/theme/duepuntozero/config.php:44 +msgid "default" +msgstr "默认" + +#: ../../include/text.php:1714 +msgid "Select an alternate language" +msgstr "选择别的语言" + +#: ../../include/text.php:1970 +msgid "activity" +msgstr "活动" + +#: ../../include/text.php:1973 +msgid "post" +msgstr "文章" + +#: ../../include/text.php:2141 +msgid "Item filed" +msgstr "把项目归档了" + +#: ../../include/bbcode.php:428 ../../include/bbcode.php:1047 +#: ../../include/bbcode.php:1048 +msgid "Image/photo" +msgstr "图像/照片" + +#: ../../include/bbcode.php:528 +#, php-format +msgid "%2$s %3$s" +msgstr "" + +#: ../../include/bbcode.php:562 +#, php-format +msgid "" +"%s wrote the following post" +msgstr "%s写了下面的消息" + +#: ../../include/bbcode.php:1011 ../../include/bbcode.php:1031 +msgid "$1 wrote:" +msgstr "$1写:" + +#: ../../include/bbcode.php:1056 ../../include/bbcode.php:1057 +msgid "Encrypted content" +msgstr "加密的内容" + +#: ../../include/notifier.php:786 ../../include/delivery.php:456 +msgid "(no subject)" +msgstr "沒有题目" + +#: ../../include/notifier.php:796 ../../include/delivery.php:467 +#: ../../include/enotify.php:33 +msgid "noreply" +msgstr "noreply" + +#: ../../include/dba_pdo.php:72 ../../include/dba.php:56 +#, php-format +msgid "Cannot locate DNS info for database server '%s'" +msgstr "找不到DNS信息为数据库服务器「%s」" + +#: ../../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:60 +msgid "Weekly" +msgstr "每周" + +#: ../../include/contact_selectors.php:61 +msgid "Monthly" +msgstr "每月" + +#: ../../include/contact_selectors.php:77 +msgid "OStatus" +msgstr "OStatus" + +#: ../../include/contact_selectors.php:78 +msgid "RSS/Atom" +msgstr "RSS/Atom" + +#: ../../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 "Statusnet" +msgstr "Statusnet" + +#: ../../include/contact_selectors.php:92 +msgid "App.net" +msgstr "" + +#: ../../include/Scrape.php:614 +msgid " on Last.fm" +msgstr "在Last.fm" + +#: ../../include/bb2diaspora.php:154 ../../include/event.php:20 +msgid "Starts:" +msgstr "开始:" + +#: ../../include/bb2diaspora.php:162 ../../include/event.php:30 +msgid "Finishes:" +msgstr "结束:" + +#: ../../include/profile_advanced.php:22 +msgid "j F, Y" +msgstr "j F, Y" + +#: ../../include/profile_advanced.php:23 +msgid "j F" +msgstr "j F" + +#: ../../include/profile_advanced.php:30 +msgid "Birthday:" +msgstr "生日:" + +#: ../../include/profile_advanced.php:34 +msgid "Age:" +msgstr "年纪:" + +#: ../../include/profile_advanced.php:43 +#, php-format +msgid "for %1$d %2$s" +msgstr "为%1$d %2$s" + +#: ../../include/profile_advanced.php:52 +msgid "Tags:" +msgstr "标签:" + +#: ../../include/profile_advanced.php:56 +msgid "Religion:" +msgstr "宗教:" + +#: ../../include/profile_advanced.php:60 +msgid "Hobbies/Interests:" +msgstr "爱好/兴趣" + +#: ../../include/profile_advanced.php:67 +msgid "Contact information and Social Networks:" +msgstr "熟人消息和社会化网络" + +#: ../../include/profile_advanced.php:69 +msgid "Musical interests:" +msgstr "音乐兴趣:" + +#: ../../include/profile_advanced.php:71 +msgid "Books, literature:" +msgstr "书,文学" + +#: ../../include/profile_advanced.php:73 +msgid "Television:" +msgstr "电视:" + +#: ../../include/profile_advanced.php:75 +msgid "Film/dance/culture/entertainment:" +msgstr "电影/跳舞/文化/娱乐:" + +#: ../../include/profile_advanced.php:77 +msgid "Love/Romance:" +msgstr "爱情/浪漫" + +#: ../../include/profile_advanced.php:79 +msgid "Work/employment:" +msgstr "工作" + +#: ../../include/profile_advanced.php:81 +msgid "School/education:" +msgstr "学院/教育" + +#: ../../include/plugin.php:455 ../../include/plugin.php:457 +msgid "Click here to upgrade." +msgstr "这里点击为更新。" + +#: ../../include/plugin.php:463 +msgid "This action exceeds the limits set by your subscription plan." +msgstr "这个行动超过您订阅的限制。" + +#: ../../include/plugin.php:468 +msgid "This action is not available under your subscription plan." +msgstr "这个行动在您的订阅不可用的。" + +#: ../../include/nav.php:73 +msgid "End this session" +msgstr "结束这段时间" + +#: ../../include/nav.php:76 ../../include/nav.php:148 +#: ../../view/theme/diabook/theme.php:123 +msgid "Your posts and conversations" +msgstr "你的消息和交谈" + +#: ../../include/nav.php:77 ../../view/theme/diabook/theme.php:124 +msgid "Your profile page" +msgstr "你的简介页" + +#: ../../include/nav.php:78 ../../view/theme/diabook/theme.php:126 +msgid "Your photos" +msgstr "你的照片" + +#: ../../include/nav.php:79 +msgid "Your videos" +msgstr "" + +#: ../../include/nav.php:80 ../../view/theme/diabook/theme.php:127 +msgid "Your events" +msgstr "你的项目" + +#: ../../include/nav.php:81 ../../view/theme/diabook/theme.php:128 +msgid "Personal notes" +msgstr "私人的便条" + +#: ../../include/nav.php:81 +msgid "Your personal notes" +msgstr "" + +#: ../../include/nav.php:92 +msgid "Sign in" +msgstr "登记" + +#: ../../include/nav.php:105 +msgid "Home Page" +msgstr "主页" + +#: ../../include/nav.php:109 +msgid "Create an account" +msgstr "注册" + +#: ../../include/nav.php:114 +msgid "Help and documentation" +msgstr "帮助证件" + +#: ../../include/nav.php:117 +msgid "Apps" +msgstr "应用程序" + +#: ../../include/nav.php:117 +msgid "Addon applications, utilities, games" +msgstr "可加的应用,设施,游戏" + +#: ../../include/nav.php:119 +msgid "Search site content" +msgstr "搜索网站内容" + +#: ../../include/nav.php:129 +msgid "Conversations on this site" +msgstr "这个网站的交谈" + +#: ../../include/nav.php:131 +msgid "Conversations on the network" +msgstr "" + +#: ../../include/nav.php:133 +msgid "Directory" +msgstr "名录" + +#: ../../include/nav.php:133 +msgid "People directory" +msgstr "人物名录" + +#: ../../include/nav.php:135 +msgid "Information" +msgstr "资料" + +#: ../../include/nav.php:135 +msgid "Information about this friendica instance" +msgstr "资料关于这个Friendica服务器" + +#: ../../include/nav.php:145 +msgid "Conversations from your friends" +msgstr "从你朋友们的交谈" + +#: ../../include/nav.php:146 +msgid "Network Reset" +msgstr "网络重设" + +#: ../../include/nav.php:146 +msgid "Load Network page with no filters" +msgstr "表示网络页无滤器" + +#: ../../include/nav.php:154 +msgid "Friend Requests" +msgstr "友谊邀请" + +#: ../../include/nav.php:156 +msgid "See all notifications" +msgstr "看所有的通知" + +#: ../../include/nav.php:157 +msgid "Mark all system notifications seen" +msgstr "记号各系统通知看过的" + +#: ../../include/nav.php:161 +msgid "Private mail" +msgstr "私人的邮件" + +#: ../../include/nav.php:162 +msgid "Inbox" +msgstr "收件箱" + +#: ../../include/nav.php:163 +msgid "Outbox" +msgstr "发件箱" + +#: ../../include/nav.php:167 +msgid "Manage" +msgstr "代用户" + +#: ../../include/nav.php:167 +msgid "Manage other pages" +msgstr "管理别的页" + +#: ../../include/nav.php:172 +msgid "Account settings" +msgstr "帐户配置" + +#: ../../include/nav.php:175 +msgid "Manage/Edit Profiles" +msgstr "管理/编辑简介" + +#: ../../include/nav.php:177 +msgid "Manage/edit friends and contacts" +msgstr "管理/编朋友们和熟人们" + +#: ../../include/nav.php:184 +msgid "Site setup and configuration" +msgstr "网站开办和配置" + +#: ../../include/nav.php:188 +msgid "Navigation" +msgstr "航行" + +#: ../../include/nav.php:188 +msgid "Site map" +msgstr "网站地图" + +#: ../../include/api.php:304 ../../include/api.php:315 +#: ../../include/api.php:416 ../../include/api.php:1063 +#: ../../include/api.php:1065 +msgid "User not found." +msgstr "找不到用户" + +#: ../../include/api.php:771 +#, php-format +msgid "Daily posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:790 +#, php-format +msgid "Weekly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:809 +#, php-format +msgid "Monthly posting limit of %d posts reached. The post was rejected." +msgstr "" + +#: ../../include/api.php:1272 +msgid "There is no status with this id." +msgstr "没有什么状态跟这个ID" + +#: ../../include/api.php:1342 +msgid "There is no conversation with this id." +msgstr "没有这个ID的对话" + +#: ../../include/api.php:1614 +msgid "Invalid request." +msgstr "" + +#: ../../include/api.php:1625 +msgid "Invalid item." +msgstr "" + +#: ../../include/api.php:1635 +msgid "Invalid action. " +msgstr "" + +#: ../../include/api.php:1643 +msgid "DB error" +msgstr "" + +#: ../../include/user.php:40 +msgid "An invitation is required." +msgstr "邀请必要的。" + +#: ../../include/user.php:45 +msgid "Invitation could not be verified." +msgstr "不能证实邀请。" + +#: ../../include/user.php:53 +msgid "Invalid OpenID url" +msgstr "无效的OpenID url" + +#: ../../include/user.php:74 +msgid "Please enter the required information." +msgstr "请输入必要的信息。" + +#: ../../include/user.php:88 +msgid "Please use a shorter name." +msgstr "请用短一点名。" + +#: ../../include/user.php:90 +msgid "Name too short." +msgstr "名字太短。" + +#: ../../include/user.php:105 +msgid "That doesn't appear to be your full (First Last) name." +msgstr "这看上去不是您的全姓名。" + +#: ../../include/user.php:110 +msgid "Your email domain is not among those allowed on this site." +msgstr "这网站允许的域名中没有您的" + +#: ../../include/user.php:113 +msgid "Not a valid email address." +msgstr "无效的邮件地址。" + +#: ../../include/user.php:126 +msgid "Cannot use that email." +msgstr "不能用这个邮件地址。" + +#: ../../include/user.php:132 +msgid "" +"Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and " +"must also begin with a letter." +msgstr "您的昵称只能包含\"a-z\",\"0-9\",\"-\"和\"_\",还有头一字必须是拉丁字。" + +#: ../../include/user.php:138 ../../include/user.php:236 +msgid "Nickname is already registered. Please choose another." +msgstr "昵称已经报到。请选择新的。" + +#: ../../include/user.php:148 +msgid "" +"Nickname was once registered here and may not be re-used. Please choose " +"another." +msgstr "昵称曾经这里注册于是不能再用。请选择别的。" + +#: ../../include/user.php:164 +msgid "SERIOUS ERROR: Generation of security keys failed." +msgstr "要紧错误:产生安全钥匙失败了。" + +#: ../../include/user.php:222 +msgid "An error occurred during registration. Please try again." +msgstr "报到出了问题。请再试。" + +#: ../../include/user.php:257 +msgid "An error occurred creating your default profile. Please try again." +msgstr "造成默认简介出了问题。请再试。" + +#: ../../include/user.php:289 ../../include/user.php:293 +#: ../../include/profile_selectors.php:42 +msgid "Friends" +msgstr "朋友" + +#: ../../include/user.php:377 +#, 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:381 +#, 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/diaspora.php:703 +msgid "Sharing notification from Diaspora network" +msgstr "分享通知从Diaspora网络" + +#: ../../include/diaspora.php:2520 +msgid "Attachments:" +msgstr "附件:" + +#: ../../include/items.php:4555 +msgid "Do you really want to delete this item?" +msgstr "您真的想删除这个项目吗?" + +#: ../../include/items.php:4778 +msgid "Archives" +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 +msgid "Undecided" +msgstr "未决" + +#: ../../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 "变态" + +#: ../../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 +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/enotify.php:18 +msgid "Friendica Notification" +msgstr "Friendica 通知" + +#: ../../include/enotify.php:21 +msgid "Thank You," +msgstr "谢谢," + +#: ../../include/enotify.php:23 +#, php-format +msgid "%s Administrator" +msgstr "%s管理员" + +#: ../../include/enotify.php:64 +#, php-format +msgid "%s " +msgstr "%s " + +#: ../../include/enotify.php:68 +#, php-format +msgid "[Friendica:Notify] New mail received at %s" +msgstr "[Friendica:Notify]收到新邮件在%s" + +#: ../../include/enotify.php:70 +#, php-format +msgid "%1$s sent you a new private message at %2$s." +msgstr "%1$s发给您新私人通知在%2$s." + +#: ../../include/enotify.php:71 +#, php-format +msgid "%1$s sent you %2$s." +msgstr "%1$s发给您%2$s." + +#: ../../include/enotify.php:71 +msgid "a private message" +msgstr "一条私人的消息" + +#: ../../include/enotify.php:72 +#, php-format +msgid "Please visit %s to view and/or reply to your private messages." +msgstr "清去%s为了看或回答你私人的消息" + +#: ../../include/enotify.php:124 +#, 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:131 +#, php-format +msgid "%1$s commented on [url=%2$s]%3$s's %4$s[/url]" +msgstr "%1$s于[url=%2$s]%3$s的%4$s[/url]评论了" + +#: ../../include/enotify.php:139 +#, php-format +msgid "%1$s commented on [url=%2$s]your %3$s[/url]" +msgstr "%1$s于[url=%2$s]您的%3$s[/url]评论了" + +#: ../../include/enotify.php:149 +#, php-format +msgid "[Friendica:Notify] Comment to conversation #%1$d by %2$s" +msgstr "[Friendica:Notify]于交流#%1$d由%2$s评论" + +#: ../../include/enotify.php:150 +#, php-format +msgid "%s commented on an item/conversation you have been following." +msgstr "%s对你有兴趣的项目/ 交谈发表意见" + +#: ../../include/enotify.php:153 ../../include/enotify.php:168 +#: ../../include/enotify.php:181 ../../include/enotify.php:194 +#: ../../include/enotify.php:212 ../../include/enotify.php:225 +#, php-format +msgid "Please visit %s to view and/or reply to the conversation." +msgstr "清去%s为了看或回答交谈" + +#: ../../include/enotify.php:160 +#, php-format +msgid "[Friendica:Notify] %s posted to your profile wall" +msgstr "[Friendica:Notify] %s贴在您的简介墙" + +#: ../../include/enotify.php:162 +#, php-format +msgid "%1$s posted to your profile wall at %2$s" +msgstr "%1$s放在您的简介墙在%2$s" + +#: ../../include/enotify.php:164 +#, php-format +msgid "%1$s posted to [url=%2$s]your wall[/url]" +msgstr "%1$s放在[url=%2$s]您的墙[/url]" + +#: ../../include/enotify.php:175 +#, php-format +msgid "[Friendica:Notify] %s tagged you" +msgstr "[Friendica:Notify] %s标签您" + +#: ../../include/enotify.php:176 +#, php-format +msgid "%1$s tagged you at %2$s" +msgstr "%1$s把您在%2$s标签" + +#: ../../include/enotify.php:177 +#, php-format +msgid "%1$s [url=%2$s]tagged you[/url]." +msgstr "%1$s[url=%2$s]把您标签[/url]." + +#: ../../include/enotify.php:188 +#, php-format +msgid "[Friendica:Notify] %s shared a new post" +msgstr "[Friendica:Notify] %s分享新的消息" + +#: ../../include/enotify.php:189 +#, php-format +msgid "%1$s shared a new post at %2$s" +msgstr "%1$s分享新的消息在%2$s" + +#: ../../include/enotify.php:190 +#, php-format +msgid "%1$s [url=%2$s]shared a post[/url]." +msgstr "%1$s [url=%2$s]分享一个消息[/url]." + +#: ../../include/enotify.php:202 +#, php-format +msgid "[Friendica:Notify] %1$s poked you" +msgstr "[Friendica:Notify]您被%1$s戳" + +#: ../../include/enotify.php:203 +#, php-format +msgid "%1$s poked you at %2$s" +msgstr "您被%1$s戳在%2$s" + +#: ../../include/enotify.php:204 +#, php-format +msgid "%1$s [url=%2$s]poked you[/url]." +msgstr "%1$s[url=%2$s]把您戳[/url]。" + +#: ../../include/enotify.php:219 +#, php-format +msgid "[Friendica:Notify] %s tagged your post" +msgstr "[Friendica:Notify] %s标前您的文章" + +#: ../../include/enotify.php:220 +#, php-format +msgid "%1$s tagged your post at %2$s" +msgstr "%1$s把您的文章在%2$s标签" + +#: ../../include/enotify.php:221 +#, php-format +msgid "%1$s tagged [url=%2$s]your post[/url]" +msgstr "%1$s把[url=%2$s]您的文章[/url]标签" + +#: ../../include/enotify.php:232 +msgid "[Friendica:Notify] Introduction received" +msgstr "[Friendica:Notify] 收到介绍" + +#: ../../include/enotify.php:233 +#, php-format +msgid "You've received an introduction from '%1$s' at %2$s" +msgstr "您从「%1$s」受到一个介绍在%2$s" + +#: ../../include/enotify.php:234 +#, php-format +msgid "You've received [url=%1$s]an introduction[/url] from %2$s." +msgstr "您从%2$s收到[url=%1$s]一个介绍[/url]。" + +#: ../../include/enotify.php:237 ../../include/enotify.php:279 +#, php-format +msgid "You may visit their profile at %s" +msgstr "你能看他的简介在%s" + +#: ../../include/enotify.php:239 +#, php-format +msgid "Please visit %s to approve or reject the introduction." +msgstr "请批准或拒绝介绍在%s" + +#: ../../include/enotify.php:247 +msgid "[Friendica:Notify] A new person is sharing with you" +msgstr "" + +#: ../../include/enotify.php:248 ../../include/enotify.php:249 +#, php-format +msgid "%1$s is sharing with you at %2$s" +msgstr "" + +#: ../../include/enotify.php:255 +msgid "[Friendica:Notify] You have a new follower" +msgstr "" + +#: ../../include/enotify.php:256 ../../include/enotify.php:257 +#, php-format +msgid "You have a new follower at %2$s : %1$s" +msgstr "" + +#: ../../include/enotify.php:270 +msgid "[Friendica:Notify] Friend suggestion received" +msgstr "[Friendica:Notify] 收到朋友建议" + +#: ../../include/enotify.php:271 +#, php-format +msgid "You've received a friend suggestion from '%1$s' at %2$s" +msgstr "您从「%2$s」收到[url=%1$s]一个朋友建议[/url]。" + +#: ../../include/enotify.php:272 +#, php-format +msgid "" +"You've received [url=%1$s]a friend suggestion[/url] for %2$s from %3$s." +msgstr "您从%3$s收到[url=%1$s]一个朋友建议[/url]为%2$s。" + +#: ../../include/enotify.php:277 +msgid "Name:" +msgstr "名字:" + +#: ../../include/enotify.php:278 +msgid "Photo:" +msgstr "照片:" + +#: ../../include/enotify.php:281 +#, php-format +msgid "Please visit %s to approve or reject the suggestion." +msgstr "请批准或拒绝建议在%s" + +#: ../../include/enotify.php:289 ../../include/enotify.php:302 +msgid "[Friendica:Notify] Connection accepted" +msgstr "" + +#: ../../include/enotify.php:290 ../../include/enotify.php:303 +#, php-format +msgid "'%1$s' has acepted your connection request at %2$s" +msgstr "" + +#: ../../include/enotify.php:291 ../../include/enotify.php:304 +#, php-format +msgid "%2$s has accepted your [url=%1$s]connection request[/url]." +msgstr "" + +#: ../../include/enotify.php:294 +msgid "" +"You are now mutual friends and may exchange status updates, photos, and email\n" +"\twithout restriction." +msgstr "" + +#: ../../include/enotify.php:297 ../../include/enotify.php:311 +#, php-format +msgid "Please visit %s if you wish to make any changes to this relationship." +msgstr "" + +#: ../../include/enotify.php:307 +#, 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 "'%1$s'选择欢迎你为\"迷\",限制有的沟通方式,比如死人交流和有的简介互动。如果这是名人或社会页,此设置是自动地施用。" + +#: ../../include/enotify.php:309 +#, 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:322 +msgid "[Friendica System:Notify] registration request" +msgstr "" + +#: ../../include/enotify.php:323 +#, php-format +msgid "You've received a registration request from '%1$s' at %2$s" +msgstr "" + +#: ../../include/enotify.php:324 +#, php-format +msgid "You've received a [url=%1$s]registration request[/url] from %2$s." +msgstr "" + +#: ../../include/enotify.php:327 +#, php-format +msgid "Full Name:\t%1$s\\nSite Location:\t%2$s\\nLogin Name:\t%3$s (%4$s)" +msgstr "" + +#: ../../include/enotify.php:330 +#, php-format +msgid "Please visit %s to approve or reject the request." +msgstr "" + +#: ../../include/oembed.php:212 +msgid "Embedded content" +msgstr "嵌入内容" + +#: ../../include/oembed.php:221 +msgid "Embedding disabled" +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 "错误!文件没有版本数!这不是Friendica账户文件吗?" + +#: ../../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 "用户「%s」已经存在这个服务器!" + +#: ../../include/uimport.php:153 +msgid "User creation error" +msgstr "用户创造错误" + +#: ../../include/uimport.php:171 +msgid "User profile creation error" +msgstr "用户简介创造错误" + +#: ../../include/uimport.php:220 +#, php-format +msgid "%d contact not imported" +msgid_plural "%d contacts not imported" +msgstr[0] "%d熟人没进口了" + +#: ../../include/uimport.php:290 +msgid "Done. You can now login with your username and password" +msgstr "完了。您现在会用您用户名和密码登录" + +#: ../../index.php:428 +msgid "toggle mobile" +msgstr "交替手机" + +#: ../../view/theme/cleanzero/config.php:82 +#: ../../view/theme/dispy/config.php:72 ../../view/theme/quattro/config.php:66 +#: ../../view/theme/diabook/config.php:150 ../../view/theme/vier/config.php:55 +#: ../../view/theme/duepuntozero/config.php:61 +msgid "Theme settings" +msgstr "主题设置" + +#: ../../view/theme/cleanzero/config.php:83 +msgid "Set resize level for images in posts and comments (width and height)" +msgstr "选择图片在文章和评论的重设尺寸(宽和高)" + +#: ../../view/theme/cleanzero/config.php:84 +#: ../../view/theme/dispy/config.php:73 +#: ../../view/theme/diabook/config.php:151 +msgid "Set font-size for posts and comments" +msgstr "决定字体大小在文章和评论" + +#: ../../view/theme/cleanzero/config.php:85 +msgid "Set theme width" +msgstr "选择主题宽" + +#: ../../view/theme/cleanzero/config.php:86 +#: ../../view/theme/quattro/config.php:68 +msgid "Color scheme" +msgstr " 色彩设计" + +#: ../../view/theme/dispy/config.php:74 +#: ../../view/theme/diabook/config.php:152 +msgid "Set line-height for posts and comments" +msgstr "决定行高在文章和评论" + +#: ../../view/theme/dispy/config.php:75 +msgid "Set colour scheme" +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:69 +msgid "Posts font size" +msgstr "文章" + +#: ../../view/theme/quattro/config.php:70 +msgid "Textareas font size" +msgstr "文本区字体大小" + +#: ../../view/theme/diabook/config.php:153 +msgid "Set resolution for middle column" +msgstr "决定中栏的显示分辨率列表" + +#: ../../view/theme/diabook/config.php:154 +msgid "Set color scheme" +msgstr "选择色彩设计" + +#: ../../view/theme/diabook/config.php:155 +msgid "Set zoomfactor for Earth Layer" +msgstr "选择拉近镜头级在地球层" + +#: ../../view/theme/diabook/config.php:156 +#: ../../view/theme/diabook/theme.php:585 +msgid "Set longitude (X) for Earth Layers" +msgstr "选择经度(X)在地球层" + +#: ../../view/theme/diabook/config.php:157 +#: ../../view/theme/diabook/theme.php:586 +msgid "Set latitude (Y) for Earth Layers" +msgstr "选择纬度(Y)在地球层" + +#: ../../view/theme/diabook/config.php:158 +#: ../../view/theme/diabook/theme.php:130 +#: ../../view/theme/diabook/theme.php:544 +#: ../../view/theme/diabook/theme.php:624 +msgid "Community Pages" +msgstr "社会页" + +#: ../../view/theme/diabook/config.php:159 +#: ../../view/theme/diabook/theme.php:579 +#: ../../view/theme/diabook/theme.php:625 +msgid "Earth Layers" +msgstr "地球层" + +#: ../../view/theme/diabook/config.php:160 +#: ../../view/theme/diabook/theme.php:391 +#: ../../view/theme/diabook/theme.php:626 +msgid "Community Profiles" +msgstr "社会简介" + +#: ../../view/theme/diabook/config.php:161 +#: ../../view/theme/diabook/theme.php:599 +#: ../../view/theme/diabook/theme.php:627 +msgid "Help or @NewHere ?" +msgstr "帮助或@菜鸟?" + +#: ../../view/theme/diabook/config.php:162 +#: ../../view/theme/diabook/theme.php:606 +#: ../../view/theme/diabook/theme.php:628 +msgid "Connect Services" +msgstr "连接服务" + +#: ../../view/theme/diabook/config.php:163 +#: ../../view/theme/diabook/theme.php:523 +#: ../../view/theme/diabook/theme.php:629 +msgid "Find Friends" +msgstr "找朋友们" + +#: ../../view/theme/diabook/config.php:164 +#: ../../view/theme/diabook/theme.php:412 +#: ../../view/theme/diabook/theme.php:630 +msgid "Last users" +msgstr "上次用户" + +#: ../../view/theme/diabook/config.php:165 +#: ../../view/theme/diabook/theme.php:486 +#: ../../view/theme/diabook/theme.php:631 +msgid "Last photos" +msgstr "上次照片" + +#: ../../view/theme/diabook/config.php:166 +#: ../../view/theme/diabook/theme.php:441 +#: ../../view/theme/diabook/theme.php:632 +msgid "Last likes" +msgstr "上次喜欢" + +#: ../../view/theme/diabook/theme.php:125 +msgid "Your contacts" +msgstr "您的熟人" + +#: ../../view/theme/diabook/theme.php:128 +msgid "Your personal photos" +msgstr "你私人的照片" + +#: ../../view/theme/diabook/theme.php:524 +msgid "Local Directory" +msgstr "当地目录" + +#: ../../view/theme/diabook/theme.php:584 +msgid "Set zoomfactor for Earth Layers" +msgstr "选择拉近镜头级在地球层" + +#: ../../view/theme/diabook/theme.php:622 +msgid "Show/hide boxes at right-hand column:" +msgstr "表示/隐藏盒子在友兰:" + +#: ../../view/theme/vier/config.php:56 +msgid "Set style" +msgstr "选择款式" + +#: ../../view/theme/duepuntozero/config.php:45 +msgid "greenzero" +msgstr "greenzero" + +#: ../../view/theme/duepuntozero/config.php:46 +msgid "purplezero" +msgstr "purplezero" + +#: ../../view/theme/duepuntozero/config.php:47 +msgid "easterbunny" +msgstr "easterbunny" + +#: ../../view/theme/duepuntozero/config.php:48 +msgid "darkzero" +msgstr "darkzero" + +#: ../../view/theme/duepuntozero/config.php:49 +msgid "comix" +msgstr "comix" + +#: ../../view/theme/duepuntozero/config.php:50 +msgid "slackr" +msgstr "slackr" + +#: ../../view/theme/duepuntozero/config.php:62 +msgid "Variations" +msgstr "变化" diff --git a/view/zh-cn/strings.php b/view/zh-cn/strings.php index ff962f5cc7..47e55da207 100644 --- a/view/zh-cn/strings.php +++ b/view/zh-cn/strings.php @@ -5,922 +5,6 @@ function string_plural_select_zh_cn($n){ return 0;; }} ; -$a->strings["Submit"] = "提交"; -$a->strings["Theme settings"] = "主题设置"; -$a->strings["Set resize level for images in posts and comments (width and height)"] = "选择图片在文章和评论的重设尺寸(宽和高)"; -$a->strings["Set font-size for posts and comments"] = "决定字体大小在文章和评论"; -$a->strings["Set theme width"] = "选择主题宽"; -$a->strings["Color scheme"] = " 色彩设计"; -$a->strings["Set style"] = "选择款式"; -$a->strings["don't show"] = "别著"; -$a->strings["show"] = "著"; -$a->strings["Set line-height for posts and comments"] = "决定行高在文章和评论"; -$a->strings["Set resolution for middle column"] = "决定中栏的显示分辨率列表"; -$a->strings["Set color scheme"] = "选择色彩设计"; -$a->strings["Set zoomfactor for Earth Layer"] = "选择拉近镜头级在地球层"; -$a->strings["Set longitude (X) for Earth Layers"] = "选择经度(X)在地球层"; -$a->strings["Set latitude (Y) for Earth Layers"] = "选择纬度(Y)在地球层"; -$a->strings["Community Pages"] = "社会页"; -$a->strings["Earth Layers"] = "地球层"; -$a->strings["Community Profiles"] = "社会简介"; -$a->strings["Help or @NewHere ?"] = "帮助或@菜鸟?"; -$a->strings["Connect Services"] = "连接服务"; -$a->strings["Find Friends"] = "找朋友们"; -$a->strings["Last users"] = "上次用户"; -$a->strings["Last photos"] = "上次照片"; -$a->strings["Last likes"] = "上次喜欢"; -$a->strings["Home"] = "主页"; -$a->strings["Your posts and conversations"] = "你的消息和交谈"; -$a->strings["Profile"] = "简介"; -$a->strings["Your profile page"] = "你的简介页"; -$a->strings["Contacts"] = "熟人"; -$a->strings["Your contacts"] = "您的熟人"; -$a->strings["Photos"] = "照片"; -$a->strings["Your photos"] = "你的照片"; -$a->strings["Events"] = "事件"; -$a->strings["Your events"] = "你的项目"; -$a->strings["Personal notes"] = "私人的便条"; -$a->strings["Your personal photos"] = "你私人的照片"; -$a->strings["Community"] = "社会"; -$a->strings["event"] = "项目"; -$a->strings["status"] = "现状"; -$a->strings["photo"] = "照片"; -$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s喜欢%2\$s的%3\$s"; -$a->strings["Contact Photos"] = "熟人照片"; -$a->strings["Profile Photos"] = "简介照片"; -$a->strings["Local Directory"] = "当地目录"; -$a->strings["Global Directory"] = "综合目录"; -$a->strings["Similar Interests"] = "相似兴趣"; -$a->strings["Friend Suggestions"] = "友谊建议"; -$a->strings["Invite Friends"] = "邀请朋友们"; -$a->strings["Settings"] = "配置"; -$a->strings["Set zoomfactor for Earth Layers"] = "选择拉近镜头级在地球层"; -$a->strings["Show/hide boxes at right-hand column:"] = "表示/隐藏盒子在友兰:"; -$a->strings["Alignment"] = "成直线 "; -$a->strings["Left"] = "左边"; -$a->strings["Center"] = "中间"; -$a->strings["Posts font size"] = "文章"; -$a->strings["Textareas font size"] = "文本区字体大小"; -$a->strings["Set colour scheme"] = "选择色彩设计"; -$a->strings["You must be logged in to use addons. "] = "您用插件前要登录"; -$a->strings["Not Found"] = "未发现"; -$a->strings["Page not found."] = "页发现。"; -$a->strings["Permission denied"] = "权限不够"; -$a->strings["Permission denied."] = "权限不够。"; -$a->strings["toggle mobile"] = "交替手机"; -$a->strings["Delete this item?"] = "删除这个项目?"; -$a->strings["Comment"] = "评论"; -$a->strings["show more"] = "看多"; -$a->strings["show fewer"] = "显示更小"; -$a->strings["Update %s failed. See error logs."] = "更新%s美通过。看错误记录。"; -$a->strings["Create a New Account"] = "创造新的账户"; -$a->strings["Register"] = "注册"; -$a->strings["Logout"] = "注销"; -$a->strings["Login"] = "登录"; -$a->strings["Nickname or Email address: "] = "绰号或电子邮件地址: "; -$a->strings["Password: "] = "密码: "; -$a->strings["Remember me"] = "记住我"; -$a->strings["Or login using OpenID: "] = "或者用OpenID登记:"; -$a->strings["Forgot your password?"] = "忘记你的密码吗?"; -$a->strings["Password Reset"] = "复位密码"; -$a->strings["Website Terms of Service"] = "网站的各项规定"; -$a->strings["terms of service"] = "各项规定"; -$a->strings["Website Privacy Policy"] = "网站隐私政策"; -$a->strings["privacy policy"] = "隐私政策"; -$a->strings["Requested account is not available."] = "要求的账户不可用。"; -$a->strings["Requested profile is not available."] = "要求的简介联系不上的。"; -$a->strings["Edit profile"] = "修改简介"; -$a->strings["Connect"] = "连接"; -$a->strings["Message"] = "通知"; -$a->strings["Profiles"] = "简介"; -$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["Location:"] = "位置:"; -$a->strings["Gender:"] = "性别:"; -$a->strings["Status:"] = "现状:"; -$a->strings["Homepage:"] = "主页:"; -$a->strings["Network:"] = ""; -$a->strings["g A l F d"] = "g A l d F"; -$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["Status"] = "现状"; -$a->strings["Status Messages and Posts"] = "现状通知和文章"; -$a->strings["Profile Details"] = "简介内容"; -$a->strings["Photo Albums"] = "相册"; -$a->strings["Videos"] = "视频"; -$a->strings["Events and Calendar"] = "项目和日历"; -$a->strings["Personal Notes"] = "私人便条"; -$a->strings["Only You Can See This"] = "只您许看这个"; -$a->strings["General Features"] = "总的特点"; -$a->strings["Multiple Profiles"] = "多简介"; -$a->strings["Ability to create multiple profiles"] = "能穿凿多简介"; -$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 fourm page is selected/deselected in ACL window."] = "添加/删除提示论坛页选择/淘汰在ACL窗户的时候。"; -$a->strings["Network Sidebar Widgets"] = "网络工具栏小窗口"; -$a->strings["Search by Date"] = "按日期搜索"; -$a->strings["Ability to select posts by date ranges"] = "能按时期范围选择文章"; -$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"] = "网络分享链接分页"; -$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["%s's birthday"] = "%s的生日"; -$a->strings["Happy Birthday %s"] = "生日快乐%s"; -$a->strings["[Name Withheld]"] = "[名字拒给]"; -$a->strings["Item not found."] = "项目找不到。"; -$a->strings["Do you really want to delete this item?"] = "您真的想删除这个项目吗?"; -$a->strings["Yes"] = "是"; -$a->strings["Cancel"] = "退消"; -$a->strings["Archives"] = "档案"; -$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 group"] = "编辑组"; -$a->strings["Create a new group"] = "创造新组"; -$a->strings["Contacts not in any group"] = "熟人没有组"; -$a->strings["add"] = "添加"; -$a->strings["Wall Photos"] = "墙照片"; -$a->strings["Cannot locate DNS info for database server '%s'"] = "找不到DNS信息为数据库服务器「%s」"; -$a->strings["Add New Contact"] = "增添新的熟人"; -$a->strings["Enter address or web location"] = "输入地址或网位置"; -$a->strings["Example: bob@example.com, http://example.com/barbara"] = "比如:li@example.com, http://example.com/li"; -$a->strings["%d invitation available"] = array( - 0 => "%d邀请可用的", -); -$a->strings["Find People"] = "找人物"; -$a->strings["Enter name or interest"] = "输入名字或兴趣"; -$a->strings["Connect/Follow"] = "连接/关注"; -$a->strings["Examples: Robert Morgenstein, Fishing"] = "比如:李某,打鱼"; -$a->strings["Find"] = "搜索"; -$a->strings["Random Profile"] = "随机简介"; -$a->strings["Networks"] = "网络"; -$a->strings["All Networks"] = "所有网络"; -$a->strings["Everything"] = "一切"; -$a->strings["Categories"] = "种类"; -$a->strings["%d contact in common"] = array( - 0 => "%d共同熟人", -); -$a->strings["Friendica Notification"] = "Friendica 通知"; -$a->strings["Thank You,"] = "谢谢,"; -$a->strings["%s Administrator"] = "%s管理员"; -$a->strings["noreply"] = "noreply"; -$a->strings["%s "] = "%s "; -$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notify]收到新邮件在%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的%4\$s[/url]评论了"; -$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s于[url=%2\$s]您的%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:Notify] %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:Notify] 收到介绍"; -$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."] = "您从%2\$s收到[url=%1\$s]一个介绍[/url]。"; -$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"] = ""; -$a->strings["%1\$s is sharing with you at %2\$s"] = ""; -$a->strings["[Friendica:Notify] You have a new follower"] = ""; -$a->strings["You have a new follower at %2\$s : %1\$s"] = ""; -$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notify] 收到朋友建议"; -$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "您从「%2\$s」收到[url=%1\$s]一个朋友建议[/url]。"; -$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "您从%3\$s收到[url=%1\$s]一个朋友建议[/url]为%2\$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"] = ""; -$a->strings["'%1\$s' has acepted 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\n\twithout 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["[Friendica System:Notify] registration request"] = ""; -$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["User not found."] = "找不到用户"; -$a->strings["There is no status with this id."] = "没有什么状态跟这个ID"; -$a->strings["There is no conversation with this id."] = "没有这个ID的对话"; -$a->strings["view full size"] = "看全尺寸"; -$a->strings[" on Last.fm"] = "在Last.fm"; -$a->strings["Full Name:"] = "全名:"; -$a->strings["j F, Y"] = "j F, Y"; -$a->strings["j F"] = "j F"; -$a->strings["Birthday:"] = "生日:"; -$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["About:"] = "关于:"; -$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["Nothing new here"] = "这里没有什么新的"; -$a->strings["Clear notifications"] = "清理出通知"; -$a->strings["End this session"] = "结束这段时间"; -$a->strings["Your videos"] = ""; -$a->strings["Your personal notes"] = ""; -$a->strings["Sign in"] = "登记"; -$a->strings["Home Page"] = "主页"; -$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["Conversations on this site"] = "这个网站的交谈"; -$a->strings["Directory"] = "名录"; -$a->strings["People directory"] = "人物名录"; -$a->strings["Information"] = "资料"; -$a->strings["Information about this friendica instance"] = "资料关于这个Friendica服务器"; -$a->strings["Network"] = "网络"; -$a->strings["Conversations from your friends"] = "从你朋友们的交谈"; -$a->strings["Network Reset"] = "网络重设"; -$a->strings["Load Network page with no filters"] = "表示网络页无滤器"; -$a->strings["Introductions"] = "介绍"; -$a->strings["Friend Requests"] = "友谊邀请"; -$a->strings["Notifications"] = "通知"; -$a->strings["See all notifications"] = "看所有的通知"; -$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["Account settings"] = "帐户配置"; -$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["Disallowed profile URL."] = "不允许的简介地址."; -$a->strings["Connect URL missing."] = "连接URL失踪的。"; -$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."] = "输入的简介地址没有够消息。"; -$a->strings["An author or name was not found."] = "找不到作者或名。"; -$a->strings["No browser URL could be matched to this address."] = "这个地址没有符合什么游览器URL。"; -$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."] = "输入mailto:地址前为要求电子邮件检查。"; -$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["following"] = "关注"; -$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"] = array( - 0 => "%d熟人没进口了", -); -$a->strings["Done. You can now login with your username and password"] = "完了。您现在会用您用户名和密码登录"; -$a->strings["l F d, Y \\@ g:i A"] = "l F d, Y \\@ g:i A"; -$a->strings["Starts:"] = "开始:"; -$a->strings["Finishes:"] = "结束:"; -$a->strings["stopped following"] = "结束关注了"; -$a->strings["Poke"] = "戳"; -$a->strings["View Status"] = "看现状"; -$a->strings["View Profile"] = "看简介"; -$a->strings["View Photos"] = "看照片"; -$a->strings["Network Posts"] = "网络文章"; -$a->strings["Edit Contact"] = "编辑熟人"; -$a->strings["Drop Contact"] = "删除熟人"; -$a->strings["Send PM"] = "法私人的新闻"; -$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."] = "造成数据库列表相遇错误。"; -$a->strings["Errors encountered performing database changes."] = ""; -$a->strings["Miscellaneous"] = "形形色色"; -$a->strings["year"] = "年"; -$a->strings["month"] = "月"; -$a->strings["day"] = "日"; -$a->strings["never"] = "从未"; -$a->strings["less than a second ago"] = "一秒以内"; -$a->strings["years"] = "年"; -$a->strings["months"] = "月"; -$a->strings["week"] = "星期"; -$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["[no subject]"] = "[无题目]"; -$a->strings["(no subject)"] = "沒有题目"; -$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["Statusnet"] = "Statusnet"; -$a->strings["App.net"] = ""; -$a->strings["%1\$s is now friends with %2\$s"] = "%1\$s是成为%2\$s的朋友"; -$a->strings["Sharing notification from Diaspora network"] = "分享通知从Diaspora网络"; -$a->strings["Attachments:"] = "附件:"; -$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s不喜欢%2\$s的%3\$s"; -$a->strings["%1\$s poked %2\$s"] = "%1\$s把%2\$s戳"; -$a->strings["poked"] = "戳了"; -$a->strings["%1\$s is currently %2\$s"] = "%1\$s现在是%2\$s"; -$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s把%4\$s标签%2\$s的%3\$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["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["%2\$d people like this"] = "%2\$d人们喜欢这个"; -$a->strings["%2\$d people don't like this"] = "%2\$d人们不喜欢这个"; -$a->strings["and"] = "和"; -$a->strings[", and %d other people"] = ",和%d别人"; -$a->strings["%s like this."] = "%s喜欢这个"; -$a->strings["%s don't like this."] = "%s不喜欢这个"; -$a->strings["Visible to everybody"] = "大家可见的"; -$a->strings["Please enter a link URL:"] = "请输入环节URL:"; -$a->strings["Please enter a video link/URL:"] = "请输入视频连接/URL:"; -$a->strings["Please enter an audio link/URL:"] = "请输入音响连接/URL:"; -$a->strings["Tag term:"] = "标签:"; -$a->strings["Save to Folder:"] = "保存再文件夹:"; -$a->strings["Where are you right now?"] = "你在哪里?"; -$a->strings["Delete item(s)?"] = "把项目删除吗?"; -$a->strings["Post to Email"] = "电邮发布"; -$a->strings["Connectors disabled, since \"%s\" is enabled."] = ""; -$a->strings["Hide your profile details from unknown viewers?"] = "使简介信息给陌生的看着看不了?"; -$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["CC: email addresses"] = "抄送: 电子邮件地址"; -$a->strings["Public post"] = "公开的消息"; -$a->strings["Example: bob@example.com, mary@example.com"] = "比如: li@example.com, wang@example.com"; -$a->strings["Preview"] = "预演"; -$a->strings["Post to Groups"] = "发到组"; -$a->strings["Post to Contacts"] = "发到熟人"; -$a->strings["Private post"] = "私人文章"; -$a->strings["newer"] = "更新"; -$a->strings["older"] = "更旧"; -$a->strings["prev"] = "上个"; -$a->strings["first"] = "首先"; -$a->strings["last"] = "最后"; -$a->strings["next"] = "下个"; -$a->strings["No contacts"] = "没有熟人"; -$a->strings["%d Contact"] = array( - 0 => "%d熟人", -); -$a->strings["View Contacts"] = "看熟人"; -$a->strings["Save"] = "保存"; -$a->strings["poke"] = "戳"; -$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["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["View Video"] = "看视频"; -$a->strings["bytes"] = "字节"; -$a->strings["Click to open/close"] = "点击为开关"; -$a->strings["link to source"] = "链接到来源"; -$a->strings["default"] = "默认"; -$a->strings["Select an alternate language"] = "选择别的语言"; -$a->strings["activity"] = "活动"; -$a->strings["comment"] = array( - 0 => "评论", -); -$a->strings["post"] = "文章"; -$a->strings["Item filed"] = "把项目归档了"; -$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登录的时候碰到问题。请核实拼法是对的。"; -$a->strings["The error message was:"] = "错误通知是:"; -$a->strings["Image/photo"] = "图像/照片"; -$a->strings["%2\$s %3\$s"] = ""; -$a->strings["%s wrote the following post"] = "%s写了下面的消息"; -$a->strings["$1 wrote:"] = "$1写:"; -$a->strings["Encrypted content"] = "加密的内容"; -$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."] = "表格安全令牌不对。最可能因为表格开着太久(三个小时以上)提交前。"; -$a->strings["Embedded content"] = "嵌入内容"; -$a->strings["Embedding disabled"] = "嵌入不能用"; -$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"] = "未决"; -$a->strings["Males"] = "男人"; -$a->strings["Females"] = "女人"; -$a->strings["Gay"] = "男同性恋的"; -$a->strings["Lesbian"] = "女同性恋的"; -$a->strings["No Preference"] = "无偏爱"; -$a->strings["Bisexual"] = "双性恋的"; -$a->strings["Autosexual"] = "自性的"; -$a->strings["Abstinent"] = "有节制的"; -$a->strings["Virgin"] = "原始的"; -$a->strings["Deviant"] = "变态"; -$a->strings["Fetish"] = "恋物对象"; -$a->strings["Oodles"] = "多多"; -$a->strings["Nonsexual"] = "无性"; -$a->strings["Single"] = "单身"; -$a->strings["Lonely"] = "寂寞"; -$a->strings["Available"] = "单身的"; -$a->strings["Unavailable"] = "不可获得的"; -$a->strings["Has crush"] = "迷恋"; -$a->strings["Infatuated"] = "痴迷"; -$a->strings["Dating"] = "约会"; -$a->strings["Unfaithful"] = "外遇"; -$a->strings["Sex Addict"] = "性交因成瘾者"; -$a->strings["Friends"] = "朋友"; -$a->strings["Friends/Benefits"] = "朋友/益"; -$a->strings["Casual"] = "休闲"; -$a->strings["Engaged"] = "已订婚的"; -$a->strings["Married"] = "结婚"; -$a->strings["Imaginarily married"] = "想像结婚"; -$a->strings["Partners"] = "伴侣"; -$a->strings["Cohabiting"] = "同居"; -$a->strings["Common law"] = "普通法结婚"; -$a->strings["Happy"] = "幸福"; -$a->strings["Not looking"] = "没找"; -$a->strings["Swinger"] = "交换性伴侣的"; -$a->strings["Betrayed"] = "被背叛"; -$a->strings["Separated"] = "分手"; -$a->strings["Unstable"] = "不稳"; -$a->strings["Divorced"] = "离婚"; -$a->strings["Imaginarily divorced"] = "想像离婚"; -$a->strings["Widowed"] = "寡妇"; -$a->strings["Uncertain"] = "不确定"; -$a->strings["It's complicated"] = "是复杂"; -$a->strings["Don't care"] = "无所谓"; -$a->strings["Ask me"] = "问我"; -$a->strings["An invitation is required."] = "邀请必要的。"; -$a->strings["Invitation could not be verified."] = "不能证实邀请。"; -$a->strings["Invalid OpenID url"] = "无效的OpenID url"; -$a->strings["Please enter the required information."] = "请输入必要的信息。"; -$a->strings["Please use a shorter name."] = "请用短一点名。"; -$a->strings["Name too short."] = "名字太短。"; -$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."] = "不能用这个邮件地址。"; -$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "您的昵称只能包含\"a-z\",\"0-9\",\"-\"和\"_\",还有头一字必须是拉丁字。"; -$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["An error occurred creating your default profile. Please try again."] = "造成默认简介出了问题。请再试。"; -$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$\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["Visible to everybody"] = "任何人可见的"; -$a->strings["This entry was edited"] = "这个文章被编辑了"; -$a->strings["Private Message"] = "私人的新闻"; -$a->strings["Edit"] = "编辑"; -$a->strings["save to folder"] = "保存在文件夹"; -$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["ignored"] = ""; -$a->strings["add tag"] = "加标签"; -$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["to"] = "至"; -$a->strings["via"] = "经过"; -$a->strings["Wall-to-Wall"] = "从墙到墙"; -$a->strings["via Wall-To-Wall:"] = "通过从墙到墙"; -$a->strings["%d comment"] = array( - 0 => "%d评论", -); -$a->strings["This is you"] = "这是你"; -$a->strings["Bold"] = "粗体字 "; -$a->strings["Italic"] = "斜体 "; -$a->strings["Underline"] = "下划线"; -$a->strings["Quote"] = "引语"; -$a->strings["Code"] = "源代码"; -$a->strings["Image"] = "图片"; -$a->strings["Link"] = "环节"; -$a->strings["Video"] = "录像"; -$a->strings["Item not available."] = "项目不可用的"; -$a->strings["Item was not found."] = "找不到项目。"; -$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["Your message:"] = "你的消息:"; -$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["Group Editor"] = "组编辑器"; -$a->strings["Members"] = "成员"; -$a->strings["All Contacts"] = "所有的熟人"; -$a->strings["Click on a contact to add or remove."] = "点击熟人为添加或删除。"; -$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["Invalid request identifier."] = "无效要求身份号。"; -$a->strings["Discard"] = "丢弃"; -$a->strings["Ignore"] = "忽视"; -$a->strings["System"] = "系统"; -$a->strings["Personal"] = "私人"; -$a->strings["Show Ignored Requests"] = "显示不理的要求"; -$a->strings["Hide Ignored Requests"] = "隐藏不理的要求"; -$a->strings["Notification type: "] = "通知种类:"; -$a->strings["Friend Suggestion"] = "朋友建议"; -$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["Approve as: "] = "批准作为"; -$a->strings["Friend"] = "朋友"; -$a->strings["Sharer"] = "分享者"; -$a->strings["Fan/Admirer"] = "迷/赞赏者"; -$a->strings["Friend/Connect Request"] = "友谊/联络要求"; -$a->strings["New Follower"] = "新关注者:"; -$a->strings["No introductions."] = "没有介绍。"; -$a->strings["%s liked %s's post"] = "%s喜欢了%s的消息"; -$a->strings["%s disliked %s's post"] = "%s不喜欢了%s的消息"; -$a->strings["%s is now friends with %s"] = "%s成为%s的朋友"; -$a->strings["%s created a new post"] = "%s造成新文章"; -$a->strings["%s commented on %s's post"] = "%s便条%s的文章"; -$a->strings["No more network notifications."] = "没有别的网络通信。"; -$a->strings["Network Notifications"] = "网络通知"; -$a->strings["No more system notifications."] = "没别系统通知。"; -$a->strings["System Notifications"] = "系统通知"; -$a->strings["No more personal notifications."] = "没有别的私人通信。"; -$a->strings["Personal Notifications"] = "私人通知"; -$a->strings["No more home notifications."] = "没有别的家通信。"; -$a->strings["Home Notifications"] = "主页通知"; -$a->strings["No profile"] = "无简介"; -$a->strings["everybody"] = "每人"; -$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["Update"] = "更新"; -$a->strings["Failed to connect with email account using the settings provided."] = "不能连接电子邮件账户用输入的设置。"; -$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["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."] = " 电子邮件地址无效."; -$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["Save Settings"] = "保存设置"; -$a->strings["Name"] = "名字"; -$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["Built-in support for %s connectivity is %s"] = "包括的支持为%s连通性是%s"; -$a->strings["enabled"] = "能够做的"; -$a->strings["disabled"] = "使不能用"; -$a->strings["StatusNet"] = "StatusNet"; -$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."] = "如果您想用这股服务(可选的)跟邮件熟人交流,请指定怎么连通您的收件箱。"; -$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["No special theme for mobile devices"] = "没专门适合手机的主题"; -$a->strings["Display Settings"] = "表示设置"; -$a->strings["Display Theme:"] = "显示主题:"; -$a->strings["Mobile Theme:"] = "手机主题:"; -$a->strings["Update browser every xx seconds"] = "更新游览器每XX秒"; -$a->strings["Minimum of 10 seconds, no maximum"] = "最小10秒,没有上限"; -$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"] = "别表示请表符号"; -$a->strings["Don't show notices"] = "别表提示"; -$a->strings["Infinite scroll"] = "无限的滚动"; -$a->strings["Automatic updates only at the top of the network page"] = ""; -$a->strings["User Types"] = ""; -$a->strings["Community Types"] = ""; -$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["Community Forum/Celebrity Account"] = "社会评坛/名人账户"; -$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "自动批准所有联络/友谊要求当看写的迷"; -$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["No"] = "否"; -$a->strings["Publish your default profile in the global social directory?"] = "出版您默认简介在综合社会目录?"; -$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "藏起来 发现您的熟人/朋友单不让这个简介看着看?\n "; -$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["or"] = "或者"; -$a->strings["Your Identity Address is"] = "您的同一个人地址是"; -$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["New Password:"] = "新密码:"; -$a->strings["Confirm:"] = "确认:"; -$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["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["Show to Groups"] = "给组表示"; -$a->strings["Show to Contacts"] = "给熟人表示"; -$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["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["Common Friends"] = "普通朋友们"; -$a->strings["No contacts in common."] = "没有共同熟人。"; -$a->strings["Remote privacy information not available."] = "摇隐私信息无效"; -$a->strings["Visible to:"] = "可见给:"; $a->strings["%d contact edited."] = array( 0 => "%d熟人编辑了", ); @@ -928,6 +12,7 @@ $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["Permission denied."] = "权限不够。"; $a->strings["Contact has been blocked"] = "熟人拦了"; $a->strings["Contact has been unblocked"] = "熟人否拦了"; $a->strings["Contact has been ignored"] = "熟人不理了"; @@ -935,6 +20,8 @@ $a->strings["Contact has been unignored"] = "熟人否不理了"; $a->strings["Contact has been archived"] = "把联系存档了"; $a->strings["Contact has been unarchived"] = "把联系从存档拿来了"; $a->strings["Do you really want to delete this contact?"] = "您真的想删除这个熟人吗?"; +$a->strings["Yes"] = "是"; +$a->strings["Cancel"] = "退消"; $a->strings["Contact has been removed."] = "熟人删除了。"; $a->strings["You are mutual friends with %s"] = "您和%s是共同朋友们"; $a->strings["You are sharing with %s"] = "您分享给%s"; @@ -945,11 +32,15 @@ $a->strings["(Update was successful)"] = "(更新成功)"; $a->strings["(Update was not successful)"] = "(更新不成功)"; $a->strings["Suggest friends"] = "建议朋友们"; $a->strings["Network type: %s"] = "网络种类: %s"; +$a->strings["%d contact in common"] = array( + 0 => "%d共同熟人", +); $a->strings["View all contacts"] = "看所有的熟人"; $a->strings["Unblock"] = "不拦"; $a->strings["Block"] = "拦"; $a->strings["Toggle Blocked status"] = "交替拦配置"; $a->strings["Unignore"] = "停不理"; +$a->strings["Ignore"] = "忽视"; $a->strings["Toggle Ignored status"] = "交替忽视现状"; $a->strings["Unarchive"] = "从存档拿来"; $a->strings["Archive"] = "存档"; @@ -958,6 +49,7 @@ $a->strings["Repair"] = "维修"; $a->strings["Advanced Contact Settings"] = "专家熟人设置"; $a->strings["Communications lost with this contact!"] = "联系跟这个熟人断开了!"; $a->strings["Contact Editor"] = "熟人编器"; +$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"] = "熟人信息/便条"; @@ -974,12 +66,19 @@ $a->strings["Update now"] = "现在更新"; $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["Fetch further information for feeds"] = "拿文源别的消息"; +$a->strings["Disabled"] = "已停用"; +$a->strings["Fetch information"] = "取消息"; +$a->strings["Fetch information and keywords"] = "取消息和关键词"; +$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["Suggestions"] = "建议"; $a->strings["Suggest potential friends"] = "建议潜在朋友们"; +$a->strings["All Contacts"] = "所有的熟人"; $a->strings["Show all contacts"] = "表示所有的熟人"; $a->strings["Unblocked"] = "不拦了"; $a->strings["Only show unblocked contacts"] = "只表示不拦的熟人"; @@ -995,115 +94,310 @@ $a->strings["Mutual Friendship"] = "共同友谊"; $a->strings["is a fan of yours"] = "是您迷"; $a->strings["you are a fan of"] = "你喜欢"; $a->strings["Edit contact"] = "编熟人"; +$a->strings["Contacts"] = "熟人"; $a->strings["Search your contacts"] = "搜索您的熟人"; $a->strings["Finding: "] = "找着:"; -$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 %d"] = "文件数目超过最多%d"; -$a->strings["File upload failed."] = "文件上传失败。"; -$a->strings["[Embedded content - reload page to view]"] = "[嵌入内容-重新加载页为看]"; -$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["Registration successful. Please check your email for further instructions."] = "注册成功了。请咨询说明再您的收件箱。"; -$a->strings["Failed to send email message. Here is the message that failed."] = "发邮件失败了。这条试失败的消息。"; -$a->strings["Your registration can not be processed."] = "处理不了您的注册。"; -$a->strings["Your registration is pending approval by the site owner."] = "您的注册等网页主的批准。"; -$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "这个网站超过一天最多账户注册。请明天再试。"; -$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["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): "] = "您姓名(例如「张三」):"; -$a->strings["Your Email Address: "] = "你的电子邮件地址:"; -$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "选择简介昵称。昵称头一字必须拉丁字。您再这个网站的简介地址将「example@\$sitename」."; -$a->strings["Choose a nickname: "] = "选择昵称:"; -$a->strings["Import"] = "进口"; -$a->strings["Import your profile to this friendica instance"] = "进口您的简介到这个friendica服务器"; -$a->strings["Post successful."] = "评论发表了。"; -$a->strings["System down for maintenance"] = "系统关闭为了维持"; -$a->strings["Access to this profile has been restricted."] = "使用权这个简介被限制了."; -$a->strings["Tips for New Members"] = "提示对新成员"; -$a->strings["Public access denied."] = "公众看拒绝"; -$a->strings["No videos selected"] = "没选择的视频"; -$a->strings["Access to this item is restricted."] = "这个项目使用权限的。"; -$a->strings["View Album"] = "看照片册"; -$a->strings["Recent Videos"] = "最近视频"; -$a->strings["Upload New Videos"] = "上传新视频"; +$a->strings["Find"] = "搜索"; +$a->strings["Update"] = "更新"; +$a->strings["Delete"] = "删除"; +$a->strings["No profile"] = "无简介"; $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["Item not found"] = "项目没找到"; -$a->strings["Edit post"] = "编辑文章"; -$a->strings["People Search"] = "搜索人物"; -$a->strings["No matches"] = "没有结果"; -$a->strings["Account approved."] = "账户批准了"; -$a->strings["Registration revoked for %s"] = "%s的登记撤销了"; -$a->strings["Please login."] = "清登录。"; -$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"] = array( - 0 => "%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["Unable to resolve your name at the provided location."] = "不可疏解您的名字再输入的位置。"; -$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["Please login to confirm introduction."] = "请登记为确认介绍。"; -$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "错误的用户登记者。请用这个用户。"; -$a->strings["Hide this contact"] = "隐藏这个熟人"; -$a->strings["Welcome home %s."] = "欢迎%s。"; -$a->strings["Please confirm your introduction/connection request to %s."] = "请确认您的介绍/联络要求给%s。"; -$a->strings["Confirm"] = "确认"; -$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/联合社会化网"; -$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - 请别用这个表格。反而输入%s在您的Diaspora搜索功能。"; -$a->strings["Your Identity Address:"] = "您的同一个人地址:"; -$a->strings["Submit Request"] = "提交要求"; -$a->strings["Files"] = "文件"; -$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["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["Contacts who are not members of a group"] = "没当成员的熟人"; +$a->strings["Post successful."] = "评论发表了。"; +$a->strings["Permission denied"] = "权限不够"; +$a->strings["Invalid profile identifier."] = "无限的简介标识符。"; +$a->strings["Profile Visibility Editor"] = "简介能见度编辑器。"; +$a->strings["Profile"] = "简介"; +$a->strings["Click on a contact to add or remove."] = "点击熟人为添加或删除。"; +$a->strings["Visible To"] = "能见被"; +$a->strings["All Contacts (with secure profile access)"] = "所有熟人(跟安全地简介使用权)"; +$a->strings["Item not found."] = "项目找不到。"; +$a->strings["Public access denied."] = "公众看拒绝"; +$a->strings["Access to this profile has been restricted."] = "使用权这个简介被限制了."; +$a->strings["Item has been removed."] = "项目被删除了。"; +$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["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["Facebook"] = "Facebook"; +$a->strings["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "要是你有一个Facebook账户,批准Facebook插销。我们来(可选的)进口都你Facebook朋友们和交谈。"; +$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "要是这是你的私利服务器,安装Facebook插件会把你的过渡到自由社会化网络自在一点。"; +$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"] = "输入你电子邮件使用信息在插销设置页,要是你想用你的电子邮件进口和互动朋友们或邮件表。"; +$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."] = "您熟人页是您门口为管理熟人和连接朋友们在别的网络。典型您输入他的地址或者网站URL在添加新熟人对话框。"; +$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["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["Image uploaded but image cropping failed."] = "照片上传去了,但修剪失灵。"; +$a->strings["Profile Photos"] = "简介照片"; +$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."] = "万一新照片一会出现,换档重新加载或者成为空浏览器高速缓存。"; +$a->strings["Unable to process image"] = "不能处理照片"; +$a->strings["Image exceeds size limit of %d"] = "图像超标最大极限尺寸 %d"; +$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["photo"] = "照片"; +$a->strings["status"] = "现状"; +$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s关注着%2\$s的%3\$s"; +$a->strings["Tag removed"] = "标签去除了"; +$a->strings["Remove Item Tag"] = "去除项目标签"; +$a->strings["Select a tag to remove: "] = "选择标签去除"; +$a->strings["Remove"] = "移走"; +$a->strings["Save to Folder:"] = "保存再文件夹:"; +$a->strings["- select -"] = "-选择-"; +$a->strings["Save"] = "保存"; +$a->strings["Contact added"] = "熟人添了"; +$a->strings["Unable to locate original post."] = "找不到当初的新闻"; +$a->strings["Empty post discarded."] = "空心的新闻丢弃了"; +$a->strings["Wall Photos"] = "墙照片"; +$a->strings["System error. Post not saved."] = "系统错误。x"; +$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["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["Group Editor"] = "组编辑器"; +$a->strings["Members"] = "成员"; +$a->strings["You must be logged in to use addons. "] = "您用插件前要登录"; +$a->strings["Applications"] = "应用"; +$a->strings["No installed applications."] = "没有安装的应用"; +$a->strings["Profile not found."] = "找不到简介。"; $a->strings["Contact 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["%1\$s is now friends with %2\$s"] = "%1\$s是成为%2\$s的朋友"; +$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."] = "没有网站公开钥匙在熟人记录在URL%s。"; +$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "身份证明由您的系统是在我们的重做。你再试应该运行。"; +$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["Requested profile is not available."] = "要求的简介联系不上的。"; +$a->strings["Tips for New Members"] = "提示对新成员"; +$a->strings["No videos selected"] = "没选择的视频"; +$a->strings["Access to this item is restricted."] = "这个项目使用权限的。"; +$a->strings["View Video"] = "看视频"; +$a->strings["View Album"] = "看照片册"; +$a->strings["Recent Videos"] = "最近视频"; +$a->strings["Upload New Videos"] = "上传新视频"; +$a->strings["%1\$s tagged %2\$s's %3\$s with %4\$s"] = "%1\$s把%4\$s标签%2\$s的%3\$s"; $a->strings["Friend suggestion sent."] = "朋友建议发送了。"; $a->strings["Suggest Friends"] = "建议朋友们"; $a->strings["Suggest a friend for %s"] = "建议朋友给%s"; -$a->strings["link"] = "链接"; +$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."] = "\n\t\t亲爱的%1\$s,\n\t\t\t最近\"%2\$s\"收到重设你账号密码要求。为了验证此要求,请点击\n\t\t下面的链接或者粘贴在浏览器。\n\n\t\t如果你没请求这个变化,请别点击并忽视或删除这个邮件。\n\n\t\t你的密码将不改变除非我们验证这个请求是由你发地。"; +$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"] = "\n\t\t点击西面的链接为验证你的身份:\n\n\t\t%1\$s\n\n\t\t你将收一个邮件包括新的密码。登录之后你能改密码在设置页面。\n\n\t\t登录消息是:\n\n\t\t网站地址:\t%2\$s\n\t\t用户名:\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"] = "\n\t\t\t\t亲戚的%1\$s,\n\t\t\t\t\t你的密码于你的要求被改了。请保存这个消息或者\n\t\t\t\t立刻改密码成什么容易回忆的。\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"] = "\n\t\t\t\t你的登录消息是:\n\n\t\t\t\t网站地址:%1\$s\n\t\t\t\t用户名:%2\$s\n\t\t\t\t密码:%3\$s\n\n\t\t\t\t登录后你能改密码在设置页面。\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: "] = "昵称或邮件地址:"; +$a->strings["Reset"] = "复位"; +$a->strings["%1\$s likes %2\$s's %3\$s"] = "%1\$s喜欢%2\$s的%3\$s"; +$a->strings["%1\$s doesn't like %2\$s's %3\$s"] = "%1\$s不喜欢%2\$s的%3\$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["{0} commented %s's post"] = "{0}对%s的文章发表意见"; +$a->strings["{0} liked %s's post"] = "{0}喜欢%s的文章"; +$a->strings["{0} disliked %s's post"] = "{0}不喜欢%s的文章"; +$a->strings["{0} is now friends with %s"] = "{0}成为%s的朋友"; +$a->strings["{0} posted"] = "{0}陈列"; +$a->strings["{0} tagged %s's post with #%s"] = "{0}用#%s标签%s的文章"; +$a->strings["{0} mentioned you in a post"] = "{0}提到您在文章"; $a->strings["No contacts."] = "没有熟人。"; +$a->strings["View Contacts"] = "看熟人"; +$a->strings["Invalid request identifier."] = "无效要求身份号。"; +$a->strings["Discard"] = "丢弃"; +$a->strings["System"] = "系统"; +$a->strings["Network"] = "网络"; +$a->strings["Personal"] = "私人"; +$a->strings["Home"] = "主页"; +$a->strings["Introductions"] = "介绍"; +$a->strings["Show Ignored Requests"] = "显示不理的要求"; +$a->strings["Hide Ignored Requests"] = "隐藏不理的要求"; +$a->strings["Notification type: "] = "通知种类:"; +$a->strings["Friend Suggestion"] = "朋友建议"; +$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["Approve as: "] = "批准作为"; +$a->strings["Friend"] = "朋友"; +$a->strings["Sharer"] = "分享者"; +$a->strings["Fan/Admirer"] = "迷/赞赏者"; +$a->strings["Friend/Connect Request"] = "友谊/联络要求"; +$a->strings["New Follower"] = "新关注者:"; +$a->strings["No introductions."] = "没有介绍。"; +$a->strings["Notifications"] = "通知"; +$a->strings["%s liked %s's post"] = "%s喜欢了%s的消息"; +$a->strings["%s disliked %s's post"] = "%s不喜欢了%s的消息"; +$a->strings["%s is now friends with %s"] = "%s成为%s的朋友"; +$a->strings["%s created a new post"] = "%s造成新文章"; +$a->strings["%s commented on %s's post"] = "%s便条%s的文章"; +$a->strings["No more network notifications."] = "没有别的网络通信。"; +$a->strings["Network Notifications"] = "网络通知"; +$a->strings["No more system notifications."] = "没别系统通知。"; +$a->strings["System Notifications"] = "系统通知"; +$a->strings["No more personal notifications."] = "没有别的私人通信。"; +$a->strings["Personal Notifications"] = "私人通知"; +$a->strings["No more home notifications."] = "没有别的家通信。"; +$a->strings["Home Notifications"] = "主页通知"; +$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(生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["Nothing new here"] = "这里没有什么新的"; +$a->strings["Clear notifications"] = "清理出通知"; +$a->strings["New Message"] = "新的消息"; +$a->strings["No recipient selected."] = "没有选择的接受者。"; +$a->strings["Unable to locate contact information."] = "找不到熟人信息。"; +$a->strings["Message could not be sent."] = "消息发不了。"; +$a->strings["Message collection failure."] = "通信受到错误。"; +$a->strings["Message sent."] = "消息发了"; +$a->strings["Messages"] = "消息"; +$a->strings["Do you really want to delete this message?"] = "您真的想删除这个通知吗?"; +$a->strings["Message deleted."] = "消息删除了。"; +$a->strings["Conversation removed."] = "交流删除了。"; +$a->strings["Please enter a link URL:"] = "请输入环节URL:"; +$a->strings["Send Private Message"] = "发私人的通信"; +$a->strings["To:"] = "到:"; +$a->strings["Subject:"] = "题目:"; +$a->strings["Your message:"] = "你的消息:"; +$a->strings["Upload photo"] = "上传照片"; +$a->strings["Insert web link"] = "插入网页环节"; +$a->strings["Please wait"] = "请等一下"; +$a->strings["No messages."] = "没有消息"; +$a->strings["Unknown sender - %s"] = "生发送人-%s"; +$a->strings["You and %s"] = "您和%s"; +$a->strings["%s and You"] = "%s和您"; +$a->strings["Delete conversation"] = "删除交谈"; +$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; +$a->strings["%d message"] = array( + 0 => "%d通知", +); +$a->strings["Message not available."] = "通信不可用的"; +$a->strings["Delete message"] = "删除消息"; +$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "没可用的安全交通。您可能会在发送人的简介页会回答。"; +$a->strings["Send Reply"] = "发回答"; +$a->strings["[Embedded content - reload page to view]"] = "[嵌入内容-重新加载页为看]"; +$a->strings["Contact settings applied."] = "熟人设置应用了。"; +$a->strings["Contact update failed."] = "熟人更新失败。"; +$a->strings["Repair Contact Settings"] = "维修熟人设置"; +$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."] = "请立即用后退按钮如果您不确定怎么用这页"; +$a->strings["Return to contact editor"] = "回归熟人处理器"; +$a->strings["No mirroring"] = "没有复制"; +$a->strings["Mirror as forwarded posting"] = "复制为传达文章"; +$a->strings["Mirror as my own posting"] = "复制为我自己的文章"; +$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["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."] = "表明这个熟人当遥远的自身。Friendica要把这个熟人的新的文章复制。"; +$a->strings["Login"] = "登录"; +$a->strings["The post was created"] = "文章创建了"; +$a->strings["Access denied."] = "没有用权。"; +$a->strings["People Search"] = "搜索人物"; +$a->strings["No matches"] = "没有结果"; +$a->strings["Photos"] = "照片"; +$a->strings["Files"] = "文件"; +$a->strings["Contacts who are not members of a group"] = "没当成员的熟人"; $a->strings["Theme settings updated."] = "主题设置更新了。"; $a->strings["Site"] = "网站"; $a->strings["Users"] = "用户"; +$a->strings["Plugins"] = "插件"; $a->strings["Themes"] = "主题"; $a->strings["DB updates"] = "数据库更新"; $a->strings["Logs"] = "记录"; +$a->strings["probe address"] = "试探地址"; +$a->strings["check webfinger"] = "查webfinger"; +$a->strings["Admin"] = "管理"; $a->strings["Plugin Features"] = "插件特点"; +$a->strings["diagnostics"] = "诊断"; $a->strings["User registrations waiting for confirmation"] = "用户注册等确认"; $a->strings["Normal Account"] = "正常帐户"; $a->strings["Soapbox Account"] = "演讲台帐户"; @@ -1120,7 +414,15 @@ $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 special theme for mobile devices"] = "没专门适合手机的主题"; +$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["Frequently"] = "时常"; +$a->strings["Hourly"] = "每小时"; +$a->strings["Twice daily"] = "每日两次"; +$a->strings["Daily"] = "每日"; $a->strings["Multi user instance"] = "多用户网站"; $a->strings["Closed"] = "关闭"; $a->strings["Requires approval"] = "要批准"; @@ -1128,13 +430,19 @@ $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["Save Settings"] = "保存设置"; +$a->strings["Registration"] = "注册"; $a->strings["File upload"] = "文件上传"; $a->strings["Policies"] = "政策"; $a->strings["Advanced"] = "高等"; $a->strings["Performance"] = "性能"; $a->strings["Relocate - WARNING: advanced function. Could make this server unreachable."] = "调动:注意先进的功能。能吧服务器使不能联系。"; $a->strings["Site name"] = "网页名字"; +$a->strings["Host name"] = "服务器名"; +$a->strings["Sender Email"] = "寄主邮件"; $a->strings["Banner/Logo"] = "标题/标志"; +$a->strings["Shortcut icon"] = ""; +$a->strings["Touch icon"] = ""; $a->strings["Additional Info"] = "别的消息"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "公共服务器:您会这里添加消息要列在dir.friendica.com/siteinfo。"; $a->strings["System language"] = "系统语言"; @@ -1144,6 +452,8 @@ $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."] = "强逼所有非SSL的要求用SSL。注意:在有的系统会导致无限循环"; $a->strings["Old style 'Share'"] = "老款式'分享'"; $a->strings["Deactivates the bbcode element 'share' for repeating items."] = "为重复的项目吧bbcode“share”代码使不活跃"; $a->strings["Hide help entry from navigation menu"] = "隐藏帮助在航行选单"; @@ -1193,8 +503,10 @@ $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["UTF-8 Regular expressions"] = "UTF-8正则表达式"; $a->strings["Use PHP UTF8 regular expressions"] = "用PHP UTF8正则表达式"; -$a->strings["Show Community Page"] = "表示社会页"; -$a->strings["Display a Community page showing all recent public postings on this site."] = "表示社会页表明这网站所有最近公开的文章"; +$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."] = "提供OStatus(StatusNet,GNU Social,等)兼容性。所有OStatus的交通是公开的,所以私事警告偶尔来表示。"; $a->strings["OStatus conversation completion interval"] = "OStatus对话完成间隔"; @@ -1202,7 +514,7 @@ $a->strings["How often shall the poller check for new entries in OStatus convers $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["All contacts must use Friendica protocols. All other built-in communication protocols disabled."] = "所有的熟人要用Friendica协议 。别的内装的沟通协议都已停用。"; $a->strings["Verify 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"] = "代理用户"; @@ -1219,19 +531,23 @@ $a->strings["Use MySQL full text engine"] = "用MySQL全正文机车"; $a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = "使全正文机车可用。把搜索催-可是只能搜索4字以上"; $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["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 long should the cache files be hold? Default value is 86400 seconds (One day). To disable the item cache, set the value to -1."] = "高速缓存要存文件多久?默认是86400秒钟(一天)。停用高速缓存,输入-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["Temp path"] = "临时文件路线"; $a->strings["Base path to installation"] = "基础安装路线"; -$a->strings["Disable picture proxy"] = ""; +$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"] = "新基础URL"; -$a->strings["Enable noscrape"] = ""; -$a->strings["The noscrape feature speeds up directory submissions by using JSON data instead of HTML scraping."] = ""; $a->strings["Update has been marked successful"] = "更新当成功标签了"; $a->strings["Database structure update %s was successfully applied."] = ""; $a->strings["Executing of database structure update %s failed with error: %s"] = ""; @@ -1247,6 +563,7 @@ $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["Registration details for %s"] = "注册信息为%s"; $a->strings["%s user blocked/unblocked"] = array( 0 => "%s用户拦/不拦了", ); @@ -1261,6 +578,7 @@ $a->strings["select all"] = "都选"; $a->strings["User registrations waiting for confirm"] = "用户注册等待确认"; $a->strings["User waiting for permanent deletion"] = "用户等待长久删除"; $a->strings["Request date"] = "要求日期"; +$a->strings["Email"] = "电子邮件"; $a->strings["No registrations."] = "没有注册。"; $a->strings["Deny"] = "否定"; $a->strings["Site admin"] = "网站管理员"; @@ -1270,15 +588,16 @@ $a->strings["Register date"] = "注册日期"; $a->strings["Last login"] = "上次登录"; $a->strings["Last item"] = "上项目"; $a->strings["Deleted since"] = "删除从"; +$a->strings["Account"] = "帐户"; $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."] = "新用户的邮件地址"; -$a->strings["Plugin %s disabled."] = "使插件%s不能用。"; +$a->strings["Plugin %s disabled."] = "使插件%s已停用。"; $a->strings["Plugin %s enabled."] = "使插件%s能用。"; -$a->strings["Disable"] = "使不能用"; +$a->strings["Disable"] = "停用"; $a->strings["Enable"] = "使能用"; $a->strings["Toggle"] = "肘节"; $a->strings["Author: "] = "作家:"; @@ -1298,14 +617,10 @@ $a->strings["FTP Host"] = "FTP主机"; $a->strings["FTP Path"] = "FTP目录"; $a->strings["FTP User"] = "FTP用户"; $a->strings["FTP Password"] = "FTP密码"; -$a->strings["Image exceeds size limit of %d"] = "图像超标最大极限尺寸 %d"; -$a->strings["Unable to process image."] = "处理不了图像."; -$a->strings["Image upload failed."] = "图像上载失败了."; -$a->strings["Welcome to %s"] = "%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["Search Results For:"] = "搜索结果为:"; $a->strings["Remove term"] = "删除关键字"; +$a->strings["Saved Searches"] = "保存的搜索"; +$a->strings["add"] = "添加"; $a->strings["Commented Order"] = "评论时间顺序"; $a->strings["Sort by Comment Date"] = "按评论日期顺序排列"; $a->strings["Posted Order"] = "贴时间顺序"; @@ -1327,130 +642,13 @@ $a->strings["Group: "] = "组:"; $a->strings["Contact: "] = "熟人:"; $a->strings["Private messages to this person are at risk of public disclosure."] = "私人通信给这个人回被公开。"; $a->strings["Invalid contact."] = "无效熟人。"; -$a->strings["- select -"] = "-选择-"; -$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["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["Applications"] = "应用"; -$a->strings["No installed applications."] = "没有安装的应用"; -$a->strings["Upload New Photos"] = "上传新照片"; -$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被%3\$s标签在%2\$s"; -$a->strings["a photo"] = "一张照片"; -$a->strings["Image exceeds size limit of "] = "图片超出最大尺寸"; -$a->strings["Image file is empty."] = "图片文件空的。"; -$a->strings["No photos selected"] = "没有照片挑选了"; -$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "您用%2$.2f兆字节的%1$.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["Permissions"] = "权利"; -$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["Rotate CW (right)"] = "顺时针地转动(左)"; -$a->strings["Rotate CCW (left)"] = "反顺时针地转动(右)"; -$a->strings["New album name"] = "新册名"; -$a->strings["Caption"] = "字幕"; -$a->strings["Add a Tag"] = "加标签"; -$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "例子:@zhang, @Zhang_San, @li@example.com, #Beijing, #ktv"; -$a->strings["Private photo"] = "私人照相"; -$a->strings["Public photo"] = "公开照相"; -$a->strings["Recent Photos"] = "最近的照片"; -$a->strings["Contact added"] = "熟人添了"; -$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 (statusnet/identi.ca) or from Diaspora"] = "这个特点是在试验阶段。我们进口不了Ostatus网络(statusnet/identi.ca)或Diaspora熟人"; -$a->strings["Account file"] = "账户文件"; -$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "为出口您账户,点击「设置→出口您私人信息」和选择「出口账户」"; -$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."] = array( - 0 => "%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["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["Access denied."] = "没有用权。"; -$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["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: "] = "昵称或邮件地址:"; -$a->strings["Reset"] = "复位"; -$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(生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["Tag removed"] = "标签去除了"; -$a->strings["Remove Item Tag"] = "去除项目标签"; -$a->strings["Select a tag to remove: "] = "选择标签去除"; -$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["Invalid profile identifier."] = "无限的简介标识符。"; -$a->strings["Profile Visibility Editor"] = "简介能见度编辑器。"; -$a->strings["Visible To"] = "能见被"; -$a->strings["All Contacts (with secure profile access)"] = "所有熟人(跟安全地简介使用权)"; -$a->strings["Profile Match"] = "简介符合"; -$a->strings["No keywords to match. Please add keywords to your default profile."] = "没有符合的关键字。请在您的默认简介加关键字。"; -$a->strings["is interested in:"] = "感兴趣对:"; +$a->strings["Friends of %s"] = "%s的朋友们"; +$a->strings["No friends to display."] = "没有朋友展示。"; $a->strings["Event title and start time are required."] = "项目标题和开始时间是必须的。"; $a->strings["l, F j"] = "l, F j"; $a->strings["Edit event"] = "编项目"; +$a->strings["link to source"] = "链接到来源"; +$a->strings["Events"] = "事件"; $a->strings["Create New Event"] = "造成新的项目"; $a->strings["Previous"] = "上"; $a->strings["Next"] = "下"; @@ -1463,112 +661,51 @@ $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["Location:"] = "位置:"; $a->strings["Title:"] = "标题:"; $a->strings["Share this event"] = "分享这个项目"; -$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["{0} commented %s's post"] = "{0}对%s的文章发表意见"; -$a->strings["{0} liked %s's post"] = "{0}喜欢%s的文章"; -$a->strings["{0} disliked %s's post"] = "{0}不喜欢%s的文章"; -$a->strings["{0} is now friends with %s"] = "{0}成为%s的朋友"; -$a->strings["{0} posted"] = "{0}陈列"; -$a->strings["{0} tagged %s's post with #%s"] = "{0}用#%s标签%s的文章"; -$a->strings["{0} mentioned you in a post"] = "{0}提到您在文章"; -$a->strings["Mood"] = "心情"; -$a->strings["Set your current mood and tell your friends"] = "选择现在的心情而告诉朋友们"; -$a->strings["No results."] = "没有结果"; -$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["Unknown sender - %s"] = "生发送人-%s"; -$a->strings["You and %s"] = "您和%s"; -$a->strings["%s and You"] = "%s和您"; -$a->strings["Delete conversation"] = "删除交谈"; -$a->strings["D, d M Y - g:i A"] = "D, d M Y - g:i A"; -$a->strings["%d message"] = array( - 0 => "%d通知", +$a->strings["Select"] = "选择"; +$a->strings["View %s's profile @ %s"] = "看%s的简介@ %s"; +$a->strings["%s from %s"] = "%s从%s"; +$a->strings["View in context"] = "看在上下文"; +$a->strings["%d comment"] = array( + 0 => "%d评论", ); -$a->strings["Message not available."] = "通信不可用的"; -$a->strings["Delete message"] = "删除消息"; -$a->strings["No secure communications available. You may be able to respond from the sender's profile page."] = "没可用的安全交通。您可能会在发送人的简介页会回答。"; -$a->strings["Send Reply"] = "发回答"; -$a->strings["Not available."] = "不可用的"; -$a->strings["Profile not found."] = "找不到简介。"; -$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["Likes"] = "喜欢"; -$a->strings["Dislikes"] = "不喜欢"; -$a->strings["Work/Employment"] = "工作"; -$a->strings["Religion"] = "宗教"; -$a->strings["Political Views"] = "政治观念"; -$a->strings["Gender"] = "性别"; -$a->strings["Sexual Preference"] = "性取向"; -$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["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["Upload Profile Photo"] = "上传简历照片"; -$a->strings["Profile Name:"] = "简介名:"; -$a->strings["Your Full Name:"] = "你的全名:"; -$a->strings["Title/Description:"] = "标题/描述:"; -$a->strings["Your Gender:"] = "你的性:"; -$a->strings["Birthday (%s):"] = "生日(%s):"; -$a->strings["Street Address:"] = "地址:"; -$a->strings["Locality/City:"] = "现场/城市:"; -$a->strings["Postal/Zip Code:"] = "邮政编码:"; -$a->strings["Country:"] = "国家:"; -$a->strings["Region/State:"] = "区域/省"; -$a->strings[" Marital Status:"] = "婚姻状况:"; -$a->strings["Who: (if applicable)"] = "谁:(要是使用)"; -$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "比如:limou,李某,limou@example。com"; -$a->strings["Since [date]:"] = "追溯[日期]:"; -$a->strings["Homepage URL:"] = "主页URL:"; -$a->strings["Religious Views:"] = " 宗教信仰 :"; -$a->strings["Public Keywords:"] = "公开关键字 :"; -$a->strings["Private Keywords:"] = "私人关键字"; -$a->strings["Example: fishing photography software"] = "例如:钓鱼 照片 软件"; -$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(用于建议可能的朋友们,会被别人看)"; -$a->strings["(Used for searching profiles, never shown to others)"] = "(用于搜索简介,没有给别人看)"; -$a->strings["Tell us about yourself..."] = "给我们自我介绍..."; -$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["This is your public profile.
    It may be visible to anybody using the internet."] = "这是你的公开的简介。
    可能被所有的因特网用的看到。"; -$a->strings["Age: "] = "年纪:"; -$a->strings["Edit/Manage Profiles"] = "编辑/管理简介"; +$a->strings["comment"] = array( + 0 => "评论", +); +$a->strings["show more"] = "看多"; +$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"] = "斜体 "; +$a->strings["Underline"] = "下划线"; +$a->strings["Quote"] = "引语"; +$a->strings["Code"] = "源代码"; +$a->strings["Image"] = "图片"; +$a->strings["Link"] = "环节"; +$a->strings["Video"] = "录像"; +$a->strings["Preview"] = "预演"; +$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["save to folder"] = "保存在文件夹"; +$a->strings["to"] = "至"; +$a->strings["Wall-to-Wall"] = "从墙到墙"; +$a->strings["via Wall-To-Wall:"] = "通过从墙到墙"; +$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["Friendica Communications Server - Setup"] = "Friendica沟通服务器-安装"; $a->strings["Could not connect to database."] = "解不了数据库。"; $a->strings["Could not create table."] = "造成不了表格。"; @@ -1630,114 +767,1018 @@ $a->strings["Url rewrite is working"] = "URL改写发挥机能"; $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["Number of daily wall messages for %s exceeded. Message failed."] = "一天最多墙通知给%s超过了。通知没有通过 。"; +$a->strings["Unable to check your home location."] = "核对不了您的主页。"; +$a->strings["No recipient."] = "没有接受者。"; +$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["Help:"] = "帮助:"; -$a->strings["Contact settings applied."] = "熟人设置应用了。"; -$a->strings["Contact update failed."] = "熟人更新失败。"; -$a->strings["Repair Contact Settings"] = "维修熟人设置"; -$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."] = "请立即用后退按钮如果您不确定怎么用这页"; -$a->strings["Return to contact editor"] = "回归熟人处理器"; -$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["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."] = "表明这个熟人当遥远的自身。Friendica要把这个熟人的新的文章复制。"; -$a->strings["No mirroring"] = ""; -$a->strings["Mirror as forwarded posting"] = ""; -$a->strings["Mirror as my own posting"] = ""; -$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 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["Authorise the Facebook Connector if you currently have a Facebook account and we will (optionally) import all your Facebook friends and conversations."] = "要是你有一个Facebook账户,批准Facebook插销。我们来(可选的)进口都你Facebook朋友们和交谈。"; -$a->strings["If this is your own personal server, installing the Facebook addon may ease your transition to the free social web."] = "要是这是你的私利服务器,安装Facebook插件会把你的过渡到自由社会化网络自在一点。"; -$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"] = "输入你电子邮件使用信息在插销设置页,要是你想用你的电子邮件进口和互动朋友们或邮件表。"; -$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."] = "您熟人页是您门口为管理熟人和连接朋友们在别的网络。典型您输入他的地址或者网站URL在添加新熟人对话框。"; -$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["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["\n\t\tDear $[username],\n\t\t\tYour password has been changed as requested. Please retain this\n\t\tinformation for your records (or change your password immediately to\n\t\tsomething that you will remember).\n\t"] = ""; -$a->strings["Item has been removed."] = "项目被删除了。"; -$a->strings["%1\$s is following %2\$s's %3\$s"] = "%1\$s关注着%2\$s的%3\$s"; +$a->strings["Help"] = "帮助"; +$a->strings["Not Found"] = "未发现"; +$a->strings["Page not found."] = "页发现。"; $a->strings["%1\$s welcomes %2\$s"] = "%1\$s欢迎%2\$s"; -$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."] = "没有网站公开钥匙在熟人记录在URL%s。"; -$a->strings["The ID provided by your system is a duplicate on our system. It should work if you try again."] = "身份证明由您的系统是在我们的重做。你再试应该运行。"; -$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["Unable to locate original post."] = "找不到当初的新闻"; -$a->strings["Empty post discarded."] = "空心的新闻丢弃了"; -$a->strings["System error. Post not saved."] = "系统错误。x"; -$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["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."] = "万一新照片一会出现,换档重新加载或者成为空浏览器高速缓存。"; -$a->strings["Unable to process image"] = "不能处理照片"; -$a->strings["Upload File:"] = "上传文件:"; -$a->strings["Select a profile:"] = "选择一个简介"; -$a->strings["Upload"] = "上传"; -$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["Friends of %s"] = "%s的朋友们"; -$a->strings["No friends to display."] = "没有朋友展示。"; +$a->strings["Welcome to %s"] = "%s欢迎你"; +$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 %d"] = "文件数目超过最多%d"; +$a->strings["File upload failed."] = "文件上传失败。"; +$a->strings["Profile Match"] = "简介符合"; +$a->strings["No keywords to match. Please add keywords to your default profile."] = "没有符合的关键字。请在您的默认简介加关键字。"; +$a->strings["is interested in:"] = "感兴趣对:"; +$a->strings["Connect"] = "连接"; +$a->strings["link"] = "链接"; +$a->strings["Not available."] = "不可用的"; +$a->strings["Community"] = "社会"; +$a->strings["No results."] = "没有结果"; +$a->strings["everybody"] = "每人"; +$a->strings["Additional features"] = "附加的特点"; +$a->strings["Display"] = "显示"; +$a->strings["Social Networks"] = "社会化网络"; +$a->strings["Delegations"] = "代表"; +$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."] = "不能连接电子邮件账户用输入的设置。"; +$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["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."] = " 电子邮件地址无效."; +$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["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["Built-in support for %s connectivity is %s"] = "包括的支持为%s连通性是%s"; +$a->strings["Diaspora"] = "Diaspora"; +$a->strings["enabled"] = "能够做的"; +$a->strings["disabled"] = "已停用"; +$a->strings["StatusNet"] = "StatusNet"; +$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."] = "如果您想用这股服务(可选的)跟邮件熟人交流,请指定怎么连通您的收件箱。"; +$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["Display Settings"] = "表示设置"; +$a->strings["Display Theme:"] = "显示主题:"; +$a->strings["Mobile Theme:"] = "手机主题:"; +$a->strings["Update browser every xx seconds"] = "更新游览器每XX秒"; +$a->strings["Minimum of 10 seconds, no maximum"] = "最小10秒,没有上限"; +$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"] = "别表示请表符号"; +$a->strings["Don't show notices"] = "别表提示"; +$a->strings["Infinite scroll"] = "无限的滚动"; +$a->strings["Automatic updates only at the top of the network page"] = ""; +$a->strings["User Types"] = ""; +$a->strings["Community Types"] = ""; +$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["Community Forum/Celebrity Account"] = "社会评坛/名人账户"; +$a->strings["Automatically approve all connection/friend requests as read-write fans"] = "自动批准所有联络/友谊要求当看写的迷"; +$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["No"] = "否"; +$a->strings["Publish your default profile in the global social directory?"] = "出版您默认简介在综合社会目录?"; +$a->strings["Hide your contact/friend list from viewers of your default profile?"] = "藏起来 发现您的熟人/朋友单不让这个简介看着看?\n "; +$a->strings["Hide your profile details from unknown viewers?"] = "使简介信息给陌生的看着看不了?"; +$a->strings["If enabled, posting public messages to Diaspora and other networks isn't possible."] = ""; +$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"] = "您的同一个人地址是"; +$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["New Password:"] = "新密码:"; +$a->strings["Confirm:"] = "确认:"; +$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["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["Show to Groups"] = "给组表示"; +$a->strings["Show to Contacts"] = "给熟人表示"; +$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["Text-only notification emails"] = ""; +$a->strings["Send text only notification emails, without the html part"] = ""; +$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["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"] = array( + 0 => "%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["Unable to resolve your name at the provided location."] = "不可疏解您的名字再输入的位置。"; +$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."] = "不允许的简介地址."; +$a->strings["Your introduction has been sent."] = "您的介绍发布了。"; +$a->strings["Please login to confirm introduction."] = "请登记为确认介绍。"; +$a->strings["Incorrect identity currently logged in. Please login to this profile."] = "错误的用户登记者。请用这个用户。"; +$a->strings["Hide this contact"] = "隐藏这个熟人"; +$a->strings["Welcome home %s."] = "欢迎%s。"; +$a->strings["Please confirm your introduction/connection request to %s."] = "请确认您的介绍/联络要求给%s。"; +$a->strings["Confirm"] = "确认"; +$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["Friendica"] = "Friendica"; +$a->strings["StatusNet/Federated Social Web"] = "StatusNet/联合社会化网"; +$a->strings[" - please do not use this form. Instead, enter %s into your Diaspora search bar."] = " - 请别用这个表格。反而输入%s在您的Diaspora搜索功能。"; +$a->strings["Your Identity Address:"] = "您的同一个人地址:"; +$a->strings["Submit Request"] = "提交要求"; +$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["Your registration can not be processed."] = "处理不了您的注册。"; +$a->strings["Your registration is pending approval by the site owner."] = "您的注册等网页主的批准。"; +$a->strings["This site has exceeded the number of allowed daily account registrations. Please try again tomorrow."] = "这个网站超过一天最多账户注册。请明天再试。"; +$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["Membership on this site is by invitation only."] = "会员身份在这个网站是光通过邀请。"; +$a->strings["Your invitation ID: "] = "您邀请ID:"; +$a->strings["Your Full Name (e.g. Joe Smith): "] = "您姓名(例如「张三」):"; +$a->strings["Your Email Address: "] = "你的电子邮件地址:"; +$a->strings["Choose a profile nickname. This must begin with a text character. Your profile address on this site will then be 'nickname@\$sitename'."] = "选择简介昵称。昵称头一字必须拉丁字。您再这个网站的简介地址将「example@\$sitename」."; +$a->strings["Choose a nickname: "] = "选择昵称:"; +$a->strings["Register"] = "注册"; +$a->strings["Import"] = "进口"; +$a->strings["Import your profile to this friendica instance"] = "进口您的简介到这个friendica服务器"; +$a->strings["System down for maintenance"] = "系统关闭为了维持"; +$a->strings["Search"] = "搜索"; +$a->strings["Global Directory"] = "综合目录"; $a->strings["Find on this site"] = "找在这网站"; $a->strings["Site Directory"] = "网站目录"; +$a->strings["Age: "] = "年纪:"; $a->strings["Gender: "] = "性别:"; +$a->strings["Gender:"] = "性别:"; +$a->strings["Status:"] = "现状:"; +$a->strings["Homepage:"] = "主页:"; +$a->strings["About:"] = "关于:"; $a->strings["No entries (some entries may be hidden)."] = "没有文章(有的文章会被隐藏)。"; +$a->strings["No potential page delegates located."] = "找不到可能代表页人。"; +$a->strings["Delegate Page Management"] = "页代表管理"; +$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"] = "加"; +$a->strings["No entries."] = "没有项目。"; +$a->strings["Common Friends"] = "普通朋友们"; +$a->strings["No contacts in common."] = "没有共同熟人。"; +$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["%1\$s is currently %2\$s"] = "%1\$s现在是%2\$s"; +$a->strings["Mood"] = "心情"; +$a->strings["Set your current mood and tell your friends"] = "选择现在的心情而告诉朋友们"; +$a->strings["Do you really want to delete this suggestion?"] = "您真的想删除这个建议吗?"; +$a->strings["Friend Suggestions"] = "友谊建议"; +$a->strings["No suggestions available. If this is a new site, please try again in 24 hours."] = "没有建议。如果这是新网站,请24小时后再试。"; +$a->strings["Ignore/Hide"] = "不理/隐藏"; +$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["Likes"] = "喜欢"; +$a->strings["Dislikes"] = "不喜欢"; +$a->strings["Work/Employment"] = "工作"; +$a->strings["Religion"] = "宗教"; +$a->strings["Political Views"] = "政治观念"; +$a->strings["Gender"] = "性别"; +$a->strings["Sexual Preference"] = "性取向"; +$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["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["Profile Name:"] = "简介名:"; +$a->strings["Your Full Name:"] = "你的全名:"; +$a->strings["Title/Description:"] = "标题/描述:"; +$a->strings["Your Gender:"] = "你的性:"; +$a->strings["Birthday (%s):"] = "生日(%s):"; +$a->strings["Street Address:"] = "地址:"; +$a->strings["Locality/City:"] = "现场/城市:"; +$a->strings["Postal/Zip Code:"] = "邮政编码:"; +$a->strings["Country:"] = "国家:"; +$a->strings["Region/State:"] = "区域/省"; +$a->strings[" Marital Status:"] = "婚姻状况:"; +$a->strings["Who: (if applicable)"] = "谁:(要是使用)"; +$a->strings["Examples: cathy123, Cathy Williams, cathy@example.com"] = "比如:limou,李某,limou@example。com"; +$a->strings["Since [date]:"] = "追溯[日期]:"; +$a->strings["Sexual Preference:"] = "性取向"; +$a->strings["Homepage URL:"] = "主页URL:"; +$a->strings["Hometown:"] = "故乡:"; +$a->strings["Political Views:"] = "政治观念:"; +$a->strings["Religious Views:"] = " 宗教信仰 :"; +$a->strings["Public Keywords:"] = "公开关键字 :"; +$a->strings["Private Keywords:"] = "私人关键字"; +$a->strings["Likes:"] = "喜欢:"; +$a->strings["Dislikes:"] = "不喜欢:"; +$a->strings["Example: fishing photography software"] = "例如:钓鱼 照片 软件"; +$a->strings["(Used for suggesting potential friends, can be seen by others)"] = "(用于建议可能的朋友们,会被别人看)"; +$a->strings["(Used for searching profiles, never shown to others)"] = "(用于搜索简介,没有给别人看)"; +$a->strings["Tell us about yourself..."] = "给我们自我介绍..."; +$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["This is your public profile.
    It may be visible to anybody using the internet."] = "这是你的公开的简介。
    可能被所有的因特网用的看到。"; +$a->strings["Edit/Manage 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["Item not found"] = "项目没找到"; +$a->strings["Edit post"] = "编辑文章"; +$a->strings["upload photo"] = "上传照片"; +$a->strings["Attach file"] = "附上文件"; +$a->strings["attach file"] = "附上文件"; +$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["Permission settings"] = "权设置"; +$a->strings["CC: email addresses"] = "抄送: 电子邮件地址"; +$a->strings["Public post"] = "公开的消息"; +$a->strings["Set title"] = "指定标题"; +$a->strings["Categories (comma-separated list)"] = "种类(逗号分隔单)"; +$a->strings["Example: bob@example.com, mary@example.com"] = "比如: li@example.com, wang@example.com"; +$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["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["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["Remote privacy information not available."] = "摇隐私信息无效"; +$a->strings["Visible to:"] = "可见给:"; +$a->strings["Personal Notes"] = "私人便条"; +$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["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["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."] = array( + 0 => "%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["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["Photo Albums"] = "相册"; +$a->strings["Contact Photos"] = "熟人照片"; +$a->strings["Upload New Photos"] = "上传新照片"; +$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被%3\$s标签在%2\$s"; +$a->strings["a photo"] = "一张照片"; +$a->strings["Image exceeds size limit of "] = "图片超出最大尺寸"; +$a->strings["Image file is empty."] = "图片文件空的。"; +$a->strings["No photos selected"] = "没有照片挑选了"; +$a->strings["You have used %1$.2f Mbytes of %2$.2f Mbytes photo storage."] = "您用%2$.2f兆字节的%1$.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["Permissions"] = "权利"; +$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["Rotate CW (right)"] = "顺时针地转动(左)"; +$a->strings["Rotate CCW (left)"] = "反顺时针地转动(右)"; +$a->strings["New album name"] = "新册名"; +$a->strings["Caption"] = "字幕"; +$a->strings["Add a Tag"] = "加标签"; +$a->strings["Example: @bob, @Barbara_Jensen, @jim@example.com, #California, #camping"] = "例子:@zhang, @Zhang_San, @li@example.com, #Beijing, #ktv"; +$a->strings["Private photo"] = "私人照相"; +$a->strings["Public photo"] = "公开照相"; +$a->strings["Share"] = "分享"; +$a->strings["Recent Photos"] = "最近的照片"; +$a->strings["Account approved."] = "账户批准了"; +$a->strings["Registration revoked for %s"] = "%s的登记撤销了"; +$a->strings["Please login."] = "清登录。"; +$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 (statusnet/identi.ca) or from Diaspora"] = "这个特点是在试验阶段。我们进口不了Ostatus网络(statusnet/identi.ca)或Diaspora熟人"; +$a->strings["Account file"] = "账户文件"; +$a->strings["To export your account, go to \"Settings->Export your personal data\" and select \"Export account\""] = "为出口您账户,点击「设置→出口您私人信息」和选择「出口账户」"; +$a->strings["Item not available."] = "项目不可用的"; +$a->strings["Item was not found."] = "找不到项目。"; +$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["Logout"] = "注销"; +$a->strings["Nickname or Email address: "] = "绰号或电子邮件地址: "; +$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["Requested account is not available."] = "要求的账户不可用。"; +$a->strings["Edit profile"] = "修改简介"; +$a->strings["Message"] = "通知"; +$a->strings["Profiles"] = "简介"; +$a->strings["Manage/edit profiles"] = "管理/修改简介"; +$a->strings["Network:"] = "网络"; +$a->strings["g A l F d"] = "g A l d F"; +$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["Status"] = "现状"; +$a->strings["Status Messages and Posts"] = "现状通知和文章"; +$a->strings["Profile Details"] = "简介内容"; +$a->strings["Videos"] = "视频"; +$a->strings["Events and Calendar"] = "项目和日历"; +$a->strings["Only You Can See This"] = "只您许看这个"; +$a->strings["This entry was edited"] = "这个文章被编辑了"; +$a->strings["ignore thread"] = "忽视主题"; +$a->strings["unignore thread"] = "别忽视主题"; +$a->strings["toggle ignore status"] = "切换忽视状态"; +$a->strings["ignored"] = "忽视"; +$a->strings["Categories:"] = "种类:"; +$a->strings["Filed under:"] = "归档在:"; +$a->strings["via"] = "经过"; +$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."] = "造成数据库列表相遇错误。"; +$a->strings["Errors encountered performing database changes."] = ""; +$a->strings["Logged out."] = "注销了"; +$a->strings["We encountered a problem while logging in with the OpenID you provided. Please check the correct spelling of the ID."] = "我们用您输入的OpenID登录的时候碰到问题。请核实拼法是对的。"; +$a->strings["The error message was:"] = "错误通知是:"; +$a->strings["Add New Contact"] = "增添新的熟人"; +$a->strings["Enter address or web location"] = "输入地址或网位置"; +$a->strings["Example: bob@example.com, http://example.com/barbara"] = "比如:li@example.com, http://example.com/li"; +$a->strings["%d invitation available"] = array( + 0 => "%d邀请可用的", +); +$a->strings["Find People"] = "找人物"; +$a->strings["Enter name or interest"] = "输入名字或兴趣"; +$a->strings["Connect/Follow"] = "连接/关注"; +$a->strings["Examples: Robert Morgenstein, Fishing"] = "比如:李某,打鱼"; +$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["General Features"] = "总的特点"; +$a->strings["Multiple Profiles"] = "多简介"; +$a->strings["Ability to create multiple profiles"] = "能穿凿多简介"; +$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 fourm page is selected/deselected in ACL window."] = "添加/删除提示论坛页选择/淘汰在ACL窗户的时候。"; +$a->strings["Network Sidebar Widgets"] = "网络工具栏小窗口"; +$a->strings["Search by Date"] = "按日期搜索"; +$a->strings["Ability to select posts by date ranges"] = "能按时期范围选择文章"; +$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"] = "网络分享链接分页"; +$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["Connect URL missing."] = "连接URL失踪的。"; +$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."] = "输入的简介地址没有够消息。"; +$a->strings["An author or name was not found."] = "找不到作者或名。"; +$a->strings["No browser URL could be matched to this address."] = "这个地址没有符合什么游览器URL。"; +$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."] = "输入mailto:地址前为要求电子邮件检查。"; +$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["following"] = "关注"; +$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["Create a new group"] = "创造新组"; +$a->strings["Contacts not in any group"] = "熟人没有组"; +$a->strings["Miscellaneous"] = "形形色色"; +$a->strings["year"] = "年"; +$a->strings["month"] = "月"; +$a->strings["day"] = "日"; +$a->strings["never"] = "从未"; +$a->strings["less than a second ago"] = "一秒以内"; +$a->strings["years"] = "年"; +$a->strings["months"] = "月"; +$a->strings["week"] = "星期"; +$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["%s's birthday"] = "%s的生日"; +$a->strings["Happy Birthday %s"] = "生日快乐%s"; +$a->strings["Visible to everybody"] = "任何人可见的"; +$a->strings["show"] = "著"; +$a->strings["don't show"] = "别著"; +$a->strings["[no subject]"] = "[无题目]"; +$a->strings["stopped following"] = "结束关注了"; +$a->strings["Poke"] = "戳"; +$a->strings["View Status"] = "看现状"; +$a->strings["View Profile"] = "看简介"; +$a->strings["View Photos"] = "看照片"; +$a->strings["Network Posts"] = "网络文章"; +$a->strings["Edit Contact"] = "编辑熟人"; +$a->strings["Drop Contact"] = "删除熟人"; +$a->strings["Send PM"] = "法私人的新闻"; +$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."] = "表格安全令牌不对。最可能因为表格开着太久(三个小时以上)提交前。"; +$a->strings["event"] = "项目"; +$a->strings["%1\$s poked %2\$s"] = "%1\$s把%2\$s戳"; +$a->strings["poked"] = "戳了"; +$a->strings["post/item"] = "文章/项目"; +$a->strings["%1\$s marked %2\$s's %3\$s as favorite"] = "%1\$s标注%2\$s的%3\$s为偏爱"; +$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["%2\$d people like this"] = "%2\$d人们喜欢这个"; +$a->strings["%2\$d people don't like this"] = "%2\$d人们不喜欢这个"; +$a->strings["and"] = "和"; +$a->strings[", and %d other people"] = ",和%d别人"; +$a->strings["%s like this."] = "%s喜欢这个"; +$a->strings["%s don't like this."] = "%s不喜欢这个"; +$a->strings["Visible to everybody"] = "大家可见的"; +$a->strings["Please enter a video link/URL:"] = "请输入视频连接/URL:"; +$a->strings["Please enter an audio link/URL:"] = "请输入音响连接/URL:"; +$a->strings["Tag term:"] = "标签:"; +$a->strings["Where are you right now?"] = "你在哪里?"; +$a->strings["Delete item(s)?"] = "把项目删除吗?"; +$a->strings["Post to Email"] = "电邮发布"; +$a->strings["Connectors disabled, since \"%s\" is enabled."] = "连接器已停用,因为\"%s\"启用。"; +$a->strings["permissions"] = "权利"; +$a->strings["Post to Groups"] = "发到组"; +$a->strings["Post to Contacts"] = "发到熟人"; +$a->strings["Private post"] = "私人文章"; +$a->strings["view full size"] = "看全尺寸"; +$a->strings["newer"] = "更新"; +$a->strings["older"] = "更旧"; +$a->strings["prev"] = "上个"; +$a->strings["first"] = "首先"; +$a->strings["last"] = "最后"; +$a->strings["next"] = "下个"; +$a->strings["No contacts"] = "没有熟人"; +$a->strings["%d Contact"] = array( + 0 => "%d熟人", +); +$a->strings["poke"] = "戳"; +$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["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["bytes"] = "字节"; +$a->strings["Click to open/close"] = "点击为开关"; +$a->strings["default"] = "默认"; +$a->strings["Select an alternate language"] = "选择别的语言"; +$a->strings["activity"] = "活动"; +$a->strings["post"] = "文章"; +$a->strings["Item filed"] = "把项目归档了"; +$a->strings["Image/photo"] = "图像/照片"; +$a->strings["%2\$s %3\$s"] = ""; +$a->strings["%s wrote the following post"] = "%s写了下面的消息"; +$a->strings["$1 wrote:"] = "$1写:"; +$a->strings["Encrypted content"] = "加密的内容"; +$a->strings["(no subject)"] = "沒有题目"; +$a->strings["noreply"] = "noreply"; +$a->strings["Cannot locate DNS info for database server '%s'"] = "找不到DNS信息为数据库服务器「%s」"; +$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["Weekly"] = "每周"; +$a->strings["Monthly"] = "每月"; +$a->strings["OStatus"] = "OStatus"; +$a->strings["RSS/Atom"] = "RSS/Atom"; +$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["Statusnet"] = "Statusnet"; +$a->strings["App.net"] = ""; +$a->strings[" on Last.fm"] = "在Last.fm"; +$a->strings["Starts:"] = "开始:"; +$a->strings["Finishes:"] = "结束:"; +$a->strings["j F, Y"] = "j F, Y"; +$a->strings["j F"] = "j F"; +$a->strings["Birthday:"] = "生日:"; +$a->strings["Age:"] = "年纪:"; +$a->strings["for %1\$d %2\$s"] = "为%1\$d %2\$s"; +$a->strings["Tags:"] = "标签:"; +$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["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["End this session"] = "结束这段时间"; +$a->strings["Your posts and conversations"] = "你的消息和交谈"; +$a->strings["Your profile page"] = "你的简介页"; +$a->strings["Your photos"] = "你的照片"; +$a->strings["Your videos"] = ""; +$a->strings["Your events"] = "你的项目"; +$a->strings["Personal notes"] = "私人的便条"; +$a->strings["Your personal notes"] = ""; +$a->strings["Sign in"] = "登记"; +$a->strings["Home Page"] = "主页"; +$a->strings["Create an account"] = "注册"; +$a->strings["Help and documentation"] = "帮助证件"; +$a->strings["Apps"] = "应用程序"; +$a->strings["Addon applications, utilities, games"] = "可加的应用,设施,游戏"; +$a->strings["Search site content"] = "搜索网站内容"; +$a->strings["Conversations on this site"] = "这个网站的交谈"; +$a->strings["Conversations on the network"] = ""; +$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["See all notifications"] = "看所有的通知"; +$a->strings["Mark all system notifications seen"] = "记号各系统通知看过的"; +$a->strings["Private mail"] = "私人的邮件"; +$a->strings["Inbox"] = "收件箱"; +$a->strings["Outbox"] = "发件箱"; +$a->strings["Manage"] = "代用户"; +$a->strings["Manage other pages"] = "管理别的页"; +$a->strings["Account settings"] = "帐户配置"; +$a->strings["Manage/Edit Profiles"] = "管理/编辑简介"; +$a->strings["Manage/edit friends and contacts"] = "管理/编朋友们和熟人们"; +$a->strings["Site setup and configuration"] = "网站开办和配置"; +$a->strings["Navigation"] = "航行"; +$a->strings["Site map"] = "网站地图"; +$a->strings["User not found."] = "找不到用户"; +$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["There is no status with this id."] = "没有什么状态跟这个ID"; +$a->strings["There is no conversation with this id."] = "没有这个ID的对话"; +$a->strings["Invalid request."] = ""; +$a->strings["Invalid item."] = ""; +$a->strings["Invalid action. "] = ""; +$a->strings["DB error"] = ""; +$a->strings["An invitation is required."] = "邀请必要的。"; +$a->strings["Invitation could not be verified."] = "不能证实邀请。"; +$a->strings["Invalid OpenID url"] = "无效的OpenID url"; +$a->strings["Please enter the required information."] = "请输入必要的信息。"; +$a->strings["Please use a shorter name."] = "请用短一点名。"; +$a->strings["Name too short."] = "名字太短。"; +$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."] = "不能用这个邮件地址。"; +$a->strings["Your \"nickname\" can only contain \"a-z\", \"0-9\", \"-\", and \"_\", and must also begin with a letter."] = "您的昵称只能包含\"a-z\",\"0-9\",\"-\"和\"_\",还有头一字必须是拉丁字。"; +$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["An error occurred creating your default profile. Please try again."] = "造成默认简介出了问题。请再试。"; +$a->strings["Friends"] = "朋友"; +$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["Sharing notification from Diaspora network"] = "分享通知从Diaspora网络"; +$a->strings["Attachments:"] = "附件:"; +$a->strings["Do you really want to delete this item?"] = "您真的想删除这个项目吗?"; +$a->strings["Archives"] = "档案"; +$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"] = "未决"; +$a->strings["Males"] = "男人"; +$a->strings["Females"] = "女人"; +$a->strings["Gay"] = "男同性恋的"; +$a->strings["Lesbian"] = "女同性恋的"; +$a->strings["No Preference"] = "无偏爱"; +$a->strings["Bisexual"] = "双性恋的"; +$a->strings["Autosexual"] = "自性的"; +$a->strings["Abstinent"] = "有节制的"; +$a->strings["Virgin"] = "原始的"; +$a->strings["Deviant"] = "变态"; +$a->strings["Fetish"] = "恋物对象"; +$a->strings["Oodles"] = "多多"; +$a->strings["Nonsexual"] = "无性"; +$a->strings["Single"] = "单身"; +$a->strings["Lonely"] = "寂寞"; +$a->strings["Available"] = "单身的"; +$a->strings["Unavailable"] = "不可获得的"; +$a->strings["Has crush"] = "迷恋"; +$a->strings["Infatuated"] = "痴迷"; +$a->strings["Dating"] = "约会"; +$a->strings["Unfaithful"] = "外遇"; +$a->strings["Sex Addict"] = "性交因成瘾者"; +$a->strings["Friends/Benefits"] = "朋友/益"; +$a->strings["Casual"] = "休闲"; +$a->strings["Engaged"] = "已订婚的"; +$a->strings["Married"] = "结婚"; +$a->strings["Imaginarily married"] = "想像结婚"; +$a->strings["Partners"] = "伴侣"; +$a->strings["Cohabiting"] = "同居"; +$a->strings["Common law"] = "普通法结婚"; +$a->strings["Happy"] = "幸福"; +$a->strings["Not looking"] = "没找"; +$a->strings["Swinger"] = "交换性伴侣的"; +$a->strings["Betrayed"] = "被背叛"; +$a->strings["Separated"] = "分手"; +$a->strings["Unstable"] = "不稳"; +$a->strings["Divorced"] = "离婚"; +$a->strings["Imaginarily divorced"] = "想像离婚"; +$a->strings["Widowed"] = "寡妇"; +$a->strings["Uncertain"] = "不确定"; +$a->strings["It's complicated"] = "是复杂"; +$a->strings["Don't care"] = "无所谓"; +$a->strings["Ask me"] = "问我"; +$a->strings["Friendica Notification"] = "Friendica 通知"; +$a->strings["Thank You,"] = "谢谢,"; +$a->strings["%s Administrator"] = "%s管理员"; +$a->strings["%s "] = "%s "; +$a->strings["[Friendica:Notify] New mail received at %s"] = "[Friendica:Notify]收到新邮件在%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的%4\$s[/url]评论了"; +$a->strings["%1\$s commented on [url=%2\$s]your %3\$s[/url]"] = "%1\$s于[url=%2\$s]您的%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:Notify] %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:Notify] 收到介绍"; +$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."] = "您从%2\$s收到[url=%1\$s]一个介绍[/url]。"; +$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"] = ""; +$a->strings["%1\$s is sharing with you at %2\$s"] = ""; +$a->strings["[Friendica:Notify] You have a new follower"] = ""; +$a->strings["You have a new follower at %2\$s : %1\$s"] = ""; +$a->strings["[Friendica:Notify] Friend suggestion received"] = "[Friendica:Notify] 收到朋友建议"; +$a->strings["You've received a friend suggestion from '%1\$s' at %2\$s"] = "您从「%2\$s」收到[url=%1\$s]一个朋友建议[/url]。"; +$a->strings["You've received [url=%1\$s]a friend suggestion[/url] for %2\$s from %3\$s."] = "您从%3\$s收到[url=%1\$s]一个朋友建议[/url]为%2\$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"] = ""; +$a->strings["'%1\$s' has acepted 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\n\twithout 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."] = "'%1\$s'选择欢迎你为\"迷\",限制有的沟通方式,比如死人交流和有的简介互动。如果这是名人或社会页,此设置是自动地施用。"; +$a->strings["'%1\$s' may choose to extend this into a two-way or more permissive relationship in the future. "] = ""; +$a->strings["[Friendica System:Notify] registration request"] = ""; +$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["Embedded content"] = "嵌入内容"; +$a->strings["Embedding disabled"] = "嵌入已停用"; +$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"] = array( + 0 => "%d熟人没进口了", +); +$a->strings["Done. You can now login with your username and password"] = "完了。您现在会用您用户名和密码登录"; +$a->strings["toggle mobile"] = "交替手机"; +$a->strings["Theme settings"] = "主题设置"; +$a->strings["Set resize level for images in posts and comments (width and height)"] = "选择图片在文章和评论的重设尺寸(宽和高)"; +$a->strings["Set font-size for posts and comments"] = "决定字体大小在文章和评论"; +$a->strings["Set theme width"] = "选择主题宽"; +$a->strings["Color scheme"] = " 色彩设计"; +$a->strings["Set line-height for posts and comments"] = "决定行高在文章和评论"; +$a->strings["Set colour scheme"] = "选择色彩设计"; +$a->strings["Alignment"] = "成直线 "; +$a->strings["Left"] = "左边"; +$a->strings["Center"] = "中间"; +$a->strings["Posts font size"] = "文章"; +$a->strings["Textareas font size"] = "文本区字体大小"; +$a->strings["Set resolution for middle column"] = "决定中栏的显示分辨率列表"; +$a->strings["Set color scheme"] = "选择色彩设计"; +$a->strings["Set zoomfactor for Earth Layer"] = "选择拉近镜头级在地球层"; +$a->strings["Set longitude (X) for Earth Layers"] = "选择经度(X)在地球层"; +$a->strings["Set latitude (Y) for Earth Layers"] = "选择纬度(Y)在地球层"; +$a->strings["Community Pages"] = "社会页"; +$a->strings["Earth Layers"] = "地球层"; +$a->strings["Community Profiles"] = "社会简介"; +$a->strings["Help or @NewHere ?"] = "帮助或@菜鸟?"; +$a->strings["Connect Services"] = "连接服务"; +$a->strings["Find Friends"] = "找朋友们"; +$a->strings["Last users"] = "上次用户"; +$a->strings["Last photos"] = "上次照片"; +$a->strings["Last likes"] = "上次喜欢"; +$a->strings["Your contacts"] = "您的熟人"; +$a->strings["Your personal photos"] = "你私人的照片"; +$a->strings["Local Directory"] = "当地目录"; +$a->strings["Set zoomfactor for Earth Layers"] = "选择拉近镜头级在地球层"; +$a->strings["Show/hide boxes at right-hand column:"] = "表示/隐藏盒子在友兰:"; +$a->strings["Set style"] = "选择款式"; +$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"] = "变化"; From 1a75503b1c1163b36b786c7de8ec59a5005c0a3f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 10 Feb 2015 08:22:21 +0100 Subject: [PATCH 183/294] Relocated the cache code. --- include/items.php | 11 +---------- include/text.php | 12 ++++++++++++ mod/item.php | 19 +++++++------------ 3 files changed, 20 insertions(+), 22 deletions(-) diff --git a/include/items.php b/include/items.php index 8bb981b6de..93bc4cc979 100644 --- a/include/items.php +++ b/include/items.php @@ -1480,16 +1480,7 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa if (!$deleted AND !$dontcache) { // Store the fresh generated item into the cache - $cachefile = get_cachefile(urlencode($arr["guid"])."-".hash("md5", $arr['body'])); - - if (($cachefile != '') AND !file_exists($cachefile)) { - $s = prepare_text($arr['body']); - $a = get_app(); - $stamp1 = microtime(true); - file_put_contents($cachefile, $s); - $a->save_timestamp($stamp1, "file"); - logger('item_store: put item '.$current_post.' into cachefile '.$cachefile); - } + put_item_in_cache($arr); $r = q('SELECT * FROM `item` WHERE id = %d', intval($current_post)); if (count($r) == 1) { diff --git a/include/text.php b/include/text.php index 43b321e98a..a9edbf7611 100644 --- a/include/text.php +++ b/include/text.php @@ -1281,6 +1281,18 @@ function redir_private_images($a, &$item) { }} +function put_item_in_cache($item) { + $cachefile = get_cachefile(urlencode($item["guid"])."-".hash("md5", $item['body'])); + + if (($cachefile != '') AND !file_exists($cachefile)) { + $s = prepare_text($item['body']); + $a = get_app(); + $stamp1 = microtime(true); + file_put_contents($cachefile, $s); + $a->save_timestamp($stamp1, "file"); + logger('put item '.$item["guid"].' into cachefile '.$cachefile); + } +} // Given an item array, convert the body element from bbcode to html and add smilie icons. // If attach is true, also add icons for item attachments diff --git a/mod/item.php b/mod/item.php index a66535d7de..a3a8dd938e 100644 --- a/mod/item.php +++ b/mod/item.php @@ -22,6 +22,7 @@ require_once('library/langdet/Text/LanguageDetect.php'); require_once('include/tags.php'); require_once('include/files.php'); require_once('include/threads.php'); +require_once('include/text.php'); function item_post(&$a) { @@ -824,21 +825,12 @@ function item_post(&$a) { if(count($r)) { $post_id = $r[0]['id']; logger('mod_item: saved item ' . $post_id); - add_thread($post_id); // update filetags in pconfig file_tag_update_pconfig($uid,$categories_old,$categories_new,'category'); // Store the fresh generated item into the cache - $cachefile = get_cachefile(urlencode($datarray["guid"])."-".hash("md5", $datarray['body'])); - - if (($cachefile != '') AND !file_exists($cachefile)) { - $s = prepare_text($datarray['body']); - $stamp1 = microtime(true); - file_put_contents($cachefile, $s); - $a->save_timestamp($stamp1, "file"); - logger('mod_item: put item '.$r[0]['id'].' into cachefile '.$cachefile); - } + put_item_in_cache($datarray); if($parent) { @@ -947,7 +939,8 @@ function item_post(&$a) { dbesc(datetime_convert()), intval($parent) ); - update_thread($parent); + if ($post_id != $parent) + update_thread($parent); $datarray['id'] = $post_id; $datarray['plink'] = $a->get_baseurl().'/display/'.urlencode($datarray['guid']); @@ -990,7 +983,9 @@ function item_post(&$a) { create_tags_from_item($post_id); create_files_from_item($post_id); - update_thread($post_id); + + if ($post_id == $parent) + add_thread($post_id); // This is a real juggling act on shared hosting services which kill your processes // e.g. dreamhost. We used to start delivery to our native delivery agents in the background From 2bb8b77123453c053c3fffaf47ef91317d3161f0 Mon Sep 17 00:00:00 2001 From: Matthew Exon Date: Sun, 14 Sep 2014 05:00:33 +0200 Subject: [PATCH 184/294] Close cURL handle before recursing, so that cookie file is flushed --- include/network.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/network.php b/include/network.php index 251de07c42..83d4c731a9 100644 --- a/include/network.php +++ b/include/network.php @@ -71,6 +71,7 @@ function fetch_url($url,$binary = false, &$redirects = 0, $timeout = 0, $accept_ $base = $s; $curl_info = @curl_getinfo($ch); + @curl_close($ch); $http_code = $curl_info['http_code']; logger('fetch_url '.$url.': '.$http_code." ".$s, LOGGER_DATA); $header = ''; @@ -110,7 +111,6 @@ function fetch_url($url,$binary = false, &$redirects = 0, $timeout = 0, $accept_ $body = substr($s,strlen($header)); $a->set_curl_headers($header); - @curl_close($ch); $a->save_timestamp($stamp1, "network"); From 3c8fc863a8163632e193849ad90e6bc7be68b6f0 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Wed, 11 Feb 2015 07:19:48 +0100 Subject: [PATCH 185/294] The "share a post" notification is now sent based upon mentions as well. --- include/items.php | 17 ++++++++++++++++- 1 file changed, 16 insertions(+), 1 deletion(-) diff --git a/include/items.php b/include/items.php index 93bc4cc979..fb357d4db7 100644 --- a/include/items.php +++ b/include/items.php @@ -1503,8 +1503,23 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa intval($arr['contact-id']), intval($arr['uid']) ); + $send_notification = count($r); - if(count($r)) { + if (!$send_notification) { + $tags = q("SELECT `url` FROM `term` WHERE `otype` = %d AND `oid` = %d AND `type` = %d AND `uid` = %d", + intval(TERM_OBJ_POST), intval($current_post), intval(TERM_MENTION), intval($arr['uid'])); + + if (count($tags)) { + foreach ($tags AS $tag) { + $r = q("SELECT `id` FROM `contact` WHERE `nurl` = '%s' AND `uid` = %d AND `notify_new_posts`", + normalise_link($tag["url"]), intval($arr['uid'])); + if (count($r)) + $send_notification = true; + } + } + } + + if ($send_notification) { logger('item_store: Send notification for contact '.$arr['contact-id'].' and post '.$current_post, LOGGER_DEBUG); $u = q("SELECT * FROM user WHERE uid = %d LIMIT 1", intval($arr['uid'])); From e3b6770ad4b452841da25d5275ae8e2fbcb5b148 Mon Sep 17 00:00:00 2001 From: Tobias Diekershoff Date: Thu, 12 Feb 2015 07:59:21 +0100 Subject: [PATCH 186/294] CS, ZH-CN: update to the strings --- view/cs/messages.po | 26 +++++++++++++------------- view/cs/strings.php | 24 ++++++++++++------------ view/zh-cn/messages.po | 20 ++++++++++---------- view/zh-cn/strings.php | 18 +++++++++--------- 4 files changed, 44 insertions(+), 44 deletions(-) diff --git a/view/cs/messages.po b/view/cs/messages.po index b698b17e04..1c3cac1dba 100644 --- a/view/cs/messages.po +++ b/view/cs/messages.po @@ -10,7 +10,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2015-02-09 08:57+0100\n" -"PO-Revision-Date: 2015-02-09 17:39+0000\n" +"PO-Revision-Date: 2015-02-11 19:36+0000\n" "Last-Translator: Michal Šupler \n" "Language-Team: Czech (http://www.transifex.com/projects/p/friendica/language/cs/)\n" "MIME-Version: 1.0\n" @@ -1949,7 +1949,7 @@ msgstr "Komunitní stránka neexistuje" #: ../../mod/admin.php:563 msgid "Public postings from users of this site" -msgstr "" +msgstr "Počet veřejných příspěvků od uživatele na této stránce" #: ../../mod/admin.php:564 msgid "Global community page" @@ -2057,7 +2057,7 @@ msgstr "Ikona zkratky" #: ../../mod/admin.php:634 msgid "Touch icon" -msgstr "" +msgstr "Dotyková ikona" #: ../../mod/admin.php:635 msgid "Additional Info" @@ -2351,17 +2351,17 @@ msgstr "Styl komunitní stránky" msgid "" "Type of community page to show. 'Global community' shows every public " "posting from an open distributed network that arrived on this server." -msgstr "" +msgstr "Typ komunitní stránky k zobrazení. 'Glogální komunita' zobrazuje každý veřejný příspěvek z otevřené distribuované sítě, která dorazí na tento server." #: ../../mod/admin.php:668 msgid "Posts per user on community page" -msgstr "" +msgstr "Počet příspěvků na komunitní stránce" #: ../../mod/admin.php:668 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "'Global Community')" -msgstr "" +msgstr "Maximální počet příspěvků na uživatele na komunitní sptránce. (neplatí pro 'Globální komunitu')" #: ../../mod/admin.php:669 msgid "Enable OStatus support" @@ -2483,7 +2483,7 @@ msgstr "Potlačit štítky" #: ../../mod/admin.php:683 msgid "Suppress showing a list of hashtags at the end of the posting." -msgstr "" +msgstr "Potlačit zobrazení listu hastagů na konci zprávy." #: ../../mod/admin.php:684 msgid "Path to item cache" @@ -2531,21 +2531,21 @@ msgstr "Obrázková proxi zvyšuje výkonnost a soukromí. Neměla by být použ #: ../../mod/admin.php:691 msgid "Enable old style pager" -msgstr "" +msgstr "Aktivovat \"old style\" stránkování " #: ../../mod/admin.php:691 msgid "" "The old style pager has page numbers but slows down massively the page " "speed." -msgstr "" +msgstr " \"old style\" stránkování zobrazuje čísla stránek ale značně zpomaluje rychlost stránky." #: ../../mod/admin.php:692 msgid "Only search in tags" -msgstr "" +msgstr "Hledat pouze ve štítkách" #: ../../mod/admin.php:692 msgid "On large systems the text search can slow down the system extremely." -msgstr "" +msgstr "Textové vyhledávání může u rozsáhlých systémů znamenat velmi citelné zpomalení systému." #: ../../mod/admin.php:694 msgid "New base url" @@ -2646,7 +2646,7 @@ msgid "" "\t\t\tyou to make some new and interesting friends.\n" "\n" "\t\t\tThank you and welcome to %4$s." -msgstr "" +msgstr "\n\t\t\tVaše přihlašovací údaje jsou následující:\n\n\t\t\tAdresa webu: \t%1$s\n\t\t\tpřihlašovací jméno:\t\t%2$s\n\t\t\theslo:\t\t%3$s\n\n\t\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou. \n\n\t\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné. Pokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\t\t\tDíky a vítejte na %4$s." #: ../../mod/admin.php:838 ../../include/user.php:413 #, php-format @@ -6880,7 +6880,7 @@ msgstr "Konverzace na tomto webu" #: ../../include/nav.php:131 msgid "Conversations on the network" -msgstr "" +msgstr "Konverzace v síti" #: ../../include/nav.php:133 msgid "Directory" diff --git a/view/cs/strings.php b/view/cs/strings.php index 28147ad493..9b38cc8215 100644 --- a/view/cs/strings.php +++ b/view/cs/strings.php @@ -422,7 +422,7 @@ $a->strings["Can not parse base url. Must have at least ://"] = $a->strings["Site settings updated."] = "Nastavení webu aktualizováno."; $a->strings["No special theme for mobile devices"] = "žádné speciální téma pro mobilní zařízení"; $a->strings["No community page"] = "Komunitní stránka neexistuje"; -$a->strings["Public postings from users of this site"] = ""; +$a->strings["Public postings from users of this site"] = "Počet veřejných příspěvků od uživatele na této stránce"; $a->strings["Global community page"] = "Globální komunitní stránka"; $a->strings["At post arrival"] = "Při obdržení příspěvku"; $a->strings["Frequently"] = "Často"; @@ -448,7 +448,7 @@ $a->strings["Host name"] = "Jméno hostitele (host name)"; $a->strings["Sender Email"] = "Email ddesílatele"; $a->strings["Banner/Logo"] = "Banner/logo"; $a->strings["Shortcut icon"] = "Ikona zkratky"; -$a->strings["Touch icon"] = ""; +$a->strings["Touch icon"] = "Dotyková ikona"; $a->strings["Additional Info"] = "Dodatečné informace"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "Pro veřejné servery: zde můžete doplnit dodatečné informace, které budou uvedeny v seznamu na dir.friendica.com/siteinfo."; $a->strings["System language"] = "Systémový jazyk"; @@ -510,9 +510,9 @@ $a->strings["Force users to register with a space between firstname and lastname $a->strings["UTF-8 Regular expressions"] = "UTF-8 Regulární výrazy"; $a->strings["Use PHP UTF8 regular expressions"] = "Použít PHP UTF8 regulární výrazy."; $a->strings["Community Page Style"] = "Styl komunitní stránky"; -$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["Type of community page to show. 'Global community' shows every public posting from an open distributed network that arrived on this server."] = "Typ komunitní stránky k zobrazení. 'Glogální komunita' zobrazuje každý veřejný příspěvek z otevřené distribuované sítě, která dorazí na tento server."; +$a->strings["Posts per user on community page"] = "Počet příspěvků na komunitní stránce"; +$a->strings["The maximum number of posts per user on the community page. (Not valid for 'Global Community')"] = "Maximální počet příspěvků na uživatele na komunitní sptránce. (neplatí pro 'Globální komunitu')"; $a->strings["Enable OStatus support"] = "Zapnout podporu 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."] = "Poskytnout zabudouvanou kompatibilitu s OStatus (StatusNet, GNU Social apod.). Veškerá komunikace s OStatus je veřejná, proto bude občas zobrazeno upozornění."; $a->strings["OStatus conversation completion interval"] = "Interval dokončení konverzace OStatus"; @@ -538,7 +538,7 @@ $a->strings["Activates the full text engine. Speeds up search - but can only sea $a->strings["Suppress Language"] = "Potlačit Jazyk"; $a->strings["Suppress language information in meta information about a posting."] = "Potlačit jazykové informace v meta informacích o příspěvcích"; $a->strings["Suppress Tags"] = "Potlačit štítky"; -$a->strings["Suppress showing a list of hashtags at the end of the posting."] = ""; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = "Potlačit zobrazení listu hastagů na konci zprávy."; $a->strings["Path to item cache"] = "Cesta k položkám vyrovnávací paměti"; $a->strings["Cache duration in seconds"] = "Doba platnosti vyrovnávací paměti v sekundách"; $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."] = "Jak dlouho by měla vyrovnávací paměť držet data? Výchozí hodnota je 86400 sekund (Jeden den). Pro vypnutí funkce vyrovnávací paměti nastavte hodnotu na -1."; @@ -549,10 +549,10 @@ $a->strings["Temp path"] = "Cesta k dočasným souborům"; $a->strings["Base path to installation"] = "Základní cesta k instalaci"; $a->strings["Disable picture proxy"] = "Vypnutí obrázkové proxy"; $a->strings["The picture proxy increases performance and privacy. It shouldn't be used on systems with very low bandwith."] = "Obrázková proxi zvyšuje výkonnost a soukromí. Neměla by být použita na systémech s pomalým připojením k síti."; -$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["Enable old style pager"] = "Aktivovat \"old style\" stránkování "; +$a->strings["The old style pager has page numbers but slows down massively the page speed."] = " \"old style\" stránkování zobrazuje čísla stránek ale značně zpomaluje rychlost stránky."; +$a->strings["Only search in tags"] = "Hledat pouze ve štítkách"; +$a->strings["On large systems the text search can slow down the system extremely."] = "Textové vyhledávání může u rozsáhlých systémů znamenat velmi citelné zpomalení systému."; $a->strings["New base url"] = "Nová výchozí url adresa"; $a->strings["Update has been marked successful"] = "Aktualizace byla označena jako úspěšná."; $a->strings["Database structure update %s was successfully applied."] = "Aktualizace struktury databáze %s byla úspěšně aplikována."; @@ -568,7 +568,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)"] = "Označit za úspěšné (pokud byla aktualizace aplikována manuálně)"; $a->strings["Attempt to execute this update step automatically"] = "Pokusit se provést tuto aktualizaci automaticky."; $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\tDrahý %1\$s,\n\t\t\t\tadministrátor webu %2\$s pro Vás vytvořil uživatelský účet."; -$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["\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\tVaše přihlašovací údaje jsou následující:\n\n\t\t\tAdresa webu: \t%1\$s\n\t\t\tpřihlašovací jméno:\t\t%2\$s\n\t\t\theslo:\t\t%3\$s\n\n\t\t\tHeslo si můžete změnit na stránce \"Nastavení\" vašeho účtu poté, co se přihlásíte.\n\n\t\t\tProsím věnujte pár chvil revizi dalšího nastavení vašeho účtu na dané stránce.\n\n\t\t\tTaké su můžete přidat nějaké základní informace do svého výchozího profilu (na stránce \"Profily\"), takže ostatní lidé vás snáze najdou. \n\n\t\t\tDoporučujeme Vám uvést celé jméno a i foto. Přidáním nějakých \"klíčových slov\" (velmi užitečné pro hledání nových přátel) a možná také zemi, ve které žijete, pokud nechcete být více konkrétní.\n\n\t\t\tPlně resepktujeme vaše právo na soukromí a nic z výše uvedeného není povinné. Pokud jste zde nový a neznáte zde nikoho, uvedením daných informací můžete získat nové přátele.\n\n\t\t\tDíky a vítejte na %4\$s."; $a->strings["Registration details for %s"] = "Registrační údaje pro %s"; $a->strings["%s user blocked/unblocked"] = array( 0 => "%s uživatel blokován/odblokován", @@ -1585,7 +1585,7 @@ $a->strings["Apps"] = "Aplikace"; $a->strings["Addon applications, utilities, games"] = "Doplňkové aplikace, nástroje, hry"; $a->strings["Search site content"] = "Hledání na stránkách tohoto webu"; $a->strings["Conversations on this site"] = "Konverzace na tomto webu"; -$a->strings["Conversations on the network"] = ""; +$a->strings["Conversations on the network"] = "Konverzace v síti"; $a->strings["Directory"] = "Adresář"; $a->strings["People directory"] = "Adresář"; $a->strings["Information"] = "Informace"; diff --git a/view/zh-cn/messages.po b/view/zh-cn/messages.po index ad5cc1a993..5dfc6d1217 100644 --- a/view/zh-cn/messages.po +++ b/view/zh-cn/messages.po @@ -11,7 +11,7 @@ msgstr "" "Project-Id-Version: friendica\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2015-02-09 08:57+0100\n" -"PO-Revision-Date: 2015-02-10 06:45+0000\n" +"PO-Revision-Date: 2015-02-11 09:48+0000\n" "Last-Translator: Matthew Exon \n" "Language-Team: Chinese (China) (http://www.transifex.com/projects/p/friendica/language/zh_CN/)\n" "MIME-Version: 1.0\n" @@ -1948,7 +1948,7 @@ msgstr "本网站用户的公开文章" #: ../../mod/admin.php:564 msgid "Global community page" -msgstr "" +msgstr "全球社会页" #: ../../mod/admin.php:570 msgid "At post arrival" @@ -2048,11 +2048,11 @@ msgstr "标题/标志" #: ../../mod/admin.php:633 msgid "Shortcut icon" -msgstr "" +msgstr "捷径小图片" #: ../../mod/admin.php:634 msgid "Touch icon" -msgstr "" +msgstr "触摸小图片" #: ../../mod/admin.php:635 msgid "Additional Info" @@ -2340,23 +2340,23 @@ msgstr "用PHP UTF8正则表达式" #: ../../mod/admin.php:667 msgid "Community Page Style" -msgstr "" +msgstr "社会页款式" #: ../../mod/admin.php:667 msgid "" "Type of community page to show. 'Global community' shows every public " "posting from an open distributed network that arrived on this server." -msgstr "" +msgstr "社会页种类将显示。“全球社会”显示所有公开的文章从某网络到达本服务器。" #: ../../mod/admin.php:668 msgid "Posts per user on community page" -msgstr "" +msgstr "个用户文章数量在社会页" #: ../../mod/admin.php:668 msgid "" "The maximum number of posts per user on the community page. (Not valid for " "'Global Community')" -msgstr "" +msgstr "一个用户最多文章在社会页。(无效在“全球社会”)" #: ../../mod/admin.php:669 msgid "Enable OStatus support" @@ -2474,11 +2474,11 @@ msgstr "遗漏语言消息从文章的描述" #: ../../mod/admin.php:683 msgid "Suppress Tags" -msgstr "" +msgstr "压制标签" #: ../../mod/admin.php:683 msgid "Suppress showing a list of hashtags at the end of the posting." -msgstr "" +msgstr "别显示主題標籤列表在文章后面。" #: ../../mod/admin.php:684 msgid "Path to item cache" diff --git a/view/zh-cn/strings.php b/view/zh-cn/strings.php index 47e55da207..deb9a11f4c 100644 --- a/view/zh-cn/strings.php +++ b/view/zh-cn/strings.php @@ -417,7 +417,7 @@ $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["Global community page"] = ""; +$a->strings["Global community page"] = "全球社会页"; $a->strings["At post arrival"] = "收件的时候"; $a->strings["Frequently"] = "时常"; $a->strings["Hourly"] = "每小时"; @@ -441,8 +441,8 @@ $a->strings["Site name"] = "网页名字"; $a->strings["Host name"] = "服务器名"; $a->strings["Sender Email"] = "寄主邮件"; $a->strings["Banner/Logo"] = "标题/标志"; -$a->strings["Shortcut icon"] = ""; -$a->strings["Touch icon"] = ""; +$a->strings["Shortcut icon"] = "捷径小图片"; +$a->strings["Touch icon"] = "触摸小图片"; $a->strings["Additional Info"] = "别的消息"; $a->strings["For public servers: you can add additional information here that will be listed at dir.friendica.com/siteinfo."] = "公共服务器:您会这里添加消息要列在dir.friendica.com/siteinfo。"; $a->strings["System language"] = "系统语言"; @@ -503,10 +503,10 @@ $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["UTF-8 Regular expressions"] = "UTF-8正则表达式"; $a->strings["Use PHP UTF8 regular expressions"] = "用PHP UTF8正则表达式"; -$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["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."] = "提供OStatus(StatusNet,GNU Social,等)兼容性。所有OStatus的交通是公开的,所以私事警告偶尔来表示。"; $a->strings["OStatus conversation completion interval"] = "OStatus对话完成间隔"; @@ -531,8 +531,8 @@ $a->strings["Use MySQL full text engine"] = "用MySQL全正文机车"; $a->strings["Activates the full text engine. Speeds up search - but can only search for four and more characters."] = "使全正文机车可用。把搜索催-可是只能搜索4字以上"; $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["Suppress Tags"] = "压制标签"; +$a->strings["Suppress showing a list of hashtags at the end of the posting."] = "别显示主題標籤列表在文章后面。"; $a->strings["Path to item cache"] = "路线到项目缓存"; $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."] = "高速缓存要存文件多久?默认是86400秒钟(一天)。停用高速缓存,输入-1。"; From 12d7ca9b84cfbdae25144770d48092c58f46d783 Mon Sep 17 00:00:00 2001 From: Johannes Schwab Date: Thu, 5 Feb 2015 11:29:14 +0100 Subject: [PATCH 187/294] improved infinite scrollling --- include/text.php | 12 ++++++++++++ index.php | 20 ++++++++++++++------ mod/network.php | 4 +++- view/templates/scroll_loader.tpl | 8 ++++++++ view/theme/duepuntozero/deriv/darkzero.css | 2 +- view/theme/duepuntozero/style.css | 3 ++- view/theme/frost-mobile/style.css | 3 ++- view/theme/frost/style.css | 3 ++- view/theme/vier/style.css | 3 ++- 9 files changed, 46 insertions(+), 12 deletions(-) create mode 100644 view/templates/scroll_loader.tpl diff --git a/include/text.php b/include/text.php index 43b321e98a..535c36d235 100644 --- a/include/text.php +++ b/include/text.php @@ -385,6 +385,18 @@ function alt_pager(&$a, $i) { }} +if(! function_exists('scroll_loader')) { +/** + * Loader for infinite scrolling + * @return string html for loader + */ +function scroll_loader() { + $tpl = get_markup_template("scroll_loader.tpl"); + return replace_macros($tpl, array( + 'wait' => t('Loading more entries...'), + 'end' => t('The end') + )); +}} if(! function_exists('expand_acl')) { /** diff --git a/index.php b/index.php index 5dcb9a54a0..295db01da2 100644 --- a/index.php +++ b/index.php @@ -498,30 +498,38 @@ $(document).ready(function() { }); function loadcontent() { - //$("div.loader").show(); + if (lockLoadContent) return; + lockLoadContent = true; + + $("#scroll-loader").fadeIn('normal'); num+=1; console.log('Loading page ' + num); $.get('/network?mode=raw$reload_uri&page=' + num, function(data) { - $(data).insertBefore('#conversation-end'); + $("#scroll-loader").hide(); + if ($(data).length > 0) { + $(data).insertBefore('#conversation-end'); + lockLoadContent = false; + } else { + $("#scroll-end").fadeIn('normal'); + } }); - - //$("div.loader").fadeOut('normal'); } var num = $pageno; +var lockLoadContent = false; $(window).scroll(function(e){ if ($(document).height() != $(window).height()) { // First method that is expected to work - but has problems with Chrome - if ($(window).scrollTop() == $(document).height() - $(window).height()) + if ($(window).scrollTop() > ($(document).height() - $(window).height() * 1.5)) loadcontent(); } else { // This method works with Chrome - but seems to be much slower in Firefox - if ($(window).scrollTop() > (($("section").height() + $("header").height() + $("footer").height()) - $(window).height())) + if ($(window).scrollTop() > (($("section").height() + $("header").height() + $("footer").height()) - $(window).height() * 1.5)) loadcontent(); } }); diff --git a/mod/network.php b/mod/network.php index f9d4b59ad6..a28840dae2 100644 --- a/mod/network.php +++ b/mod/network.php @@ -815,7 +815,9 @@ die("ss"); $o .= conversation($a,$items,$mode,$update); if(!$update) { - if(!get_config('system', 'old_pager')) { + if(get_pconfig(local_user(),'system','infinite_scroll')) { + $o .= scroll_loader(); + } elseif(!get_config('system', 'old_pager')) { $o .= alt_pager($a,count($items)); } else { $o .= paginate($a); diff --git a/view/templates/scroll_loader.tpl b/view/templates/scroll_loader.tpl new file mode 100644 index 0000000000..4adaa965b2 --- /dev/null +++ b/view/templates/scroll_loader.tpl @@ -0,0 +1,8 @@ + + + diff --git a/view/theme/duepuntozero/deriv/darkzero.css b/view/theme/duepuntozero/deriv/darkzero.css index d2b7a67d4d..fe2ad73cf2 100644 --- a/view/theme/duepuntozero/deriv/darkzero.css +++ b/view/theme/duepuntozero/deriv/darkzero.css @@ -95,7 +95,7 @@ input#dfrn-url { background-color: #222222; color: #FFFFFF !important; } -.pager_first a, .pager_last a, .pager_prev a, .pager_next a, .pager_n a, .pager_current { +.pager_first a, .pager_last a, .pager_prev a, .pager_next a, .pager_n a, .pager_current, .scroll_loader_text { color: #000088; } diff --git a/view/theme/duepuntozero/style.css b/view/theme/duepuntozero/style.css index 26e949dfd6..1b20042a5d 100644 --- a/view/theme/duepuntozero/style.css +++ b/view/theme/duepuntozero/style.css @@ -1476,7 +1476,8 @@ blockquote.shared_content { .pager_last, .pager_prev, .pager_next, -.pager_n { +.pager_n, +.scroll_loader_text { border: 1px solid black; background: #EEE; padding: 4px; diff --git a/view/theme/frost-mobile/style.css b/view/theme/frost-mobile/style.css index dc90c76236..f4b46fed84 100644 --- a/view/theme/frost-mobile/style.css +++ b/view/theme/frost-mobile/style.css @@ -1886,7 +1886,8 @@ input#profile-jot-email { }*/ .pager_prev a, -.pager_next a { +.pager_next a, +.scroll_loader_text { font-size: 1.5em; padding: 0.2em 1em; border: 1px solid #aaa; diff --git a/view/theme/frost/style.css b/view/theme/frost/style.css index 333f43c565..aed0dc0ab1 100644 --- a/view/theme/frost/style.css +++ b/view/theme/frost/style.css @@ -1782,7 +1782,8 @@ input#dfrn-url { .pager_last, .pager_prev, .pager_next, -.pager_n { +.pager_n, +.scroll_loader_text { /* background: #EEE;*/ } diff --git a/view/theme/vier/style.css b/view/theme/vier/style.css index 1d39d95e8b..479fd348e2 100644 --- a/view/theme/vier/style.css +++ b/view/theme/vier/style.css @@ -203,7 +203,8 @@ div.pager a { } span.pager_first a, span.pager_n a, -span.pager_last a, span.pager_prev a, span.pager_next a { +span.pager_last a, span.pager_prev a, span.pager_next a, +span.scroll_loader_text { color: darkgray; } From 9f4523dc9a73bf07b530ae84328ea69c80a24f9e Mon Sep 17 00:00:00 2001 From: Johannes Schwab Date: Fri, 13 Feb 2015 01:21:57 +0100 Subject: [PATCH 188/294] fix infinite scrolling with frost --- view/theme/frost/templates/head.tpl | 2 ++ 1 file changed, 2 insertions(+) diff --git a/view/theme/frost/templates/head.tpl b/view/theme/frost/templates/head.tpl index 71fdfaa313..93f48f0922 100644 --- a/view/theme/frost/templates/head.tpl +++ b/view/theme/frost/templates/head.tpl @@ -8,6 +8,8 @@ + + Date: Fri, 13 Feb 2015 08:09:27 +0100 Subject: [PATCH 189/294] Improved logging with receiving mails --- include/items.php | 2 +- include/onepoll.php | 13 +++++++++---- 2 files changed, 10 insertions(+), 5 deletions(-) diff --git a/include/items.php b/include/items.php index fb357d4db7..d6ca200854 100644 --- a/include/items.php +++ b/include/items.php @@ -1400,7 +1400,7 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa return 0; } if(count($r) > 1) { - logger('item_store: duplicated post occurred. Removing duplicates.'); + logger('item_store: duplicated post occurred. Removing duplicates. uri = '.$arr['uri'].' uid = '.$arr['uid']); q("DELETE FROM `item` WHERE `uri` = '%s' AND `uid` = %d AND `id` != %d ", dbesc($arr['uri']), intval($arr['uid']), diff --git a/include/onepoll.php b/include/onepoll.php index ba31c4d402..7b93a9a2f0 100644 --- a/include/onepoll.php +++ b/include/onepoll.php @@ -284,13 +284,13 @@ function onepoll_run(&$argv, &$argc){ } elseif($contact['network'] === NETWORK_MAIL || $contact['network'] === NETWORK_MAIL2) { - logger("onepoll: mail: Fetching", LOGGER_DEBUG); + logger("Mail: Fetching", LOGGER_DEBUG); $mail_disabled = ((function_exists('imap_open') && (! get_config('system','imap_disabled'))) ? 0 : 1); if($mail_disabled) return; - logger("onepoll: Mail: Enabled", LOGGER_DEBUG); + logger("Mail: Enabled", LOGGER_DEBUG); $mbox = null; $x = q("SELECT `prvkey` FROM `user` WHERE `uid` = %d LIMIT 1", @@ -312,7 +312,9 @@ function onepoll_run(&$argv, &$argc){ intval($mailconf[0]['id']), intval($importer_uid) ); - } + logger("Mail: Connected to " . $mailconf[0]['user']); + } else + logger("Mail: Connection error ".$mailconf[0]['user']." ".print_r(imap_errors())); } if($mbox) { @@ -523,7 +525,10 @@ function onepoll_run(&$argv, &$argc){ } } } - } + } else + logger("Mail: no mails for ".$mailconf[0]['user']); + + logger("Mail: closing connection for ".$mailconf[0]['user']); imap_close($mbox); } } From d1d794f1ab4b30a2bbf7d52933b7c37435bf6826 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 15 Feb 2015 10:52:45 +0100 Subject: [PATCH 190/294] The global contacts now contain a "generation" value that defines how we know this contact --- boot.php | 2 +- include/dbstructure.php | 1 + include/diaspora.php | 2 +- include/items.php | 67 +++++++++++++++++++++--- include/socgraph.php | 110 +++++++++++++++++++++++++++++++++++----- mod/poco.php | 22 ++++++-- update.php | 2 +- 7 files changed, 179 insertions(+), 27 deletions(-) diff --git a/boot.php b/boot.php index c136dc5744..0ab171d5f3 100644 --- a/boot.php +++ b/boot.php @@ -18,7 +18,7 @@ define ( 'FRIENDICA_PLATFORM', 'Friendica'); define ( 'FRIENDICA_CODENAME', 'Ginger'); define ( 'FRIENDICA_VERSION', '3.3.3-RC' ); define ( 'DFRN_PROTOCOL_VERSION', '2.23' ); -define ( 'DB_UPDATE_VERSION', 1179 ); +define ( 'DB_UPDATE_VERSION', 1180 ); define ( 'EOL', "
    \r\n" ); define ( 'ATOM_TIME', 'Y-m-d\TH:i:s\Z' ); diff --git a/include/dbstructure.php b/include/dbstructure.php index adb826c8b4..0ee28e0a67 100644 --- a/include/dbstructure.php +++ b/include/dbstructure.php @@ -626,6 +626,7 @@ function db_definition() { "keywords" => array("type" => "text", "not null" => "1"), "gender" => array("type" => "varchar(32)", "not null" => "1", "default" => ""), "network" => array("type" => "varchar(255)", "not null" => "1", "default" => ""), + "generation" => array("type" => "tinyint(3)", "not null" => "1", "default" => "0"), ), "indexes" => array( "PRIMARY" => array("id"), diff --git a/include/diaspora.php b/include/diaspora.php index f7537ef633..a0d1fcd751 100755 --- a/include/diaspora.php +++ b/include/diaspora.php @@ -2398,7 +2398,7 @@ function diaspora_profile($importer,$xml,$msg) { if (unxmlify($xml->searchable) == "true") { require_once('include/socgraph.php'); poco_check($contact['url'], $name, NETWORK_DIASPORA, $images[0], $about, $location, $gender, $keywords, "", - datetime_convert(), $contact['id'], $importer['uid']); + datetime_convert(), 2, $contact['id'], $importer['uid']); } $profileurl = ""; diff --git a/include/items.php b/include/items.php index e8fc739cd0..e786eafd98 100644 --- a/include/items.php +++ b/include/items.php @@ -1377,15 +1377,51 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa logger('item_store: created item ' . $current_post); // Add every contact to the global contact table - // Contacts from the statusnet connector are also added since you could add them in OStatus as well. - if (!$arr['private'] AND in_array($arr["network"], - array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, NETWORK_STATUSNET, ""))) { - poco_check($arr["author-link"], $arr["author-name"], $arr["network"], $arr["author-avatar"], "", "", "", "", "", $arr["received"], $arr["contact-id"], $arr["uid"]); + poco_store($arr); + +/* + // Is it a global copy? + $store_gcontact = ($arr["uid"] == 0); + + // Is it a comment on a global copy? + if (!$store_gcontact AND ($arr["uri"] != $arr["parent-uri"])) { + $q = q("SELECT `id` FROM `item` WHERE `uri`='%s' AND `uid` = 0", + $arr["parent-uri"]); + $store_gcontact = count($q); + } + + // This check for private and network is maybe superflous + if ($store_gcontact AND !$arr['private'] AND in_array($arr["network"], + array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, ""))) { + + // "3" means: We don't know this contact directly (Maybe a reshared item) + $generation = 3; + $network = ""; + + // Is it a user from our server? + $q = q("SELECT `id` FROM `contact` WHERE `self` AND `nurl` = '%s' LIMIT 1", + dbesc(normalise_link($arr["author-link"]))); + if (count($q)) { + $generation = 1; + $network = NETWORK_DFRN; + } else { // Is it a contact from a user on our server? + $q = q("SELECT `network` FROM `contact` WHERE `uid` != 0 AND `network` != '' + AND (`nurl` = '%s' OR `alias` IN ('%s', '%s')) LIMIT 1", + dbesc(normalise_link($arr["author-link"])), + dbesc(normalise_link($arr["author-link"])), + dbesc($arr["author-link"])); + if (count($q)) { + $generation = 2; + $network = $q[0]["network"]; + } + } + + poco_check($arr["author-link"], $arr["author-name"], $network, $arr["author-avatar"], "", "", "", "", "", $arr["received"], $generation, $arr["contact-id"], $arr["uid"]); // Maybe its a body with a shared item? Then extract a global contact from it. poco_contact_from_body($arr["body"], $arr["received"], $arr["contact-id"], $arr["uid"]); } - +*/ // Set "success_update" to the date of the last time we heard from this contact // This can be used to filter for inactive contacts and poco. // Only do this for public postings to avoid privacy problems, since poco data is public. @@ -2078,6 +2114,7 @@ function consume_feed($xml,$importer,&$contact, &$hub, $datedir = 0, $pass = 0) $photo_timestamp = ''; $photo_url = ''; $birthday = ''; + $contact_updated = ''; $hubs = $feed->get_links('hub'); logger('consume_feed: hubs: ' . print_r($hubs,true), LOGGER_DATA); @@ -2113,6 +2150,9 @@ function consume_feed($xml,$importer,&$contact, &$hub, $datedir = 0, $pass = 0) if((is_array($contact)) && ($photo_timestamp) && (strlen($photo_url)) && ($photo_timestamp > $contact['avatar-date'])) { logger('consume_feed: Updating photo for '.$contact['name'].' from '.$photo_url.' uid: '.$contact['uid']); + + $contact_updated = $photo_timestamp; + require_once("include/Photo.php"); $photo_failure = false; $have_photo = false; @@ -2170,6 +2210,9 @@ function consume_feed($xml,$importer,&$contact, &$hub, $datedir = 0, $pass = 0) } if((is_array($contact)) && ($name_updated) && (strlen($new_name)) && ($name_updated > $contact['name-date'])) { + if ($name_updated > $contact_updated) + $contact_updated = $name_updated; + $r = q("select * from contact where uid = %d and id = %d limit 1", intval($contact['uid']), intval($contact['id']) @@ -2194,6 +2237,9 @@ function consume_feed($xml,$importer,&$contact, &$hub, $datedir = 0, $pass = 0) } } + if ($contact_updated AND $new_name AND $photo_url) + poco_check($contact['url'], $new_name, NETWORK_DFRN, $photo_url, "", "", "", "", "", $contact_updated, 2, $contact['id'], $contact['uid']); + if(strlen($birthday)) { if(substr($birthday,0,4) != $contact['bdyear']) { logger('consume_feed: updating birthday: ' . $birthday); @@ -2240,7 +2286,6 @@ function consume_feed($xml,$importer,&$contact, &$hub, $datedir = 0, $pass = 0) $contact['bdyear'] = substr($birthday,0,4); } - } $community_page = 0; @@ -2806,6 +2851,7 @@ function local_delivery($importer,$data) { $new_name = ''; $photo_timestamp = ''; $photo_url = ''; + $contact_updated = ''; $rawtags = $feed->get_feed_tags( NAMESPACE_DFRN, 'owner'); @@ -2834,6 +2880,9 @@ function local_delivery($importer,$data) { } if(($photo_timestamp) && (strlen($photo_url)) && ($photo_timestamp > $importer['avatar-date'])) { + + $contact_updated = $photo_timestamp; + logger('local_delivery: Updating photo for ' . $importer['name']); require_once("include/Photo.php"); $photo_failure = false; @@ -2892,6 +2941,9 @@ function local_delivery($importer,$data) { } if(($name_updated) && (strlen($new_name)) && ($name_updated > $importer['name-date'])) { + if ($name_updated > $contact_updated) + $contact_updated = $name_updated; + $r = q("select * from contact where uid = %d and id = %d limit 1", intval($importer['importer_uid']), intval($importer['id']) @@ -2916,7 +2968,8 @@ function local_delivery($importer,$data) { } } - + if ($contact_updated AND $new_name AND $photo_url) + poco_check($importer['url'], $new_name, NETWORK_DFRN, $photo_url, "", "", "", "", "", $contact_updated, 2, $importer['id'], $importer['importer_uid']); // Currently unsupported - needs a lot of work $reloc = $feed->get_feed_tags( NAMESPACE_DFRN, 'relocate' ); diff --git a/include/socgraph.php b/include/socgraph.php index 2738f8a70f..ab348997c8 100644 --- a/include/socgraph.php +++ b/include/socgraph.php @@ -42,7 +42,7 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { if(! $url) return; - $url = $url . (($uid) ? '/@me/@all?fields=displayName,urls,photos,updated,network,aboutMe,currentLocation,tags,gender' : '?fields=displayName,urls,photos,updated,network,aboutMe,currentLocation,tags,gender') ; + $url = $url . (($uid) ? '/@me/@all?fields=displayName,urls,photos,updated,network,aboutMe,currentLocation,tags,gender,generation' : '?fields=displayName,urls,photos,updated,network,aboutMe,currentLocation,tags,gender,generation') ; logger('poco_load: ' . $url, LOGGER_DEBUG); @@ -76,6 +76,10 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { $about = ''; $keywords = ''; $gender = ''; + $generation = 0; + + if ($uid == 0) + $network = NETWORK_DFRN; $name = $entry->displayName; @@ -115,11 +119,14 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { if(isset($entry->gender)) $gender = $entry->gender; + if(isset($entry->generation) AND ($entry->generation > 0)) + $generation = ++$entry->generation; + if(isset($entry->tags)) foreach($entry->tags as $tag) $keywords = implode(", ", $tag); - poco_check($profile_url, $name, $network, $profile_photo, $about, $location, $gender, $keywords, $connect_url, $updated, $cid, $uid, $zcid); + poco_check($profile_url, $name, $network, $profile_photo, $about, $location, $gender, $keywords, $connect_url, $updated, $generation, $cid, $uid, $zcid); // Update the Friendica contacts. Diaspora is doing it via a message. (See include/diaspora.php) if (($location != "") OR ($about != "") OR ($keywords != "") OR ($gender != "")) @@ -142,16 +149,40 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { } -function poco_check($profile_url, $name, $network, $profile_photo, $about, $location, $gender, $keywords, $connect_url, $updated, $cid = 0, $uid = 0, $zcid = 0) { +function poco_check($profile_url, $name, $network, $profile_photo, $about, $location, $gender, $keywords, $connect_url, $updated, $generation, $cid = 0, $uid = 0, $zcid = 0) { + + // Generation: + // 0: No definition + // 1: Profiles on this server + // 2: Contacts of profiles on this server + // 3: Contacts of contacts of profiles on this server + // 4: ... + $gcid = ""; if ($profile_url == "") return $gcid; + $r = q("SELECT `network` FROM `contact` WHERE `nurl` = '%s' AND `network` != '' LIMIT 1", + dbesc(normalise_link($profile_url)) + ); + if(count($r)) + $network = $r[0]["network"]; + + if ($network == "") { + $r = q("SELECT `network`, `url` FROM `contact` WHERE `alias` IN ('%s', '%s') AND `network` != '' LIMIT 1", + dbesc($profile_url), dbesc(normalise_link($profile_url)) + ); + if(count($r)) { + $network = $r[0]["network"]; + $profile_url = $r[0]["url"]; + } + } + $x = q("SELECT * FROM `gcontact` WHERE `nurl` = '%s' LIMIT 1", dbesc(normalise_link($profile_url)) ); - if(count($x)) + if(count($x) AND ($network == "")) $network = $x[0]["network"]; if (($network == "") OR ($name == "") OR ($profile_photo == "")) { @@ -176,7 +207,7 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca if (!in_array($network, array(NETWORK_DFRN, NETWORK_OSTATUS, NETWORK_DIASPORA, NETWORK_STATUSNET))) return $gcid; - logger("profile-check URL: ".$profile_url." name: ".$name." avatar: ".$profile_photo, LOGGER_DEBUG); + logger("profile-check generation: ".$generation." Network: ".$network." URL: ".$profile_url." name: ".$name." avatar: ".$profile_photo, LOGGER_DEBUG); if(count($x)) { $gcid = $x[0]['id']; @@ -193,10 +224,13 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca if (($keywords == "") AND ($x[0]['keywords'] != "")) $keywords = $x[0]['keywords']; + if (($generation == 0) AND ($x[0]['generation'] > 0)) + $generation = $x[0]['generation']; + if($x[0]['name'] != $name || $x[0]['photo'] != $profile_photo || $x[0]['updated'] < $updated) { - q("update gcontact set `name` = '%s', `network` = '%s', `photo` = '%s', `connect` = '%s', `url` = '%s', - `updated` = '%s', `location` = '%s', `about` = '%s', `keywords` = '%s', `gender` = '%s' - where `nurl` = '%s'", + q("UPDATE `gcontact` SET `name` = '%s', `network` = '%s', `photo` = '%s', `connect` = '%s', `url` = '%s', + `updated` = '%s', `location` = '%s', `about` = '%s', `keywords` = '%s', `gender` = '%s', `generation` = %d + WHERE (`generation` >= %d OR `generation` = 0) AND `nurl` = '%s'", dbesc($name), dbesc($network), dbesc($profile_photo), @@ -207,12 +241,14 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca dbesc($about), dbesc($keywords), dbesc($gender), + intval($generation), + intval($generation), dbesc(normalise_link($profile_url)) ); } } else { - q("insert into `gcontact` (`name`,`network`, `url`,`nurl`,`photo`,`connect`, `updated`, `location`, `about`, `keywords`, `gender`) - values ('%s', '%s', '%s', '%s', '%s','%s', '%s', '%s', '%s', '%s', '%s')", + q("INSERT INTO `gcontact` (`name`,`network`, `url`,`nurl`,`photo`,`connect`, `updated`, `location`, `about`, `keywords`, `gender`, `generation`) + VALUES ('%s', '%s', '%s', '%s', '%s','%s', '%s', '%s', '%s', '%s', '%s', %d)", dbesc($name), dbesc($network), dbesc($profile_url), @@ -223,7 +259,8 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca dbesc($location), dbesc($about), dbesc($keywords), - dbesc($gender) + dbesc($gender), + intval($generation) ); $x = q("SELECT * FROM `gcontact` WHERE `nurl` = '%s' LIMIT 1", dbesc(normalise_link($profile_url)) @@ -290,7 +327,56 @@ function sub_poco_from_share($share, $created, $cid, $uid) { return; logger("prepare poco_check for profile ".$profile, LOGGER_DEBUG); - poco_check($profile, "", "", "", "", "", "", "", "", $created, $cid, $uid); + poco_check($profile, "", "", "", "", "", "", "", "", $created, 3, $cid, $uid); +} + +function poco_store($item) { + + // Isn't it public? + if (!$item['private']) + return; + + // Or is it from a network where we don't store the global contacts? + if (!in_array($item["network"], array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, ""))) + return; + + // Is it a global copy? + $store_gcontact = ($item["uid"] == 0); + + // Is it a comment on a global copy? + if (!$store_gcontact AND ($item["uri"] != $item["parent-uri"])) { + $q = q("SELECT `id` FROM `item` WHERE `uri`='%s' AND `uid` = 0", $item["parent-uri"]); + $store_gcontact = count($q); + } + + if (!$store_gcontact) + return; + + // "3" means: We don't know this contact directly (Maybe a reshared item) + $generation = 3; + $network = ""; + + // Is it a user from our server? + $q = q("SELECT `id` FROM `contact` WHERE `self` AND `nurl` = '%s' LIMIT 1", + dbesc(normalise_link($item["author-link"]))); + if (count($q)) { + $generation = 1; + $network = NETWORK_DFRN; + } else { // Is it a contact from a user on our server? + $q = q("SELECT `network` FROM `contact` WHERE `uid` != 0 AND `network` != '' + AND (`nurl` = '%s' OR `alias` IN ('%s', '%s')) LIMIT 1", + dbesc(normalise_link($item["author-link"])), + dbesc(normalise_link($item["author-link"])), + dbesc($item["author-link"])); + if (count($q)) { + $generation = 2; + $network = $q[0]["network"]; + } + } + poco_check($item["author-link"], $item["author-name"], $network, $item["author-avatar"], "", "", "", "", "", $item["received"], $generation, $item["contact-id"], $item["uid"]); + + // Maybe its a body with a shared item? Then extract a global contact from it. + poco_contact_from_body($item["body"], $item["received"], $item["contact-id"], $item["uid"]); } function count_common_friends($uid,$cid) { diff --git a/mod/poco.php b/mod/poco.php index 8eb45d2374..86b43d651d 100644 --- a/mod/poco.php +++ b/mod/poco.php @@ -135,9 +135,9 @@ function poco_init(&$a) { if(x($_GET,'updatedSince') AND !$global) $ret['updatedSince'] = false; - $ret['startIndex'] = (string) $startIndex; - $ret['itemsPerPage'] = (string) $itemsPerPage; - $ret['totalResults'] = (string) $totalResults; + $ret['startIndex'] = (int) $startIndex; + $ret['itemsPerPage'] = (int) $itemsPerPage; + $ret['totalResults'] = (int) $totalResults; $ret['entry'] = array(); @@ -153,7 +153,8 @@ function poco_init(&$a) { 'network' => false, 'gender' => false, 'tags' => false, - 'address' => false + 'address' => false, + 'generation' => false ); if((! x($_GET,'fields')) || ($_GET['fields'] === '@all')) @@ -168,6 +169,15 @@ function poco_init(&$a) { if(is_array($r)) { if(count($r)) { foreach($r as $rr) { + if (!isset($rr['generation'])) { + if ($global) + $rr['generation'] = 3; + elseif ($system_mode) + $rr['generation'] = 1; + else + $rr['generation'] = 2; + } + if (($rr['about'] == "") AND isset($rr['pabout'])) $rr['about'] = $rr['pabout']; @@ -198,7 +208,7 @@ function poco_init(&$a) { $entry = array(); if($fields_ret['id']) - $entry['id'] = $rr['id']; + $entry['id'] = (int)$rr['id']; if($fields_ret['displayName']) $entry['displayName'] = $rr['name']; if($fields_ret['aboutMe']) @@ -207,6 +217,8 @@ function poco_init(&$a) { $entry['currentLocation'] = $rr['location']; if($fields_ret['gender']) $entry['gender'] = $rr['gender']; + if($fields_ret['generation']) + $entry['generation'] = (int)$rr['generation']; if($fields_ret['urls']) { $entry['urls'] = array(array('value' => $rr['url'], 'type' => 'profile')); if($rr['addr'] && ($rr['network'] !== NETWORK_MAIL)) diff --git a/update.php b/update.php index 53cd0e305c..954993a70a 100644 --- a/update.php +++ b/update.php @@ -1,6 +1,6 @@ Date: Mon, 16 Feb 2015 09:30:12 +0100 Subject: [PATCH 191/294] Escape values to input fields (and some 'title' and 'alt') --- view/templates/admin_aside.tpl | 5 +++ view/templates/admin_logs.tpl | 4 +-- view/templates/admin_remoteupdate.tpl | 8 ++--- view/templates/admin_site.tpl | 22 +++++++----- view/templates/admin_users.tpl | 6 ++-- view/templates/album_edit.tpl | 6 ++-- view/templates/auto_request.tpl | 8 ++--- view/templates/comment_item.tpl | 4 +-- view/templates/confirm.tpl | 6 ++-- view/templates/contact_edit.tpl | 4 +-- view/templates/contacts-template.tpl | 6 ++-- view/templates/crepair.tpl | 18 +++++----- view/templates/cropbody.tpl | 2 +- view/templates/dfrn_req_confirm.tpl | 2 +- view/templates/dfrn_request.tpl | 8 ++--- view/templates/directory_header.tpl | 4 +-- view/templates/event_form.tpl | 4 +-- view/templates/field_combobox.tpl | 4 +-- view/templates/field_input.tpl | 2 +- view/templates/field_intcheckbox.tpl | 2 +- view/templates/field_openid.tpl | 2 +- view/templates/field_password.tpl | 2 +- view/templates/field_radio.tpl | 2 +- view/templates/field_select.tpl | 2 +- view/templates/field_themeselect.tpl | 2 +- view/templates/field_yesno.tpl | 2 +- view/templates/filebrowser.tpl | 2 +- view/templates/filer_dialog.tpl | 2 +- view/templates/files.tpl | 4 +++ view/templates/follow.tpl | 2 +- view/templates/group_edit.tpl | 2 +- view/templates/install_checks.tpl | 6 ++-- view/templates/install_db.tpl | 4 +-- view/templates/install_settings.tpl | 12 +++---- view/templates/intros.tpl | 8 ++--- view/templates/invite.tpl | 2 +- view/templates/jot.tpl | 30 ++++++++-------- view/templates/lang_selector.tpl | 2 +- view/templates/login.tpl | 8 ++--- view/templates/logout.tpl | 2 +- view/templates/lostpass.tpl | 2 +- view/templates/moderated_comment.tpl | 12 +++---- view/templates/mood_content.tpl | 2 +- view/templates/oauth_authorize.tpl | 2 +- view/templates/peoplefind.tpl | 2 +- view/templates/photo_edit.tpl | 8 ++--- .../photos_default_uploader_submit.tpl | 2 +- view/templates/poke_content.tpl | 4 +-- view/templates/profile_edit.tpl | 34 +++++++++---------- view/templates/profile_photo.tpl | 2 +- view/templates/prv_message.tpl | 8 ++--- view/templates/register.tpl | 10 +++--- view/templates/removeme.tpl | 2 +- view/templates/scroll_loader.tpl | 8 +++++ view/templates/settings.tpl | 12 +++---- view/templates/settings_connectors.tpl | 2 +- view/templates/settings_display.tpl | 2 +- view/templates/settings_features.tpl | 2 +- view/templates/settings_oauth.tpl | 4 +-- view/templates/settings_oauth_edit.tpl | 2 +- view/templates/suggestions.tpl | 8 ++--- view/templates/uimport.tpl | 2 +- view/templates/wall_thread.tpl | 34 +++++++++---------- view/templates/wallmessage.tpl | 6 ++-- 64 files changed, 209 insertions(+), 186 deletions(-) create mode 100644 view/templates/files.tpl create mode 100644 view/templates/scroll_loader.tpl diff --git a/view/templates/admin_aside.tpl b/view/templates/admin_aside.tpl index a9d26a89f0..0f28a1cf37 100644 --- a/view/templates/admin_aside.tpl +++ b/view/templates/admin_aside.tpl @@ -40,3 +40,8 @@

+

{{$diagnosticstxt}}

+ diff --git a/view/templates/admin_logs.tpl b/view/templates/admin_logs.tpl index e5412429f4..4cc0acb66c 100644 --- a/view/templates/admin_logs.tpl +++ b/view/templates/admin_logs.tpl @@ -2,13 +2,13 @@

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

- + {{include file="field_checkbox.tpl" field=$debugging}} {{include file="field_input.tpl" field=$logfile}} {{include file="field_select.tpl" field=$loglevel}} -
+
diff --git a/view/templates/admin_remoteupdate.tpl b/view/templates/admin_remoteupdate.tpl index 24f7f9bfa6..c3e85f2e80 100644 --- a/view/templates/admin_remoteupdate.tpl +++ b/view/templates/admin_remoteupdate.tpl @@ -66,7 +66,7 @@

Friendica Update

- +
@@ -77,10 +77,10 @@
New version:
{{$remoteversion}}
- + {{if $canwrite}} -
+
{{else}}

Your friendica installation is not writable by web server.

{{if $canftp}} @@ -89,7 +89,7 @@ {{include file="field_input.tpl" field=$ftppath}} {{include file="field_input.tpl" field=$ftpuser}} {{include file="field_password.tpl" field=$ftppwd}} -
+
{{/if}} {{/if}}
diff --git a/view/templates/admin_site.tpl b/view/templates/admin_site.tpl index 166b35e7d4..6880f0fd91 100644 --- a/view/templates/admin_site.tpl +++ b/view/templates/admin_site.tpl @@ -46,7 +46,10 @@ {{include file="field_input.tpl" field=$sitename}} {{include file="field_input.tpl" field=$hostname}} + {{include file="field_input.tpl" field=$sender_email}} {{include file="field_textarea.tpl" field=$banner}} + {{include file="field_input.tpl" field=$shortcut_icon}} + {{include file="field_input.tpl" field=$touch_icon}} {{include file="field_textarea.tpl" field=$info}} {{include file="field_select.tpl" field=$language}} {{include file="field_select.tpl" field=$theme}} @@ -58,7 +61,7 @@ {{include file="field_select.tpl" field=$singleuser}} -
+

{{$registration}}

{{include file="field_input.tpl" field=$register_text}} @@ -68,7 +71,7 @@ {{include file="field_checkbox.tpl" field=$no_openid}} {{include file="field_checkbox.tpl" field=$no_regfullname}} -
+

{{$upload}}

{{include file="field_input.tpl" field=$maximagesize}} @@ -80,7 +83,8 @@ {{include file="field_input.tpl" field=$allowed_email}} {{include file="field_checkbox.tpl" field=$block_public}} {{include file="field_checkbox.tpl" field=$force_publish}} - {{include file="field_checkbox.tpl" field=$no_community_page}} + {{include file="field_select.tpl" field=$community_page_style}} + {{include file="field_input.tpl" field=$max_author_posts_community_page}} {{include file="field_checkbox.tpl" field=$ostatus_disabled}} {{include file="field_select.tpl" field=$ostatus_poll_interval}} {{include file="field_checkbox.tpl" field=$diaspora_enabled}} @@ -92,7 +96,7 @@ {{include file="field_checkbox.tpl" field=$private_addons}} {{include file="field_checkbox.tpl" field=$disable_embedded}} {{include file="field_checkbox.tpl" field=$allow_users_remote_self}} -
+

{{$advanced}}

{{include file="field_checkbox.tpl" field=$no_utf}} @@ -108,15 +112,17 @@ {{include file="field_input.tpl" field=$temppath}} {{include file="field_input.tpl" field=$basepath}} {{include file="field_checkbox.tpl" field=$suppress_language}} + {{include file="field_checkbox.tpl" field=$suppress_tags}}

{{$performance}}

- {{include file="field_checkbox.tpl" field=$disable_noscrape}} {{include file="field_checkbox.tpl" field=$use_fulltext_engine}} + {{include file="field_checkbox.tpl" field=$only_tag_search}} {{include file="field_input.tpl" field=$itemcache}} {{include file="field_input.tpl" field=$itemcache_duration}} {{include file="field_input.tpl" field=$max_comments}} {{include file="field_checkbox.tpl" field=$proxy_disabled}} -
+ {{include file="field_checkbox.tpl" field=$old_pager}} +
@@ -125,8 +131,8 @@

{{$relocate}}

{{include file="field_input.tpl" field=$relocate_url}} - -
+ +
diff --git a/view/templates/admin_users.tpl b/view/templates/admin_users.tpl index 4e0b9650ef..fc3c6377f1 100644 --- a/view/templates/admin_users.tpl +++ b/view/templates/admin_users.tpl @@ -43,7 +43,7 @@ -
+
{{else}}

{{$no_pending}}

{{/if}} @@ -88,7 +88,7 @@ -
+
{{else}} NO USERS?!? {{/if}} @@ -133,6 +133,6 @@ -
+
diff --git a/view/templates/album_edit.tpl b/view/templates/album_edit.tpl index 72aedd8b70..3d1d7573d7 100644 --- a/view/templates/album_edit.tpl +++ b/view/templates/album_edit.tpl @@ -4,12 +4,12 @@ - +
- - + +
diff --git a/view/templates/auto_request.tpl b/view/templates/auto_request.tpl index 8d7d3ff3d9..b987b7849c 100644 --- a/view/templates/auto_request.tpl +++ b/view/templates/auto_request.tpl @@ -26,9 +26,9 @@ {{if $myaddr}} {{$myaddr}} - + {{else}} - + {{/if}}
@@ -39,7 +39,7 @@
- - + +
diff --git a/view/templates/comment_item.tpl b/view/templates/comment_item.tpl index 621c15d43e..fa360df3a8 100644 --- a/view/templates/comment_item.tpl +++ b/view/templates/comment_item.tpl @@ -22,14 +22,14 @@ {{/if}}
diff --git a/view/templates/confirm.tpl b/view/templates/confirm.tpl index 6744ac4f74..bb9e159078 100644 --- a/view/templates/confirm.tpl +++ b/view/templates/confirm.tpl @@ -4,11 +4,11 @@ {{$message}} {{foreach $extra_inputs as $input}} - + {{/foreach}} - - + + diff --git a/view/templates/contact_edit.tpl b/view/templates/contact_edit.tpl index 9b57f17417..65af34c6bb 100644 --- a/view/templates/contact_edit.tpl +++ b/view/templates/contact_edit.tpl @@ -73,7 +73,7 @@

{{$lbl_info1}}

- +
@@ -85,7 +85,7 @@ {{$profile_select}}
- + diff --git a/view/templates/contacts-template.tpl b/view/templates/contacts-template.tpl index 5797196ebb..896f9af4c9 100644 --- a/view/templates/contacts-template.tpl +++ b/view/templates/contacts-template.tpl @@ -6,8 +6,8 @@
{{$desc}} - - + +
@@ -21,7 +21,7 @@
{{foreach $batch_actions as $n=>$l}} - + {{/foreach}}
diff --git a/view/templates/crepair.tpl b/view/templates/crepair.tpl index 37e2ef417b..a94f1f2d3c 100644 --- a/view/templates/crepair.tpl +++ b/view/templates/crepair.tpl @@ -3,35 +3,35 @@

{{$contact_name}}

- +
- +
- +
- +
- +
- +
- +
- +
@@ -42,7 +42,7 @@ {{include file="field_select.tpl" field=$remote_self}} {{/if}} - + diff --git a/view/templates/cropbody.tpl b/view/templates/cropbody.tpl index 47bb73b47a..4cf030bc9d 100644 --- a/view/templates/cropbody.tpl +++ b/view/templates/cropbody.tpl @@ -52,7 +52,7 @@
- +
diff --git a/view/templates/dfrn_req_confirm.tpl b/view/templates/dfrn_req_confirm.tpl index accfd4f83f..d49b5bbf2d 100644 --- a/view/templates/dfrn_req_confirm.tpl +++ b/view/templates/dfrn_req_confirm.tpl @@ -17,6 +17,6 @@
- +
\ No newline at end of file diff --git a/view/templates/dfrn_request.tpl b/view/templates/dfrn_request.tpl index d724785865..44c8ef1e6a 100644 --- a/view/templates/dfrn_request.tpl +++ b/view/templates/dfrn_request.tpl @@ -25,9 +25,9 @@ {{if $myaddr}} {{$myaddr}} - + {{else}} - + {{/if}}
@@ -69,7 +69,7 @@
- - + +
diff --git a/view/templates/directory_header.tpl b/view/templates/directory_header.tpl index 29393aeda3..2274f2e1f8 100644 --- a/view/templates/directory_header.tpl +++ b/view/templates/directory_header.tpl @@ -9,8 +9,8 @@
{{$desc}} - - + +
diff --git a/view/templates/event_form.tpl b/view/templates/event_form.tpl index cb7ba53af0..45e2ea71e0 100644 --- a/view/templates/event_form.tpl +++ b/view/templates/event_form.tpl @@ -28,7 +28,7 @@
{{$t_text}}
- +
{{$d_text}}
@@ -44,7 +44,7 @@ {{$acl}}
- + diff --git a/view/templates/field_combobox.tpl b/view/templates/field_combobox.tpl index 3d69e2d272..a2f7c3f27e 100644 --- a/view/templates/field_combobox.tpl +++ b/view/templates/field_combobox.tpl @@ -4,13 +4,13 @@ {{* html5 don't work on Chrome, Safari and IE9 - {{foreach $field.4 as $opt=>$val}} *}} {{$field.3}} diff --git a/view/templates/field_input.tpl b/view/templates/field_input.tpl index ae8fe844a3..6a3328c5cc 100644 --- a/view/templates/field_input.tpl +++ b/view/templates/field_input.tpl @@ -1,6 +1,6 @@
- + {{$field.3}}
diff --git a/view/templates/field_intcheckbox.tpl b/view/templates/field_intcheckbox.tpl index dd77e50018..2f3c27d920 100644 --- a/view/templates/field_intcheckbox.tpl +++ b/view/templates/field_intcheckbox.tpl @@ -2,6 +2,6 @@
- + {{$field.4}}
diff --git a/view/templates/field_openid.tpl b/view/templates/field_openid.tpl index d8a9394a15..e5f236c679 100644 --- a/view/templates/field_openid.tpl +++ b/view/templates/field_openid.tpl @@ -1,6 +1,6 @@
- + {{$field.3}}
diff --git a/view/templates/field_password.tpl b/view/templates/field_password.tpl index 2e9e91529a..8a9f0dc330 100644 --- a/view/templates/field_password.tpl +++ b/view/templates/field_password.tpl @@ -1,6 +1,6 @@
- + {{$field.3}}
diff --git a/view/templates/field_radio.tpl b/view/templates/field_radio.tpl index 09db114720..86cc8fc47e 100644 --- a/view/templates/field_radio.tpl +++ b/view/templates/field_radio.tpl @@ -2,6 +2,6 @@
- + {{$field.3}}
diff --git a/view/templates/field_select.tpl b/view/templates/field_select.tpl index a3274f51af..4fbbd4beb0 100644 --- a/view/templates/field_select.tpl +++ b/view/templates/field_select.tpl @@ -3,7 +3,7 @@
{{$field.3}}
diff --git a/view/templates/field_themeselect.tpl b/view/templates/field_themeselect.tpl index b250520d7b..edd25dbe0f 100644 --- a/view/templates/field_themeselect.tpl +++ b/view/templates/field_themeselect.tpl @@ -3,7 +3,7 @@
{{$field.3}} {{if $field.5}}
{{/if}} diff --git a/view/templates/field_yesno.tpl b/view/templates/field_yesno.tpl index 4a471ccdc1..de70c5ae6d 100644 --- a/view/templates/field_yesno.tpl +++ b/view/templates/field_yesno.tpl @@ -2,7 +2,7 @@
- + {{if $field.4}}{{$field.4.0}}{{else}}OFF{{/if}} diff --git a/view/templates/filebrowser.tpl b/view/templates/filebrowser.tpl index cde4e603ca..b207277a7b 100644 --- a/view/templates/filebrowser.tpl +++ b/view/templates/filebrowser.tpl @@ -78,7 +78,7 @@
- +
diff --git a/view/templates/filer_dialog.tpl b/view/templates/filer_dialog.tpl index 77f48e8aee..27aa9b2f5b 100644 --- a/view/templates/filer_dialog.tpl +++ b/view/templates/filer_dialog.tpl @@ -1,5 +1,5 @@ {{include file="field_combobox.tpl"}}
- +
diff --git a/view/templates/files.tpl b/view/templates/files.tpl new file mode 100644 index 0000000000..a2a337bd76 --- /dev/null +++ b/view/templates/files.tpl @@ -0,0 +1,4 @@ +{{foreach $items as $item }} +

{{$item.title}} ({{$item.mime}}) ({{$item.filename}})

+{{/foreach}} +{{include "paginate.tpl"}} \ No newline at end of file diff --git a/view/templates/follow.tpl b/view/templates/follow.tpl index 32109e82bf..c4d1887657 100644 --- a/view/templates/follow.tpl +++ b/view/templates/follow.tpl @@ -3,7 +3,7 @@

{{$connect}}

{{$desc}}
- +
diff --git a/view/templates/group_edit.tpl b/view/templates/group_edit.tpl index 7bc4add88a..6b72e776e0 100644 --- a/view/templates/group_edit.tpl +++ b/view/templates/group_edit.tpl @@ -9,7 +9,7 @@ {{include file="field_input.tpl" field=$gname}} {{if $drop}}{{$drop}}{{/if}}
- +
diff --git a/view/templates/install_checks.tpl b/view/templates/install_checks.tpl index 217f182a50..ca12425f05 100644 --- a/view/templates/install_checks.tpl +++ b/view/templates/install_checks.tpl @@ -12,14 +12,14 @@ {{if $phpath}} - + {{/if}} {{if $passed}} - + {{else}} - + {{/if}} diff --git a/view/templates/install_db.tpl b/view/templates/install_db.tpl index b6bad0a2ee..f66bf119e8 100644 --- a/view/templates/install_db.tpl +++ b/view/templates/install_db.tpl @@ -16,7 +16,7 @@
- + {{include file="field_input.tpl" field=$dbhost}} @@ -25,7 +25,7 @@ {{include file="field_input.tpl" field=$dbdata}} - +
diff --git a/view/templates/install_settings.tpl b/view/templates/install_settings.tpl index 53450141d4..735672fe6e 100644 --- a/view/templates/install_settings.tpl +++ b/view/templates/install_settings.tpl @@ -10,17 +10,17 @@
- - - - - + + + + + {{include file="field_input.tpl" field=$adminmail}} {{$timezone}} - +
diff --git a/view/templates/intros.tpl b/view/templates/intros.tpl index a14bcf39e6..74fb53b589 100644 --- a/view/templates/intros.tpl +++ b/view/templates/intros.tpl @@ -4,13 +4,13 @@

{{$str_notifytype}} {{$notify_type}}

{{$fullname}}
-{{$fullname}} +{{$fullname|escape:'html'}}
{{$knowyou}}
{{$note}}
- - + +
@@ -23,7 +23,7 @@ {{$dfrn_text}} - +
diff --git a/view/templates/invite.tpl b/view/templates/invite.tpl index 34c032fdc9..6fd8539c5a 100644 --- a/view/templates/invite.tpl +++ b/view/templates/invite.tpl @@ -24,7 +24,7 @@
- +
diff --git a/view/templates/jot.tpl b/view/templates/jot.tpl index dba78e34fd..e8e4e04f3c 100644 --- a/view/templates/jot.tpl +++ b/view/templates/jot.tpl @@ -10,15 +10,15 @@
- - + + -
+
{{if $placeholdercategory}} -
+
{{/if}}
@@ -26,37 +26,37 @@
- +
-
+
-
+
- +
- +
- +
- {{$bang}} + {{$bang}}
- {{if $preview}}{{/if}} + {{if $preview}}{{/if}}
@@ -66,7 +66,7 @@
- +
@@ -75,7 +75,7 @@
{{$acl}}
-
{{$emailcc}}
+
{{$emailcc}}
{{$jotnets}}
diff --git a/view/templates/lang_selector.tpl b/view/templates/lang_selector.tpl index 484d88fe35..f5fe8bea56 100644 --- a/view/templates/lang_selector.tpl +++ b/view/templates/lang_selector.tpl @@ -4,7 +4,7 @@
diff --git a/view/templates/login.tpl b/view/templates/login.tpl index 57c735d8f9..37d105c087 100644 --- a/view/templates/login.tpl +++ b/view/templates/login.tpl @@ -17,16 +17,16 @@ {{include file="field_checkbox.tpl" field=$lremember}}
- +
{{foreach $hiddens as $k=>$v}} - + {{/foreach}} diff --git a/view/templates/logout.tpl b/view/templates/logout.tpl index ba66f831cc..343088d558 100644 --- a/view/templates/logout.tpl +++ b/view/templates/logout.tpl @@ -2,6 +2,6 @@
- +
diff --git a/view/templates/lostpass.tpl b/view/templates/lostpass.tpl index e285860820..3dfbb7a237 100644 --- a/view/templates/lostpass.tpl +++ b/view/templates/lostpass.tpl @@ -12,7 +12,7 @@
- +
diff --git a/view/templates/moderated_comment.tpl b/view/templates/moderated_comment.tpl index f61e133d05..6e5eb22e7b 100644 --- a/view/templates/moderated_comment.tpl +++ b/view/templates/moderated_comment.tpl @@ -4,27 +4,27 @@ - +
- {{$mytitle}} + {{$mytitle|escape:'html'}}
diff --git a/view/templates/mood_content.tpl b/view/templates/mood_content.tpl index ab2a845fce..5604ff9a36 100644 --- a/view/templates/mood_content.tpl +++ b/view/templates/mood_content.tpl @@ -16,6 +16,6 @@

- + diff --git a/view/templates/oauth_authorize.tpl b/view/templates/oauth_authorize.tpl index 10d9d5069d..d513d6b2ef 100644 --- a/view/templates/oauth_authorize.tpl +++ b/view/templates/oauth_authorize.tpl @@ -7,5 +7,5 @@

{{$authorize}}

-
+
diff --git a/view/templates/peoplefind.tpl b/view/templates/peoplefind.tpl index 4f88a1e426..de8cd011b4 100644 --- a/view/templates/peoplefind.tpl +++ b/view/templates/peoplefind.tpl @@ -3,7 +3,7 @@

{{$findpeople}}

{{$desc}}
- +
diff --git a/view/templates/photo_edit.tpl b/view/templates/photo_edit.tpl index 391543615c..d5e4397a16 100644 --- a/view/templates/photo_edit.tpl +++ b/view/templates/photo_edit.tpl @@ -5,12 +5,12 @@ - +
- +
@@ -42,8 +42,8 @@
- - + +
diff --git a/view/templates/photos_default_uploader_submit.tpl b/view/templates/photos_default_uploader_submit.tpl index e178e977a7..91444e2d55 100644 --- a/view/templates/photos_default_uploader_submit.tpl +++ b/view/templates/photos_default_uploader_submit.tpl @@ -1,4 +1,4 @@
- +
diff --git a/view/templates/poke_content.tpl b/view/templates/poke_content.tpl index 06a3ec27c6..857dfb2003 100644 --- a/view/templates/poke_content.tpl +++ b/view/templates/poke_content.tpl @@ -9,7 +9,7 @@
{{$clabel}}

- +
@@ -28,6 +28,6 @@

- + diff --git a/view/templates/profile_edit.tpl b/view/templates/profile_edit.tpl index b68ec5081d..480add4404 100644 --- a/view/templates/profile_edit.tpl +++ b/view/templates/profile_edit.tpl @@ -5,11 +5,11 @@ @@ -23,19 +23,19 @@
-
*
+
*
- +
- +
@@ -64,20 +64,20 @@
- +
- +
- +
@@ -101,7 +101,7 @@
- +
@@ -117,7 +117,7 @@ - +
@@ -131,31 +131,31 @@
- +
- +
- +
- +
{{$lbl_pubdsc}}
- +
{{$lbl_prvdsc}}
diff --git a/view/templates/profile_photo.tpl b/view/templates/profile_photo.tpl index d0ae4f87dc..1695d01e27 100644 --- a/view/templates/profile_photo.tpl +++ b/view/templates/profile_photo.tpl @@ -17,7 +17,7 @@
- +
diff --git a/view/templates/prv_message.tpl b/view/templates/prv_message.tpl index d419d4d9b3..654671af0e 100644 --- a/view/templates/prv_message.tpl +++ b/view/templates/prv_message.tpl @@ -18,15 +18,15 @@
- +
-
+
- +
diff --git a/view/templates/register.tpl b/view/templates/register.tpl index aacf76529e..8a941145ab 100644 --- a/view/templates/register.tpl +++ b/view/templates/register.tpl @@ -14,7 +14,7 @@ {{if $oidlabel}}
- +
{{/if}} @@ -33,14 +33,14 @@
- +
- +
@@ -48,14 +48,14 @@
-
@{{$sitename}}
+
@{{$sitename}}
{{$publish}}
- +
diff --git a/view/templates/removeme.tpl b/view/templates/removeme.tpl index 4148f94e5f..4acfb9ff1a 100644 --- a/view/templates/removeme.tpl +++ b/view/templates/removeme.tpl @@ -14,7 +14,7 @@
- + diff --git a/view/templates/scroll_loader.tpl b/view/templates/scroll_loader.tpl new file mode 100644 index 0000000000..4adaa965b2 --- /dev/null +++ b/view/templates/scroll_loader.tpl @@ -0,0 +1,8 @@ + + + diff --git a/view/templates/settings.tpl b/view/templates/settings.tpl index a3d4bf72db..323b614ef6 100644 --- a/view/templates/settings.tpl +++ b/view/templates/settings.tpl @@ -16,7 +16,7 @@ {{/if}}
- +
@@ -32,7 +32,7 @@
- +
@@ -102,7 +102,7 @@
- +
@@ -138,7 +138,7 @@
- +
@@ -150,7 +150,7 @@ {{$pagetype}}
- +
@@ -159,7 +159,7 @@
{{$relocate_text}}
- +
diff --git a/view/templates/settings_connectors.tpl b/view/templates/settings_connectors.tpl index 87103b6bbc..bdb928f5b5 100644 --- a/view/templates/settings_connectors.tpl +++ b/view/templates/settings_connectors.tpl @@ -32,7 +32,7 @@ {{include file="field_input.tpl" field=$mail_movetofolder}}
- +
{{/if}} diff --git a/view/templates/settings_display.tpl b/view/templates/settings_display.tpl index 81e73e09cc..12cdd3d668 100644 --- a/view/templates/settings_display.tpl +++ b/view/templates/settings_display.tpl @@ -16,7 +16,7 @@
- +
{{if $theme_config}} diff --git a/view/templates/settings_features.tpl b/view/templates/settings_features.tpl index 2793e477b1..eb3f67f813 100644 --- a/view/templates/settings_features.tpl +++ b/view/templates/settings_features.tpl @@ -13,7 +13,7 @@ {{include file="field_yesno.tpl" field=$fcat}} {{/foreach}}
- +
{{/foreach}} diff --git a/view/templates/settings_oauth.tpl b/view/templates/settings_oauth.tpl index edb0ff63ec..164930ecba 100644 --- a/view/templates/settings_oauth.tpl +++ b/view/templates/settings_oauth.tpl @@ -23,8 +23,8 @@ {{/if}} {{/if}} {{if $app.my}} -   -   +   +   {{/if}} {{/foreach}} diff --git a/view/templates/settings_oauth_edit.tpl b/view/templates/settings_oauth_edit.tpl index eed9f6ea33..9019981542 100644 --- a/view/templates/settings_oauth_edit.tpl +++ b/view/templates/settings_oauth_edit.tpl @@ -11,7 +11,7 @@ {{include file="field_input.tpl" field=$icon}}
- +
diff --git a/view/templates/suggestions.tpl b/view/templates/suggestions.tpl index eb273b4463..e2acaa5924 100644 --- a/view/templates/suggestions.tpl +++ b/view/templates/suggestions.tpl @@ -5,18 +5,18 @@

{{$str_notifytype}} {{$notify_type}}

{{$madeby}}
{{$fullname}}
-{{$fullname}} +{{$fullname|escape:'html'}}
{{$note}}
- - + +
{{include file="field_checkbox.tpl" field=$hidden}} - +
diff --git a/view/templates/uimport.tpl b/view/templates/uimport.tpl index 05c79ab757..0aca00a05f 100644 --- a/view/templates/uimport.tpl +++ b/view/templates/uimport.tpl @@ -8,7 +8,7 @@
- +
diff --git a/view/templates/wall_thread.tpl b/view/templates/wall_thread.tpl index b38027a8da..2eb741c597 100644 --- a/view/templates/wall_thread.tpl +++ b/view/templates/wall_thread.tpl @@ -12,7 +12,7 @@
{{if $item.owner_url}}
{{$item.wall}}
@@ -20,7 +20,7 @@
- + {{$item.name}} menu
@@ -38,8 +38,8 @@
- {{$item.name}}{{if $item.owner_url}} {{$item.to}} {{$item.owner_name}} {{$item.vwall}}{{/if}}
-
{{$item.ago}}
+ {{$item.name}}{{if $item.owner_url}} {{$item.to}} {{$item.owner_name}} {{$item.vwall}}{{/if}}
+
{{$item.ago}}
{{$item.title}}
@@ -51,12 +51,12 @@ {{/foreach}}
{{if $item.has_cats}} -
{{$item.txt_cats}} {{foreach $item.categories as $cat}}{{$cat.name}}{{if $cat.removeurl}} [{{$remove}}]{{/if}} {{if $cat.last}}{{else}}, {{/if}}{{/foreach}} +
{{$item.txt_cats}} {{foreach $item.categories as $cat}}{{$cat.name}}{{if $cat.removeurl}} [{{$remove}}]{{/if}} {{if $cat.last}}{{else}}, {{/if}}{{/foreach}}
{{/if}} {{if $item.has_folders}} -
{{$item.txt_folders}} {{foreach $item.folders as $cat}}{{$cat.name}}{{if $cat.removeurl}} [{{$remove}}]{{/if}}{{if $cat.last}}{{else}}, {{/if}}{{/foreach}} +
{{$item.txt_folders}} {{foreach $item.folders as $cat}}{{$cat.name}}{{if $cat.removeurl}} [{{$remove}}]{{/if}}{{if $cat.last}}{{else}}, {{/if}}{{/foreach}}
{{/if}}
@@ -64,33 +64,33 @@
{{if $item.vote}} {{/if}} {{if $item.plink}} - + {{/if}} {{if $item.edpost}} - + {{/if}} {{if $item.star}} - + {{/if}} {{if $item.tagger}} - + {{/if}} {{if $item.filer}} - + {{/if}}
- {{if $item.drop.dropping}}{{/if}} + {{if $item.drop.dropping}}{{/if}}
- {{if $item.drop.pagedrop}}{{/if}} + {{if $item.drop.pagedrop}}{{/if}}
diff --git a/view/templates/wallmessage.tpl b/view/templates/wallmessage.tpl index 579ee0a31e..e6a6be908f 100644 --- a/view/templates/wallmessage.tpl +++ b/view/templates/wallmessage.tpl @@ -13,7 +13,7 @@ {{$recipname}}
{{$subject}}
- +
{{$yourmessage}}
@@ -22,10 +22,10 @@
- +
From 8b1b886797c7ccc5b0ccae4963ee0b8e817127d8 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 16 Feb 2015 22:11:51 +0100 Subject: [PATCH 192/294] Improved probe_url, fixed wrong network detection. --- include/Scrape.php | 47 ++++++++++++++++++++++++++++++++++--- include/items.php | 11 ++++----- include/socgraph.php | 56 ++++++++++++++++++++++++++++++-------------- 3 files changed, 88 insertions(+), 26 deletions(-) diff --git a/include/Scrape.php b/include/Scrape.php index c74fd879c2..fa2d479e92 100644 --- a/include/Scrape.php +++ b/include/Scrape.php @@ -374,6 +374,7 @@ function probe_url($url, $mode = PROBE_NORMAL) { $network = NETWORK_APPNET; } + // Twitter is deactivated since twitter closed its old API //$twitter = ((strpos($url,'twitter.com') !== false) ? true : false); $lastfm = ((strpos($url,'last.fm/user') !== false) ? true : false); @@ -526,8 +527,8 @@ function probe_url($url, $mode = PROBE_NORMAL) { if($j) { $network = NETWORK_ZOT; $vcard = array( - 'fn' => $j->fullname, - 'nick' => $j->nickname, + 'fn' => $j->fullname, + 'nick' => $j->nickname, 'photo' => $j->photo ); $profile = $j->url; @@ -569,6 +570,10 @@ function probe_url($url, $mode = PROBE_NORMAL) { $network = NETWORK_DIASPORA; elseif($has_lrdd) $network = NETWORK_OSTATUS; + + if(strpos($url,'@')) + $addr = str_replace('acct:', '', $url); + $priority = 0; if($hcard && ! $vcard) { @@ -762,6 +767,22 @@ function probe_url($url, $mode = PROBE_NORMAL) { if(($network === NETWORK_FEED) && ($poll) && (! x($vcard,'fn'))) $vcard['fn'] = $url; + if (($notify != "") AND ($poll != "")) { + $baseurl = matching($notify, $poll); + + $baseurl2 = matching($baseurl, $profile); + if ($baseurl2 != "") + $baseurl = $baseurl2; + } + + if (($baseurl == "") AND ($notify != "")) + $baseurl = matching($profile, $notify); + + if (($baseurl == "") AND ($poll != "")) + $baseurl = matching($profile, $poll); + + $baseurl = rtrim($baseurl, "/"); + $vcard['fn'] = notags($vcard['fn']); $vcard['nick'] = str_replace(' ','',notags($vcard['nick'])); @@ -780,14 +801,17 @@ function probe_url($url, $mode = PROBE_NORMAL) { $result['network'] = $network; $result['alias'] = $alias; $result['pubkey'] = $pubkey; + $result['baseurl'] = $baseurl; logger('probe_url: ' . print_r($result,true), LOGGER_DEBUG); // Trying if it maybe a diaspora account - if ($result['network'] == NETWORK_FEED) { + //if (($result['network'] == NETWORK_FEED) OR (($result['addr'] == "") AND ($result['network'] != NETWORK_OSTATUS))) { + if (($result['network'] == NETWORK_FEED) OR ($result['addr'] == "")) { require_once('include/bbcode.php'); $address = GetProfileUsername($url, "", true); $result2 = probe_url($address, $mode); + //$result2 = probe_url($address, PROBE_DIASPORA); if ($result2['network'] != "") $result = $result2; } @@ -796,3 +820,20 @@ function probe_url($url, $mode = PROBE_NORMAL) { return $result; } + +function matching($part1, $part2) { + $len = min(strlen($part1), strlen($part2)); + + $match = ""; + $matching = true; + $i = 0; + while (($i <= $len) AND $matching) { + if (substr($part1, $i, 1) == substr($part2, $i, 1)) + $match .= substr($part1, $i, 1); + else + $matching = false; + + $i++; + } + return($match); +} diff --git a/include/items.php b/include/items.php index a413800cc4..c3d0e92c33 100644 --- a/include/items.php +++ b/include/items.php @@ -1376,9 +1376,6 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa $current_post = $r[0]['id']; logger('item_store: created item ' . $current_post); - // Add every contact to the global contact table - poco_store($arr); - /* // Is it a global copy? $store_gcontact = ($arr["uid"] == 0); @@ -1511,7 +1508,7 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa $deleted = tag_deliver($arr['uid'],$current_post); - // current post can be deleted if is for a communuty page and no mention are + // current post can be deleted if is for a community page and no mention are // in it. if (!$deleted AND !$dontcache) { @@ -1521,11 +1518,13 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa $r = q('SELECT * FROM `item` WHERE id = %d', intval($current_post)); if (count($r) == 1) { call_hooks('post_remote_end', $r[0]); - } else { + } else logger('item_store: new item not found in DB, id ' . $current_post); - } } + // Add every contact of the post to the global contact table + poco_store($arr); + create_tags_from_item($current_post); create_files_from_item($current_post); diff --git a/include/socgraph.php b/include/socgraph.php index ab348997c8..23db35cabd 100644 --- a/include/socgraph.php +++ b/include/socgraph.php @@ -78,9 +78,6 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { $gender = ''; $generation = 0; - if ($uid == 0) - $network = NETWORK_DFRN; - $name = $entry->displayName; if(isset($entry->urls)) { @@ -126,6 +123,10 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { foreach($entry->tags as $tag) $keywords = implode(", ", $tag); + // If you query a Friendica server for its profiles, the network has to be Friendica + if ($uid == 0) + $network = NETWORK_DFRN; + poco_check($profile_url, $name, $network, $profile_photo, $about, $location, $gender, $keywords, $connect_url, $updated, $generation, $cid, $uid, $zcid); // Update the Friendica contacts. Diaspora is doing it via a message. (See include/diaspora.php) @@ -151,6 +152,8 @@ function poco_load($cid,$uid = 0,$zcid = 0,$url = null) { function poco_check($profile_url, $name, $network, $profile_photo, $about, $location, $gender, $keywords, $connect_url, $updated, $generation, $cid = 0, $uid = 0, $zcid = 0) { + $a = get_app(); + // Generation: // 0: No definition // 1: Profiles on this server @@ -163,15 +166,24 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca if ($profile_url == "") return $gcid; - $r = q("SELECT `network` FROM `contact` WHERE `nurl` = '%s' AND `network` != '' LIMIT 1", - dbesc(normalise_link($profile_url)) + // Don't store the statusnet connector as network + // We can't simply set this to NETWORK_OSTATUS since the connector could have fetched posts from friendica as well + if ($network == NETWORK_STATUSNET) + $network = ""; + + // The global contacts should contain the original picture, not the cached one + if (($generation != 1) AND stristr(normalise_link($profile_photo), normalise_link($a->get_baseurl()."/photo/"))) + $profile_photo = ""; + + $r = q("SELECT `network` FROM `contact` WHERE `nurl` = '%s' AND `network` != '' AND `network` != '%s' LIMIT 1", + dbesc(normalise_link($profile_url)), dbesc(NETWORK_STATUSNET) ); if(count($r)) $network = $r[0]["network"]; - if ($network == "") { - $r = q("SELECT `network`, `url` FROM `contact` WHERE `alias` IN ('%s', '%s') AND `network` != '' LIMIT 1", - dbesc($profile_url), dbesc(normalise_link($profile_url)) + if (($network == "") OR ($network == NETWORK_OSTATUS)) { + $r = q("SELECT `network`, `url` FROM `contact` WHERE `alias` IN ('%s', '%s') AND `network` != '' AND `network` != '%s' LIMIT 1", + dbesc($profile_url), dbesc(normalise_link($profile_url)), dbesc(NETWORK_STATUSNET) ); if(count($r)) { $network = $r[0]["network"]; @@ -182,15 +194,16 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca $x = q("SELECT * FROM `gcontact` WHERE `nurl` = '%s' LIMIT 1", dbesc(normalise_link($profile_url)) ); - if(count($x) AND ($network == "")) + if(count($x) AND ($network == "") AND ($x[0]["network"] != NETWORK_STATUSNET)) $network = $x[0]["network"]; if (($network == "") OR ($name == "") OR ($profile_photo == "")) { require_once("include/Scrape.php"); - $data = probe_url($profile_url, PROBE_DIASPORA); + $data = probe_url($profile_url); $network = $data["network"]; $name = $data["name"]; + $profile_url = $data["url"]; $profile_photo = $data["photo"]; } @@ -204,7 +217,7 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca if (($name == "") OR ($profile_photo == "")) return $gcid; - if (!in_array($network, array(NETWORK_DFRN, NETWORK_OSTATUS, NETWORK_DIASPORA, NETWORK_STATUSNET))) + if (!in_array($network, array(NETWORK_DFRN, NETWORK_OSTATUS, NETWORK_DIASPORA))) return $gcid; logger("profile-check generation: ".$generation." Network: ".$network." URL: ".$profile_url." name: ".$name." avatar: ".$profile_photo, LOGGER_DEBUG); @@ -333,11 +346,11 @@ function sub_poco_from_share($share, $created, $cid, $uid) { function poco_store($item) { // Isn't it public? - if (!$item['private']) + if ($item['private']) return; // Or is it from a network where we don't store the global contacts? - if (!in_array($item["network"], array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, ""))) + if (!in_array($item["network"], array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, NETWORK_STATUSNET, ""))) return; // Is it a global copy? @@ -355,25 +368,34 @@ function poco_store($item) { // "3" means: We don't know this contact directly (Maybe a reshared item) $generation = 3; $network = ""; + $profile_url = $item["author-link"]; // Is it a user from our server? $q = q("SELECT `id` FROM `contact` WHERE `self` AND `nurl` = '%s' LIMIT 1", dbesc(normalise_link($item["author-link"]))); if (count($q)) { + logger("Our user (generation 1): ".$item["author-link"], LOGGER_DEBUG); $generation = 1; $network = NETWORK_DFRN; } else { // Is it a contact from a user on our server? - $q = q("SELECT `network` FROM `contact` WHERE `uid` != 0 AND `network` != '' - AND (`nurl` = '%s' OR `alias` IN ('%s', '%s')) LIMIT 1", + $q = q("SELECT `network`, `url` FROM `contact` WHERE `uid` != 0 AND `network` != '' + AND (`nurl` = '%s' OR `alias` IN ('%s', '%s')) AND `network` != '%s' LIMIT 1", dbesc(normalise_link($item["author-link"])), dbesc(normalise_link($item["author-link"])), - dbesc($item["author-link"])); + dbesc($item["author-link"]), + dbesc(NETWORK_STATUSNET)); if (count($q)) { $generation = 2; $network = $q[0]["network"]; + $profile_url = $q[0]["url"]; + logger("Known contact (generation 2): ".$profile_url, LOGGER_DEBUG); } } - poco_check($item["author-link"], $item["author-name"], $network, $item["author-avatar"], "", "", "", "", "", $item["received"], $generation, $item["contact-id"], $item["uid"]); + + if ($generation == 3) + logger("Unknown contact (generation 3): ".$item["author-link"], LOGGER_DEBUG); + + poco_check($profile_url, $item["author-name"], $network, $item["author-avatar"], "", "", "", "", "", $item["received"], $generation, $item["contact-id"], $item["uid"]); // Maybe its a body with a shared item? Then extract a global contact from it. poco_contact_from_body($item["body"], $item["received"], $item["contact-id"], $item["uid"]); From 9d920033e82a1108af93db2debad990c0851358a Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 16 Feb 2015 22:28:24 +0100 Subject: [PATCH 193/294] Just removing unused codelines --- include/Scrape.php | 2 -- 1 file changed, 2 deletions(-) diff --git a/include/Scrape.php b/include/Scrape.php index fa2d479e92..c2917d5893 100644 --- a/include/Scrape.php +++ b/include/Scrape.php @@ -806,12 +806,10 @@ function probe_url($url, $mode = PROBE_NORMAL) { logger('probe_url: ' . print_r($result,true), LOGGER_DEBUG); // Trying if it maybe a diaspora account - //if (($result['network'] == NETWORK_FEED) OR (($result['addr'] == "") AND ($result['network'] != NETWORK_OSTATUS))) { if (($result['network'] == NETWORK_FEED) OR ($result['addr'] == "")) { require_once('include/bbcode.php'); $address = GetProfileUsername($url, "", true); $result2 = probe_url($address, $mode); - //$result2 = probe_url($address, PROBE_DIASPORA); if ($result2['network'] != "") $result = $result2; } From 2e1acf7611737ef44f0a4a47ec7008bde14a72a5 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Mon, 16 Feb 2015 22:30:46 +0100 Subject: [PATCH 194/294] Just some more code beautification --- include/items.php | 43 ------------------------------------------- 1 file changed, 43 deletions(-) diff --git a/include/items.php b/include/items.php index c3d0e92c33..3a9d850d48 100644 --- a/include/items.php +++ b/include/items.php @@ -1376,49 +1376,6 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa $current_post = $r[0]['id']; logger('item_store: created item ' . $current_post); -/* - // Is it a global copy? - $store_gcontact = ($arr["uid"] == 0); - - // Is it a comment on a global copy? - if (!$store_gcontact AND ($arr["uri"] != $arr["parent-uri"])) { - $q = q("SELECT `id` FROM `item` WHERE `uri`='%s' AND `uid` = 0", - $arr["parent-uri"]); - $store_gcontact = count($q); - } - - // This check for private and network is maybe superflous - if ($store_gcontact AND !$arr['private'] AND in_array($arr["network"], - array(NETWORK_DFRN, NETWORK_DIASPORA, NETWORK_OSTATUS, ""))) { - - // "3" means: We don't know this contact directly (Maybe a reshared item) - $generation = 3; - $network = ""; - - // Is it a user from our server? - $q = q("SELECT `id` FROM `contact` WHERE `self` AND `nurl` = '%s' LIMIT 1", - dbesc(normalise_link($arr["author-link"]))); - if (count($q)) { - $generation = 1; - $network = NETWORK_DFRN; - } else { // Is it a contact from a user on our server? - $q = q("SELECT `network` FROM `contact` WHERE `uid` != 0 AND `network` != '' - AND (`nurl` = '%s' OR `alias` IN ('%s', '%s')) LIMIT 1", - dbesc(normalise_link($arr["author-link"])), - dbesc(normalise_link($arr["author-link"])), - dbesc($arr["author-link"])); - if (count($q)) { - $generation = 2; - $network = $q[0]["network"]; - } - } - - poco_check($arr["author-link"], $arr["author-name"], $network, $arr["author-avatar"], "", "", "", "", "", $arr["received"], $generation, $arr["contact-id"], $arr["uid"]); - - // Maybe its a body with a shared item? Then extract a global contact from it. - poco_contact_from_body($arr["body"], $arr["received"], $arr["contact-id"], $arr["uid"]); - } -*/ // Set "success_update" to the date of the last time we heard from this contact // This can be used to filter for inactive contacts and poco. // Only do this for public postings to avoid privacy problems, since poco data is public. From d9f222b33016bf99ecb830c231ce69d9da708b48 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 17 Feb 2015 07:34:04 +0100 Subject: [PATCH 195/294] Bugfix: Friendica contacts were detected as Diaspora contacts. (Poco) --- include/socgraph.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/socgraph.php b/include/socgraph.php index 2738f8a70f..fc9d3aecb0 100644 --- a/include/socgraph.php +++ b/include/socgraph.php @@ -157,7 +157,7 @@ function poco_check($profile_url, $name, $network, $profile_photo, $about, $loca if (($network == "") OR ($name == "") OR ($profile_photo == "")) { require_once("include/Scrape.php"); - $data = probe_url($profile_url, PROBE_DIASPORA); + $data = probe_url($profile_url); $network = $data["network"]; $name = $data["name"]; $profile_photo = $data["photo"]; From 52de6c11b157fa59ccd42f5f6779b9b8ce11730b Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 17 Feb 2015 17:33:28 +0100 Subject: [PATCH 196/294] There is now a link to the profile behind the avatar picture on the display page --- view/templates/profile_vcard.tpl | 4 ++-- view/theme/vier/templates/profile_vcard.tpl | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/view/templates/profile_vcard.tpl b/view/templates/profile_vcard.tpl index 9bbb7f8a42..d5628115bf 100644 --- a/view/templates/profile_vcard.tpl +++ b/view/templates/profile_vcard.tpl @@ -8,9 +8,9 @@ {{if $pdesc}}
{{$profile.pdesc}}
{{/if}} {{if $profile.picdate}} -
{{$profile.name}}
+
{{$profile.name}}
{{else}} -
{{$profile.name}}
+
{{$profile.name}}
{{/if}} {{if $profile.network_name}}
{{$network}}
{{$profile.network_name}}
{{/if}} {{if $location}} diff --git a/view/theme/vier/templates/profile_vcard.tpl b/view/theme/vier/templates/profile_vcard.tpl index 9d0c65601a..03d4fb3a6f 100644 --- a/view/theme/vier/templates/profile_vcard.tpl +++ b/view/theme/vier/templates/profile_vcard.tpl @@ -15,9 +15,9 @@ {{if $profile.picdate}} -
{{$profile.name}}
+
{{$profile.name}}
{{else}} -
{{$profile.name}}
+
{{$profile.name}}
{{/if}} {{if $pdesc}}
{{$profile.pdesc}}
{{/if}} From 219932f692e09924685e34f5866135c6956dd347 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 17 Feb 2015 19:27:13 +0100 Subject: [PATCH 197/294] Removed Statusnet from the counting of contacts for scrape/noscrape --- boot.php | 5 ++--- mod/noscrape.php | 5 ++--- 2 files changed, 4 insertions(+), 6 deletions(-) diff --git a/boot.php b/boot.php index d2de87fc60..7ca4865d14 100644 --- a/boot.php +++ b/boot.php @@ -1681,12 +1681,11 @@ if(! function_exists('profile_sidebar')) { if(is_array($a->profile) AND !$a->profile['hide-friends']) { $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 - AND `network` IN ('%s', '%s', '%s', '%s', '')", + AND `network` IN ('%s', '%s', '%s', '')", intval($profile['uid']), dbesc(NETWORK_DFRN), dbesc(NETWORK_DIASPORA), - dbesc(NETWORK_OSTATUS), - dbesc(NETWORK_STATUSNET) + dbesc(NETWORK_OSTATUS) ); if(count($r)) $contacts = intval($r[0]['total']); diff --git a/mod/noscrape.php b/mod/noscrape.php index a93abd29a8..170c737767 100644 --- a/mod/noscrape.php +++ b/mod/noscrape.php @@ -33,12 +33,11 @@ function noscrape_init(&$a) { if(is_array($a->profile) AND !$a->profile['hide-friends']) { $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 - AND `network` IN ('%s', '%s', '%s', '%s', '')", + AND `network` IN ('%s', '%s', '%s', '')", intval($a->profile['uid']), dbesc(NETWORK_DFRN), dbesc(NETWORK_DIASPORA), - dbesc(NETWORK_OSTATUS), - dbesc(NETWORK_STATUSNET) + dbesc(NETWORK_OSTATUS) ); if(count($r)) $json_info["contacts"] = intval($r[0]['total']); From 4b7ff42a893198b25c83f2c4e1962894f44044ea Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 17 Feb 2015 19:48:02 +0100 Subject: [PATCH 198/294] Bugfix: See issue 1338 --- view/templates/remote_friends_common.tpl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/view/templates/remote_friends_common.tpl b/view/templates/remote_friends_common.tpl index 13d64def86..354c8e46a2 100644 --- a/view/templates/remote_friends_common.tpl +++ b/view/templates/remote_friends_common.tpl @@ -11,7 +11,7 @@
From 2f79e98cda109a7c79507c30fb3b9c570e5e9e0f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Tue, 17 Feb 2015 20:43:11 +0100 Subject: [PATCH 199/294] Issue 1228: Pictures aren't sent via API in comments. --- include/api.php | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/include/api.php b/include/api.php index c8a313ce19..4d714e583f 100644 --- a/include/api.php +++ b/include/api.php @@ -733,8 +733,7 @@ $_REQUEST['body'] = html2bbcode($txt); } - } - else + } else $_REQUEST['body'] = requestdata('status'); $_REQUEST['title'] = requestdata('title'); @@ -811,14 +810,15 @@ } $_REQUEST['type'] = 'wall'; - if(x($_FILES,'media')) { - // upload the image if we have one - $_REQUEST['hush']='yeah'; //tell wall_upload function to return img info instead of echo - require_once('mod/wall_upload.php'); - $media = wall_upload_post($a); - if(strlen($media)>0) - $_REQUEST['body'] .= "\n\n".$media; - } + } + + if(x($_FILES,'media')) { + // upload the image if we have one + $_REQUEST['hush']='yeah'; //tell wall_upload function to return img info instead of echo + require_once('mod/wall_upload.php'); + $media = wall_upload_post($a); + if(strlen($media)>0) + $_REQUEST['body'] .= "\n\n".$media; } // set this so that the item_post() function is quiet and doesn't redirect or emit json From 4a1105ede621990b0d5e1e5d772be42282facb57 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Wed, 18 Feb 2015 23:40:46 +0100 Subject: [PATCH 200/294] scrape/noscrape now contains the date the profile was last updated or the last message was sent. --- boot.php | 6 ++++++ mod/noscrape.php | 5 +++++ view/templates/profile_vcard.tpl | 2 ++ view/theme/vier/templates/profile_vcard.tpl | 2 ++ 4 files changed, 15 insertions(+) diff --git a/boot.php b/boot.php index 7ca4865d14..54ff948303 100644 --- a/boot.php +++ b/boot.php @@ -1680,6 +1680,11 @@ if(! function_exists('profile_sidebar')) { $contact_block = contact_block(); if(is_array($a->profile) AND !$a->profile['hide-friends']) { + $r = q("SELECT `gcontact`.`updated` FROM `contact` INNER JOIN `gcontact` WHERE `gcontact`.`nurl` = `contact`.`nurl` AND `self` AND `uid` = %d LIMIT 1", + intval($a->profile['uid'])); + if(count($r)) + $updated = date("c", strtotime($r[0]['updated'])); + $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 AND `network` IN ('%s', '%s', '%s', '')", intval($profile['uid']), @@ -1716,6 +1721,7 @@ if(! function_exists('profile_sidebar')) { '$about' => $about, '$network' => t('Network:'), '$contacts' => $contacts, + '$updated' => $updated, '$diaspora' => $diaspora, '$contact_block' => $contact_block, )); diff --git a/mod/noscrape.php b/mod/noscrape.php index 170c737767..34d5254fc0 100644 --- a/mod/noscrape.php +++ b/mod/noscrape.php @@ -32,6 +32,11 @@ function noscrape_init(&$a) { ); if(is_array($a->profile) AND !$a->profile['hide-friends']) { + $r = q("SELECT `gcontact`.`updated` FROM `contact` INNER JOIN `gcontact` WHERE `gcontact`.`nurl` = `contact`.`nurl` AND `self` AND `uid` = %d LIMIT 1", + intval($a->profile['uid'])); + if(count($r)) + $json_info["updated"] = date("c", strtotime($r[0]['updated'])); + $r = q("SELECT COUNT(*) AS `total` FROM `contact` WHERE `uid` = %d AND `self` = 0 AND `blocked` = 0 and `pending` = 0 AND `hidden` = 0 AND `archive` = 0 AND `network` IN ('%s', '%s', '%s', '')", intval($a->profile['uid']), diff --git a/view/templates/profile_vcard.tpl b/view/templates/profile_vcard.tpl index 08c7a77fb4..056aabc964 100644 --- a/view/templates/profile_vcard.tpl +++ b/view/templates/profile_vcard.tpl @@ -33,6 +33,8 @@ {{if $contacts}}{{/if}} + {{if $updated}}{{/if}} + {{if $marital}}
{{$marital}}
{{$profile.marital}}
{{/if}} {{if $homepage}}
{{$homepage}}
{{$profile.homepage}}
{{/if}} diff --git a/view/theme/vier/templates/profile_vcard.tpl b/view/theme/vier/templates/profile_vcard.tpl index e00e68644e..2879c7ccb5 100644 --- a/view/theme/vier/templates/profile_vcard.tpl +++ b/view/theme/vier/templates/profile_vcard.tpl @@ -42,6 +42,8 @@ {{if $contacts}}{{/if}} + {{if $updated}}{{/if}} + {{if $marital}}
{{$marital}}
{{$profile.marital}}
{{/if}} {{if $homepage}}
{{$homepage}}
{{$profile.homepage}}
{{/if}} From 96c642661e0d12e4fb20ac7836adc9d4984cd89f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 19 Feb 2015 10:26:49 +0100 Subject: [PATCH 201/294] The poller can now be called even inside the "include" directory. --- include/poller.php | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/include/poller.php b/include/poller.php index 68f65999e3..f95d3b1807 100644 --- a/include/poller.php +++ b/include/poller.php @@ -1,4 +1,15 @@ Date: Thu, 19 Feb 2015 10:45:46 +0100 Subject: [PATCH 202/294] Do the directory change only when it is needed. --- include/poller.php | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/include/poller.php b/include/poller.php index f95d3b1807..cefa713a0d 100644 --- a/include/poller.php +++ b/include/poller.php @@ -1,15 +1,14 @@ Date: Thu, 19 Feb 2015 21:24:09 +0100 Subject: [PATCH 203/294] decreasing bubble display time in themes from 10s to 5s --- js/main.js | 4 ++-- view/theme/frost-mobile/js/main.js | 2 +- view/theme/frost/js/main.js | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/js/main.js b/js/main.js index 23f63f8224..5f4b56f4d8 100644 --- a/js/main.js +++ b/js/main.js @@ -210,7 +210,7 @@ }); eSysmsg.children("info").each(function(){ text = $(this).text(); - $.jGrowl(text, { sticky: false, theme: 'info', life: 10000 }); + $.jGrowl(text, { sticky: false, theme: 'info', life: 5000 }); }); }); @@ -290,7 +290,7 @@ if(livetime) { clearTimeout(livetime); } - livetime = setTimeout(liveUpdate, 10000); + livetime = setTimeout(liveUpdate, 5000); return; } if(livetime != null) diff --git a/view/theme/frost-mobile/js/main.js b/view/theme/frost-mobile/js/main.js index 07d0c52b36..9eac71be83 100644 --- a/view/theme/frost-mobile/js/main.js +++ b/view/theme/frost-mobile/js/main.js @@ -293,7 +293,7 @@ if(livetime) { clearTimeout(livetime); } - livetime = setTimeout(liveUpdate, 10000); + livetime = setTimeout(liveUpdate, 5000); return; } if(livetime != null) diff --git a/view/theme/frost/js/main.js b/view/theme/frost/js/main.js index a7962267f2..5483ad6bc3 100644 --- a/view/theme/frost/js/main.js +++ b/view/theme/frost/js/main.js @@ -285,7 +285,7 @@ if(livetime) { clearTimeout(livetime); } - livetime = setTimeout(liveUpdate, 10000); + livetime = setTimeout(liveUpdate, 5000); return; } if(livetime != null) From 4c901e60cca29c038875c851c3272f59207e0596 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 19 Feb 2015 21:36:29 +0100 Subject: [PATCH 204/294] More logging for the poller. Changed the query for the contacts to reduce the amount of contacts --- include/poller.php | 50 ++++++++++++++++++++++++---------------------- 1 file changed, 26 insertions(+), 24 deletions(-) diff --git a/include/poller.php b/include/poller.php index cefa713a0d..781d3ace30 100644 --- a/include/poller.php +++ b/include/poller.php @@ -84,8 +84,8 @@ function poller_run(&$argv, &$argc){ // expire any expired accounts - q("UPDATE user SET `account_expired` = 1 where `account_expired` = 0 - AND `account_expires_on` != '0000-00-00 00:00:00' + q("UPDATE user SET `account_expired` = 1 where `account_expired` = 0 + AND `account_expires_on` != '0000-00-00 00:00:00' AND `account_expires_on` < UTC_TIMESTAMP() "); // delete user and contact records for recently removed accounts @@ -179,7 +179,7 @@ function poller_run(&$argv, &$argc){ } $interval = intval(get_config('system','poll_interval')); - if(! $interval) + if(! $interval) $interval = ((get_config('system','delivery_interval') === false) ? 3 : intval(get_config('system','delivery_interval'))); $sql_extra = (($manual_id) ? " AND `id` = $manual_id " : ""); @@ -192,26 +192,27 @@ function poller_run(&$argv, &$argc){ proc_run('php','include/cronhooks.php'); // Only poll from those with suitable relationships, - // and which have a polling address and ignore Diaspora since + // and which have a polling address and ignore Diaspora since // we are unable to match those posts with a Diaspora GUID and prevent duplicates. - $abandon_sql = (($abandon_days) - ? sprintf(" AND `user`.`login_date` > UTC_TIMESTAMP() - INTERVAL %d DAY ", intval($abandon_days)) - : '' + $abandon_sql = (($abandon_days) + ? sprintf(" AND `user`.`login_date` > UTC_TIMESTAMP() - INTERVAL %d DAY ", intval($abandon_days)) + : '' ); - $contacts = q("SELECT `contact`.`id` FROM `contact` INNER JOIN `user` ON `user`.`uid` = `contact`.`uid` - WHERE ( `rel` = %d OR `rel` = %d ) AND `poll` != '' - AND NOT `network` IN ( '%s', '%s', '%s' ) - $sql_extra - AND `self` = 0 AND `contact`.`blocked` = 0 AND `contact`.`readonly` = 0 - AND `contact`.`archive` = 0 - AND `user`.`account_expired` = 0 AND `user`.`account_removed` = 0 $abandon_sql ORDER BY RAND()", + $contacts = q("SELECT `contact`.`id` FROM `contact` INNER JOIN `user` ON `user`.`uid` = `contact`.`uid` + WHERE `rel` IN (%d, %d) AND `poll` != '' AND `network` IN ('%s', '%s', '%s', '%s', '%s', '%s') + $sql_extra + AND NOT `self` AND NOT `contact`.`blocked` AND NOT `contact`.`readonly` AND NOT `contact`.`archive` + AND NOT `user`.`account_expired` AND NOT `user`.`account_removed` $abandon_sql ORDER BY RAND()", intval(CONTACT_IS_SHARING), intval(CONTACT_IS_FRIEND), - dbesc(NETWORK_DIASPORA), - dbesc(NETWORK_FACEBOOK), - dbesc(NETWORK_PUMPIO) + dbesc(NETWORK_DFRN), + dbesc(NETWORK_ZOT), + dbesc(NETWORK_OSTATUS), + dbesc(NETWORK_FEED), + dbesc(NETWORK_MAIL), + dbesc(NETWORK_MAIL2) ); if(! count($contacts)) { @@ -229,6 +230,8 @@ function poller_run(&$argv, &$argc){ foreach($res as $contact) { + logger("Check for polling ".$contact["uid"]." ".$contact["id"]." ".$contact["network"]." ".$contact["nick"]); + $xml = false; if($manual_id) @@ -291,22 +294,21 @@ function poller_run(&$argv, &$argc){ $update = true; break; } - if((! $update) && (! $force)) + if((!$update) && (!$force)) continue; } - // Don't run onepoll.php if the contact isn't pollable - // This check also is inside the onepoll.php - but this will reduce the load - if (in_array($contact["rel"], array(CONTACT_IS_SHARING, CONTACT_IS_FRIEND)) AND ($contact["poll"] != "") - AND !in_array($contact['network'], array(NETWORK_DIASPORA, NETWORK_FACEBOOK, NETWORK_PUMPIO, NETWORK_TWITTER, NETWORK_APPNET)) - AND !$contact["self"] AND !$contact["blocked"] AND !$contact["readonly"] AND !$contact["archive"]) - proc_run('php','include/onepoll.php',$contact['id']); + logger("Polling ".$contact["uid"]." ".$contact["id"]." ".$contact["network"]." ".$contact["nick"]); + + proc_run('php','include/onepoll.php',$contact['id']); if($interval) @time_sleep_until(microtime(true) + (float) $interval); } } + logger('poller: end'); + return; } From 68c970722138132ba240aea8ea69f93f3b6a1ec1 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 19 Feb 2015 22:04:05 +0100 Subject: [PATCH 205/294] The poller now always respects the priority setting for feeds. --- include/poller.php | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/include/poller.php b/include/poller.php index 781d3ace30..1967d59c6e 100644 --- a/include/poller.php +++ b/include/poller.php @@ -230,8 +230,6 @@ function poller_run(&$argv, &$argc){ foreach($res as $contact) { - logger("Check for polling ".$contact["uid"]." ".$contact["id"]." ".$contact["network"]." ".$contact["nick"]); - $xml = false; if($manual_id) @@ -243,7 +241,7 @@ function poller_run(&$argv, &$argc){ if(!get_config('system','ostatus_use_priority') and ($contact['network'] === NETWORK_OSTATUS)) $contact['priority'] = 2; - if($contact['priority'] || $contact['subhub']) { + if(($contact['priority'] || $contact['subhub']) AND ($contact['network'] != NETWORK_FEED)) { $hub_update = true; $update = false; From ab5bf06873d589aab1f452fa88db5ddfd6b9e942 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 19 Feb 2015 22:30:16 +0100 Subject: [PATCH 206/294] Restructured and simplified the poller check --- include/poller.php | 32 ++++++++++---------------------- 1 file changed, 10 insertions(+), 22 deletions(-) diff --git a/include/poller.php b/include/poller.php index 1967d59c6e..87c9c95270 100644 --- a/include/poller.php +++ b/include/poller.php @@ -159,7 +159,6 @@ function poller_run(&$argv, &$argc){ $manual_id = 0; $generation = 0; - $hub_update = false; $force = false; $restart = false; @@ -235,35 +234,24 @@ function poller_run(&$argv, &$argc){ if($manual_id) $contact['last-update'] = '0000-00-00 00:00:00'; - if($contact['network'] === NETWORK_DFRN) + if(in_array($contact['network'], array(NETWORK_DFRN, NETWORK_ZOT, NETWORK_OSTATUS))) $contact['priority'] = 2; - if(!get_config('system','ostatus_use_priority') and ($contact['network'] === NETWORK_OSTATUS)) - $contact['priority'] = 2; - - if(($contact['priority'] || $contact['subhub']) AND ($contact['network'] != NETWORK_FEED)) { - - $hub_update = true; - $update = false; - - $t = $contact['last-update']; - + if($contact['subhub'] AND in_array($contact['network'], array(NETWORK_DFRN, NETWORK_ZOT, NETWORK_OSTATUS))) { // We should be getting everything via a hub. But just to be sure, let's check once a day. // (You can make this more or less frequent if desired by setting 'pushpoll_frequency' appropriately) // This also lets us update our subscription to the hub, and add or replace hubs in case it // changed. We will only update hubs once a day, regardless of 'pushpoll_frequency'. + $poll_interval = get_config('system','pushpoll_frequency'); + $contact['priority'] = (($poll_interval !== false) ? intval($poll_interval) : 3); + } - if($contact['subhub']) { - $poll_interval = get_config('system','pushpoll_frequency'); - $contact['priority'] = (($poll_interval !== false) ? intval($poll_interval) : 3); - $hub_update = false; + if($contact['priority'] AND !$force) { - if((datetime_convert('UTC','UTC', 'now') > datetime_convert('UTC','UTC', $t . " + 1 day")) || $force) - $hub_update = true; - } - else - $hub_update = false; + $update = false; + + $t = $contact['last-update']; /** * Based on $contact['priority'], should we poll this site now? Or later? @@ -292,7 +280,7 @@ function poller_run(&$argv, &$argc){ $update = true; break; } - if((!$update) && (!$force)) + if(!$update) continue; } From dfdb804323011a5983ee33a814e7604bfd300f49 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Thu, 19 Feb 2015 22:38:02 +0100 Subject: [PATCH 207/294] Beautified the poller logging --- include/poller.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/include/poller.php b/include/poller.php index 87c9c95270..cef11a7443 100644 --- a/include/poller.php +++ b/include/poller.php @@ -284,7 +284,7 @@ function poller_run(&$argv, &$argc){ continue; } - logger("Polling ".$contact["uid"]." ".$contact["id"]." ".$contact["network"]." ".$contact["nick"]); + logger("Polling ".$contact["network"]." ".$contact["id"]." ".$contact["nick"]." ".$contact["name"]); proc_run('php','include/onepoll.php',$contact['id']); From a8a37a35dbf799a4a85a8236063f79a8befedb3f Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Fri, 20 Feb 2015 23:12:04 +0100 Subject: [PATCH 208/294] Only show the options that fit to the current network. --- mod/contacts.php | 14 ++++++++++---- view/templates/contact_edit.tpl | 19 ++++++++++++------- 2 files changed, 22 insertions(+), 11 deletions(-) diff --git a/mod/contacts.php b/mod/contacts.php index 300331a9dc..f7379d0c8a 100644 --- a/mod/contacts.php +++ b/mod/contacts.php @@ -424,7 +424,7 @@ function contacts_content(&$a) { $lblsuggest = (($contact['network'] === NETWORK_DFRN) ? t('Suggest friends') : ''); - $poll_enabled = (($contact['network'] !== NETWORK_DIASPORA) ? true : false); + $poll_enabled = in_array($contact['network'], array(NETWORK_DFRN, NETWORK_OSTATUS, NETWORK_FEED, NETWORK_MAIL, NETWORK_MAIL2)); $nettype = sprintf( t('Network type: %s'),network_to_name($contact['network'])); @@ -469,6 +469,13 @@ function contacts_content(&$a) { $lost_contact = (($contact['archive'] && $contact['term-date'] != '0000-00-00 00:00:00' && $contact['term-date'] < datetime_convert('','','now')) ? t('Communications lost with this contact!') : ''); + if ($contact['network'] == NETWORK_FEED) + $fetch_further_information = array('fetch_further_information', t('Fetch further information for feeds'), $contact['fetch_further_information'], t('Fetch further information for feeds'), + array('0'=>t('Disabled'), '1'=>t('Fetch information'), '2'=>t('Fetch information and keywords'))); + + if (in_array($contact['network'], array(NETWORK_FEED, NETWORK_MAIL, NETWORK_MAIL2))) + $poll_interval = contact_poll_interval($contact['priority'],(! $poll_enabled)); + $o .= replace_macros($tpl, array( '$header' => t('Contact Editor'), '$tab_str' => $tab_str, @@ -489,7 +496,7 @@ function contacts_content(&$a) { '$lblsuggest' => $lblsuggest, '$delete' => t('Delete contact'), '$nettype' => $nettype, - '$poll_interval' => contact_poll_interval($contact['priority'],(! $poll_enabled)), + '$poll_interval' => $poll_interval, '$poll_enabled' => $poll_enabled, '$lastupdtext' => t('Last update:'), '$lost_contact' => $lost_contact, @@ -507,8 +514,7 @@ function contacts_content(&$a) { '$archived' => (($contact['archive']) ? t('Currently archived') : ''), '$hidden' => array('hidden', t('Hide this contact from others'), ($contact['hidden'] == 1), t('Replies/likes to your public posts may still be visible')), '$notify' => array('notify', t('Notification for new posts'), ($contact['notify_new_posts'] == 1), t('Send a notification of every new post of this contact')), - '$fetch_further_information' => array('fetch_further_information', t('Fetch further information for feeds'), $contact['fetch_further_information'], t('Fetch further information for feeds'), - array('0'=>t('Disabled'), '1'=>t('Fetch information'), '2'=>t('Fetch information and keywords'))), + '$fetch_further_information' => $fetch_further_information, '$ffi_keyword_blacklist' => $contact['ffi_keyword_blacklist'], '$ffi_keyword_blacklist' => array('ffi_keyword_blacklist', t('Blacklisted keywords'), $contact['ffi_keyword_blacklist'], t('Comma separated list of keywords that should not be converted to hashtags, when "Fetch information and keywords" is selected')), '$photo' => $contact['photo'], diff --git a/view/templates/contact_edit.tpl b/view/templates/contact_edit.tpl index 65af34c6bb..b43560ef78 100644 --- a/view/templates/contact_edit.tpl +++ b/view/templates/contact_edit.tpl @@ -58,16 +58,21 @@
- {{if $poll_enabled}} -
+
+ {{if $poll_enabled}}
{{$lastupdtext}} {{$last_update}}
- {{$updpub}} {{$poll_interval}} {{$udnow}} -
- {{/if}} + {{if $poll_interval}} + {{$updpub}} {{$poll_interval}} + {{/if}} + {{$udnow}} + {{/if}} +
{{include file="field_checkbox.tpl" field=$notify}} - {{include file="field_select.tpl" field=$fetch_further_information}} - {{if $fetch_further_information.2 == 2 }} {{include file="field_textarea.tpl" field=$ffi_keyword_blacklist}} {{/if}} + {{if $fetch_further_information}} + {{include file="field_select.tpl" field=$fetch_further_information}} + {{if $fetch_further_information.2 == 2 }} {{include file="field_textarea.tpl" field=$ffi_keyword_blacklist}} {{/if}} + {{/if}} {{include file="field_checkbox.tpl" field=$hidden}}
From 1dc961713d0139971207c8556cb18c5e4ce3f013 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Fri, 20 Feb 2015 23:33:21 +0100 Subject: [PATCH 209/294] Bugfix: If "all" is selected then no contacts were shown. --- mod/contacts.php | 3 +++ 1 file changed, 3 insertions(+) diff --git a/mod/contacts.php b/mod/contacts.php index f7379d0c8a..515d9d5dcb 100644 --- a/mod/contacts.php +++ b/mod/contacts.php @@ -44,6 +44,9 @@ function contacts_init(&$a) { $follow_widget = follow_widget(); } + if ($_GET['nets'] == "all") + $_GET['nets'] = ""; + $groups_widget .= group_side('contacts','group',false,0,$contact_id); $findpeople_widget .= findpeople_widget(); $networks_widget .= networks_widget('contacts',$_GET['nets']); From 8179f2f65ee589351f1ee6368c1230382898be50 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Fri, 20 Feb 2015 23:56:41 +0100 Subject: [PATCH 210/294] Only show the relation on native networks. --- mod/contacts.php | 3 +++ view/templates/contact_edit.tpl | 4 +++- 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/mod/contacts.php b/mod/contacts.php index 515d9d5dcb..ea16e1475c 100644 --- a/mod/contacts.php +++ b/mod/contacts.php @@ -405,6 +405,9 @@ function contacts_content(&$a) { break; } + if(!in_array($contact['network'], array(NETWORK_DFRN, NETWORK_OSTATUS, NETWORK_DIASPORA))) + $relation_text = ""; + $relation_text = sprintf($relation_text,$contact['name']); if(($contact['network'] === NETWORK_DFRN) && ($contact['rel'])) { diff --git a/view/templates/contact_edit.tpl b/view/templates/contact_edit.tpl index b43560ef78..9d5063146e 100644 --- a/view/templates/contact_edit.tpl +++ b/view/templates/contact_edit.tpl @@ -16,7 +16,9 @@
- -
-

{{$lbl_vis1}}

-

{{$lbl_vis2}}

-
-{{$profile_select}} -
- - - +{{if $profile_select}} +
+

{{$lbl_vis1}}

+

{{$lbl_vis2}}

+
+ {{$profile_select}} +
+ +{{/if}}
From 9eeff0d891a4618200e8abfad8bef65b9712dfed Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 22 Feb 2015 17:34:04 +0100 Subject: [PATCH 213/294] Received "likes" and "dislikes" don't update the "commented" value anymore. --- include/items.php | 18 ++++++++++++------ mod/network.php | 6 +++--- 2 files changed, 15 insertions(+), 9 deletions(-) diff --git a/include/items.php b/include/items.php index 3a9d850d48..53bacbcd05 100644 --- a/include/items.php +++ b/include/items.php @@ -1434,12 +1434,18 @@ function item_store($arr,$force_parent = false, $notify = false, $dontcache = fa $arr['deleted'] = $parent_deleted; // update the commented timestamp on the parent - - q("UPDATE `item` set `commented` = '%s', `changed` = '%s' WHERE `id` = %d", - dbesc(datetime_convert()), - dbesc(datetime_convert()), - intval($parent_id) - ); + // Only update "commented" if it is really a comment + if ($arr['verb'] == ACTIVITY_POST) + q("UPDATE `item` SET `commented` = '%s', `changed` = '%s' WHERE `id` = %d", + dbesc(datetime_convert()), + dbesc(datetime_convert()), + intval($parent_id) + ); + else + q("UPDATE `item` SET `changed` = '%s' WHERE `id` = %d", + dbesc(datetime_convert()), + intval($parent_id) + ); if($dsprsig) { q("insert into sign (`iid`,`signed_text`,`signature`,`signer`) values (%d,'%s','%s','%s') ", diff --git a/mod/network.php b/mod/network.php index a28840dae2..fb980f31b6 100644 --- a/mod/network.php +++ b/mod/network.php @@ -22,7 +22,7 @@ function network_init(&$a) { parse_str($query_string, $query_array); array_shift($query_array); - + // fetch last used network view and redirect if needed if(! $is_a_date_query) { $sel_tabs = network_query_get_sel_tab($a); @@ -708,12 +708,12 @@ die("ss"); $r = q("SELECT `item`.`parent` AS `item_id`, `item`.`network` AS `item_network`, `contact`.`uid` AS `contact_uid` FROM $sql_table $sql_post_table INNER JOIN `contact` ON `contact`.`id` = `item`.`contact-id` AND `contact`.`blocked` = 0 AND `contact`.`pending` = 0 - WHERE `item`.`uid` = %d AND `item`.`visible` = 1 AND - (`item`.`deleted` = 0 OR `item`.`verb` = '" . ACTIVITY_LIKE ."' OR `item`.`verb` = '" . ACTIVITY_DISLIKE . "') + WHERE `item`.`uid` = %d AND `item`.`visible` = 1 AND `item`.`deleted` = 0 and `item`.`moderated` = 0 and `item`.`unseen` = 1 $sql_extra3 $sql_extra $sql_nets ORDER BY `item_id` DESC LIMIT 100", intval(local_user()) ); + // (`item`.`deleted` = 0 OR `item`.`verb` = '" . ACTIVITY_LIKE ."' OR `item`.`verb` = '" . ACTIVITY_DISLIKE . "') } else { $r = q("SELECT `thread`.`iid` AS `item_id`, `thread`.`network` AS `item_network`, `contact`.`uid` AS `contact_uid` FROM $sql_table $sql_post_table STRAIGHT_JOIN `contact` ON `contact`.`id` = `thread`.`contact-id` From 2f46675a89b1dcb453654be4be2117114a3d0a65 Mon Sep 17 00:00:00 2001 From: Michael Vogel Date: Sun, 22 Feb 2015 17:38:28 +0100 Subject: [PATCH 214/294] New routines for markdown to html and html to markdown. --- include/bb2diaspora.php | 19 +- include/bbcode.php | 7 +- library/html-to-markdown/HTML_To_Markdown.php | 592 ++++ library/html-to-markdown/LICENSE | 20 + library/html-to-markdown/README.md | 138 + library/markdown.php | 2932 +---------------- library/parsedown/LICENSE.txt | 20 + library/parsedown/Parsedown.php | 1528 +++++++++ library/parsedown/README.md | 48 + 9 files changed, 2368 insertions(+), 2936 deletions(-) create mode 100644 library/html-to-markdown/HTML_To_Markdown.php create mode 100644 library/html-to-markdown/LICENSE create mode 100644 library/html-to-markdown/README.md create mode 100644 library/parsedown/LICENSE.txt create mode 100755 library/parsedown/Parsedown.php create mode 100644 library/parsedown/README.md diff --git a/include/bb2diaspora.php b/include/bb2diaspora.php index 7107c49139..272b69dff9 100644 --- a/include/bb2diaspora.php +++ b/include/bb2diaspora.php @@ -5,7 +5,8 @@ require_once("include/event.php"); require_once("library/markdown.php"); require_once("include/html2bbcode.php"); require_once("include/bbcode.php"); -require_once("include/markdownify/markdownify.php"); +require_once("library/html-to-markdown/HTML_To_Markdown.php"); +//require_once("include/markdownify/markdownify.php"); // we don't want to support a bbcode specific markdown interpreter @@ -21,15 +22,15 @@ function diaspora2bb($s) { $s = str_replace("\r","",$s); //
is invalid. Replace it with the valid expression - $s = str_replace(array("
", "

", "

", '

'),array("
", "
", "
", "
"),$s); - - $s = preg_replace('/\@\{(.+?)\; (.+?)\@(.+?)\}/','@[url=https://$3/u/$2]$1[/url]',$s); + //$s = str_replace(array("
", "

", "

", '

'),array("
", "
", "
", "
"),$s); // Escaping the hash tags $s = preg_replace('/\#([^\s\#])/','#$1',$s); $s = Markdown($s); + $s = preg_replace('/\@\{(.+?)\; (.+?)\@(.+?)\}/','@[url=https://$3/u/$2]$1[/url]',$s); + $s = str_replace('#','#',$s); $s = html2bbcode($s); @@ -92,12 +93,15 @@ function bb2diaspora($Text,$preserve_nl = false, $fordiaspora = true) { $Text = bbcode($Text, $preserve_nl, false, 4); // Libertree doesn't convert a harizontal rule if there isn't a linefeed - $Text = str_replace(array("


", "
"), array("

", "

"), $Text); + //$Text = str_replace(array("
", "
"), array("

", "

"), $Text); } // Now convert HTML to Markdown - $md = new Markdownify(false, false, false); - $Text = $md->parseString($Text); + $Text = new HTML_To_Markdown($Text); + +/* + //$md = new Markdownify(false, false, false); + //$Text = $md->parseString($Text); // The Markdownify converter converts underscores '_' in URLs to '\_', which // messes up the URL. Manually fix these @@ -123,6 +127,7 @@ function bb2diaspora($Text,$preserve_nl = false, $fordiaspora = true) { // Remove all unconverted tags $Text = strip_tags($Text); +*/ // Remove any leading or trailing whitespace, as this will mess up // the Diaspora signature verification and cause the item to disappear diff --git a/include/bbcode.php b/include/bbcode.php index 9a3563527a..d461b98482 100644 --- a/include/bbcode.php +++ b/include/bbcode.php @@ -168,6 +168,8 @@ function bb_remove_share_information($Text, $plaintext = false, $nolink = false) } function bb_cleanup_share($shared, $plaintext, $nolink) { + $shared[1] = trim($shared[1]); + if (!in_array($shared[2], array("type-link", "type-video"))) return($shared[0]); @@ -178,7 +180,7 @@ function bb_cleanup_share($shared, $plaintext, $nolink) { return($shared[0]); if ($nolink) - return(trim($shared[1])); + return($shared[1]); $title = ""; $link = ""; @@ -189,6 +191,9 @@ function bb_cleanup_share($shared, $plaintext, $nolink) { if (isset($bookmark[1][0])) $link = $bookmark[1][0]; + if (($title != "") AND (strpos($title, $shared[1]) !== false)) + $shared[1] = $title; + if (($title != "") AND ((strpos($shared[1],$title) !== false) OR (similar_text($shared[1],$title) / strlen($title)) > 0.9)) $title = ""; diff --git a/library/html-to-markdown/HTML_To_Markdown.php b/library/html-to-markdown/HTML_To_Markdown.php new file mode 100644 index 0000000000..1cc86505b6 --- /dev/null +++ b/library/html-to-markdown/HTML_To_Markdown.php @@ -0,0 +1,592 @@ + + * @link https://github.com/nickcernis/html2markdown/ Latest version on GitHub. + * @link http://twitter.com/nickcernis Nick on twitter. + * @license http://www.opensource.org/licenses/mit-license.php MIT + */ +class HTML_To_Markdown +{ + /** + * @var DOMDocument The root of the document tree that holds our HTML. + */ + private $document; + + /** + * @var string|boolean The Markdown version of the original HTML, or false if conversion failed + */ + private $output; + + /** + * @var array Class-wide options users can override. + */ + private $options = array( + 'header_style' => 'setext', // Set to "atx" to output H1 and H2 headers as # Header1 and ## Header2 + 'suppress_errors' => true, // Set to false to show warnings when loading malformed HTML + 'strip_tags' => false, // Set to true to strip tags that don't have markdown equivalents. N.B. Strips tags, not their content. Useful to clean MS Word HTML output. + 'bold_style' => '**', // Set to '__' if you prefer the underlined style + 'italic_style' => '*', // Set to '_' if you prefer the underlined style + 'remove_nodes' => '', // space-separated list of dom nodes that should be removed. example: "meta style script" + ); + + + /** + * Constructor + * + * Set up a new DOMDocument from the supplied HTML, convert it to Markdown, and store it in $this->$output. + * + * @param string $html The HTML to convert to Markdown. + * @param array $overrides [optional] List of style and error display overrides. + */ + public function __construct($html = null, $overrides = null) + { + if ($overrides) + $this->options = array_merge($this->options, $overrides); + + if ($html) + $this->convert($html); + } + + + /** + * Setter for conversion options + * + * @param $name + * @param $value + */ + public function set_option($name, $value) + { + $this->options[$name] = $value; + } + + + /** + * Convert + * + * Loads HTML and passes to get_markdown() + * + * @param $html + * @return string The Markdown version of the html + */ + public function convert($html) + { + $html = preg_replace('~>\s+<~', '><', $html); // Strip white space between tags to prevent creation of empty #text nodes + + $this->document = new DOMDocument(); + + if ($this->options['suppress_errors']) + libxml_use_internal_errors(true); // Suppress conversion errors (from http://bit.ly/pCCRSX ) + + $this->document->loadHTML('' . $html); // Hack to load utf-8 HTML (from http://bit.ly/pVDyCt ) + $this->document->encoding = 'UTF-8'; + + if ($this->options['suppress_errors']) + libxml_clear_errors(); + + return $this->get_markdown($html); + } + + + /** + * Is Child Of? + * + * Is the node a child of the given parent tag? + * + * @param $parent_name string The name of the parent node to search for (e.g. 'code') + * @param $node + * @return bool + */ + private static function is_child_of($parent_name, $node) + { + for ($p = $node->parentNode; $p != false; $p = $p->parentNode) { + if (is_null($p)) + return false; + + if ($p->nodeName == $parent_name) + return true; + } + return false; + } + + + /** + * Convert Children + * + * Recursive function to drill into the DOM and convert each node into Markdown from the inside out. + * + * Finds children of each node and convert those to #text nodes containing their Markdown equivalent, + * starting with the innermost element and working up to the outermost element. + * + * @param $node + */ + private function convert_children($node) + { + // Don't convert HTML code inside and
 blocks to Markdown - that should stay as HTML
+        if (self::is_child_of('pre', $node) || self::is_child_of('code', $node))
+            return;
+
+        // If the node has children, convert those to Markdown first
+        if ($node->hasChildNodes()) {
+            $length = $node->childNodes->length;
+
+            for ($i = 0; $i < $length; $i++) {
+                $child = $node->childNodes->item($i);
+                $this->convert_children($child);
+            }
+        }
+
+        // Now that child nodes have been converted, convert the original node
+        $markdown = $this->convert_to_markdown($node);
+
+        // Create a DOM text node containing the Markdown equivalent of the original node
+        $markdown_node = $this->document->createTextNode($markdown);
+
+        // Replace the old $node e.g. "

Title

" with the new $markdown_node e.g. "### Title" + $node->parentNode->replaceChild($markdown_node, $node); + } + + + /** + * Get Markdown + * + * Sends the body node to convert_children() to change inner nodes to Markdown #text nodes, then saves and + * returns the resulting converted document as a string in Markdown format. + * + * @return string|boolean The converted HTML as Markdown, or false if conversion failed + */ + private function get_markdown() + { + // Work on the entire DOM tree (including head and body) + $input = $this->document->getElementsByTagName("html")->item(0); + + if (!$input) + return false; + + // Convert all children of this root element. The DOMDocument stored in $this->doc will + // then consist of #text nodes, each containing a Markdown version of the original node + // that it replaced. + $this->convert_children($input); + + // Sanitize and return the body contents as a string. + $markdown = $this->document->saveHTML(); // stores the DOMDocument as a string + $markdown = html_entity_decode($markdown, ENT_QUOTES, 'UTF-8'); + $markdown = html_entity_decode($markdown, ENT_QUOTES, 'UTF-8'); // Double decode to cover cases like &nbsp; http://www.php.net/manual/en/function.htmlentities.php#99984 + $markdown = preg_replace("/]+>/", "", $markdown); // Strip doctype declaration + $unwanted = array('', '', '', '', '', '', '', ' '); + $markdown = str_replace($unwanted, '', $markdown); // Strip unwanted tags + $markdown = trim($markdown, "\n\r\0\x0B"); + + $this->output = $markdown; + + return $markdown; + } + + + /** + * Convert to Markdown + * + * Converts an individual node into a #text node containing a string of its Markdown equivalent. + * + * Example: An

node with text content of "Title" becomes a text node with content of "### Title" + * + * @param $node + * @return string The converted HTML as Markdown + */ + private function convert_to_markdown($node) + { + $tag = $node->nodeName; // the type of element, e.g. h1 + $value = $node->nodeValue; // the value of that element, e.g. The Title + + // Strip nodes named in remove_nodes + $tags_to_remove = explode(' ', $this->options['remove_nodes']); + if ( in_array($tag, $tags_to_remove) ) + return false; + + switch ($tag) { + case "p": + $markdown = (trim($value)) ? rtrim($value) . PHP_EOL . PHP_EOL : ''; + break; + case "pre": + $markdown = PHP_EOL . $this->convert_code($node) . PHP_EOL; + break; + case "h1": + case "h2": + $markdown = $this->convert_header($tag, $node); + break; + case "h3": + $markdown = "### " . $value . PHP_EOL . PHP_EOL; + break; + case "h4": + $markdown = "#### " . $value . PHP_EOL . PHP_EOL; + break; + case "h5": + $markdown = "##### " . $value . PHP_EOL . PHP_EOL; + break; + case "h6": + $markdown = "###### " . $value . PHP_EOL . PHP_EOL; + break; + case "em": + case "i": + case "strong": + case "b": + $markdown = $this->convert_emphasis($tag, $value); + break; + case "hr": + $markdown = "- - - - - -" . PHP_EOL . PHP_EOL; + break; + case "br": + $markdown = " " . PHP_EOL; + break; + case "blockquote": + $markdown = $this->convert_blockquote($node); + break; + case "code": + $markdown = $this->convert_code($node); + break; + case "ol": + case "ul": + $markdown = $value . PHP_EOL; + break; + case "li": + $markdown = $this->convert_list($node); + break; + case "img": + $markdown = $this->convert_image($node); + break; + case "a": + $markdown = $this->convert_anchor($node); + break; + case "#text": + $markdown = preg_replace('~\s+~', ' ', $value); + $markdown = preg_replace('~^#~', '\\\\#', $markdown); + break; + case "#comment": + $markdown = ''; + break; + case "div": + $markdown = ($this->options['strip_tags']) ? $value . PHP_EOL . PHP_EOL : html_entity_decode($node->C14N()); + break; + default: + // If strip_tags is false (the default), preserve tags that don't have Markdown equivalents, + // such as nodes on their own. C14N() canonicalizes the node to a string. + // See: http://www.php.net/manual/en/domnode.c14n.php + $markdown = ($this->options['strip_tags']) ? $value : html_entity_decode($node->C14N()); + } + + return $markdown; + } + + + /** + * Convert Header + * + * Converts h1 and h2 headers to Markdown-style headers in setext style, + * matching the number of underscores with the length of the title. + * + * e.g. Header 1 Header Two + * ======== ---------- + * + * Returns atx headers instead if $this->options['header_style'] is "atx" + * + * e.g. # Header 1 ## Header Two + * + * @param string $level The header level, including the "h". e.g. h1 + * @param string $node The node to convert. + * @return string The Markdown version of the header. + */ + private function convert_header($level, $node) + { + $content = $node->nodeValue; + + if (!$this->is_child_of('blockquote', $node) && $this->options['header_style'] == "setext") { + $length = (function_exists('mb_strlen')) ? mb_strlen($content, 'utf-8') : strlen($content); + $underline = ($level == "h1") ? "=" : "-"; + $markdown = $content . PHP_EOL . str_repeat($underline, $length) . PHP_EOL . PHP_EOL; // setext style + } else { + $prefix = ($level == "h1") ? "# " : "## "; + $markdown = $prefix . $content . PHP_EOL . PHP_EOL; // atx style + } + + return $markdown; + } + + + /** + * Converts inline styles + * This function is used to render strong and em tags + * + * eg bold text becomes **bold text** or __bold text__ + * + * @param string $tag + * @param string $value + * @return string + */ + private function convert_emphasis($tag, $value) + { + if ($tag == 'i' || $tag == 'em') { + $markdown = $this->options['italic_style'] . $value . $this->options['italic_style']; + } else { + $markdown = $this->options['bold_style'] . $value . $this->options['bold_style']; + } + + return $markdown; + } + + + /** + * Convert Image + * + * Converts tags to Markdown. + * + * e.g. alt text + * becomes ![alt text](/path/img.jpg "Title") + * + * @param $node + * @return string + */ + private function convert_image($node) + { + $src = $node->getAttribute('src'); + $alt = $node->getAttribute('alt'); + $title = $node->getAttribute('title'); + + if ($title != "") { + $markdown = '![' . $alt . '](' . $src . ' "' . $title . '")'; // No newlines added. should be in a block-level element. + } else { + $markdown = '![' . $alt . '](' . $src . ')'; + } + + return $markdown; + } + + + /** + * Convert Anchor + * + * Converts tags to Markdown. + * + * e.g. Modern Nerd + * becomes [Modern Nerd](http://modernnerd.net "Title") + * + * @param $node + * @return string + */ + private function convert_anchor($node) + { + $href = $node->getAttribute('href'); + $title = $node->getAttribute('title'); + $text = $node->nodeValue; + + if ($title != "") { + $markdown = '[' . $text . '](' . $href . ' "' . $title . '")'; + } else { + $markdown = '[' . $text . '](' . $href . ')'; + } + + // Append a space if the node after this one is also an anchor + $next_node_name = $this->get_next_node_name($node); + + if ($next_node_name == 'a') + $markdown = $markdown . ' '; + + return $markdown; + } + + + /** + * Convert List + * + * Converts